mtproto

package module
v0.4.4 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Jul 10, 2018 License: Apache-2.0 Imports: 31 Imported by: 0

README

MTProto

Telegram MTProto and proxy (over gRPC) in Go (golang). Telegram API layer: 71

Quick start

# It is vendored in 'dep'. Refer to https://github.com/golang/dep for 'dep' installation.
dep ensure

# Run simple shell with your Telegram API id, hash, and, server address with your phone number.
# If you don't have Telegram API stuffs, get them from 'https://my.telegram.org/apps'.
go run examples/simpleshell/main.go <APIID> <APIHASH> <PHONE> <IP> <PORT>

# Then you can see 'Enter code:' message
# Telegram sends you an authentication code. Check it on your mobile or desktop app and put it.
Enter code: <YOUR_CODE>

# Now signed-in. Let's get your recent dialogs. 
# You can see them in JSON.
$ dialogs
....

# Quit the shell.
$ exit

# You can find 'credentials.json' file which keeps your MTProto secerets.
ls -al credentials.json

# You can check if the scerets correct by sign-in with it.
go run examples/simpleshell/main.go  credentials.json

Usage

You can find the real code at simpleshell.

Sign-in with key
// Mew MTProto manager
config, _ := mtproto.NewConfiguration(appVersion, deviceModel, systemVersion, language, 0, 0, "credentials.json")
manager, _ := mtproto.NewManager(config)

// Sign-in by key
mconn, _ := manager.LoadAuthentication()
Sign-in without key
// New MTProto manager
config, _ := mtproto.NewConfiguration(appVersion, deviceModel, systemVersion, language, 0, 0, "new-credentials.json")
manager, _ := mtproto.NewManager(config)

// Request to send an authentication code
// It needs your phone number and Telegram API stuffs you can check in https://my.telegram.org/apps 
mconn, sentCode, err := manager.NewAuthentication(phoneNumber, apiID, apiHash, ip, port)

// Get the code from user input
fmt.Scanf("%s", &code)

// Sign-in and generate the new key
_, err = mconn.SignIn(phoneNumber, code, sentCode.GetValue().PhoneCodeHash)
Telegram RPC in Protocol Buffer

cjongseok/mtproto implements TL-schema functions in Protocol Buffer. These are declared in types.tl.proto as RPCs, and implemented in Go at procs.tl.go. With the same interface, you can call functions not only in direct connection to the Telegram server, but also over a mtproto proxy.

Let's have two direct call examples, messages.getDialogs and messages.sendMessage.

Get dialogs
// New RPC caller with a connection to Telegram server. 
// By alternating mconn with a proxy connection, you can call same functions over proxy. It is covered later.
caller := mtproto.RPCaller{mconn}

// New input peer
// In Telegram DSL, Predicates inherit a Type.
// Here we create a Predicate, InputPeerEmpty whose parent is InputPeer.
// More details about these types are covered later.
emptyPeer := &mtproto.TypeInputPeer{&mtproto.TypeInputPeer_InputPeerEmpty{&mtproto.PredInputPeerEmpty{}}

// Query to Telegram
dialogs, _ := caller.MessagesGetDialogs(context.Background(), &mtproto.ReqMessagesGetDialogs{
    OffsetDate: 0,
    OffsetId: 	0,
    OffsetPeer: emptyPeer,
    Limit: 		1,
})
Send a message to a channel
// New RPC caller with a connection to Telegram server. 
caller := mtproto.RPCaller{mconn}

// New input peer
// Create a Predicate, InputPeerChannel, wraped by its parent Type, InputPeer.
channelPeer := &mtproto.TypeInputPeer{&mtproto.TypeInputPeer_InputPeerChannel{
    &mtproto.PredInputPeerChannel{
        yourChannelId, yourChannelHash,
    }}}

// Send a request to Telegram
caller.MessagesSendMessage(context.Background(), &mtproto.ReqMessagesSendMessage{
    Peer:      peer,
    Message:   "Hello MTProto",
    RandomId:  rand.Int63(),
})

How mtproto is impelemented in Protocol Buffer

Types

Telegram's mtproto has three kinds of types, Type, Predicate, and Method. A Type is a kind of a data structure interface which has no fields, and a Predicate implements a Type. In the above case, mtproto.PredInputPeerChannel is a Predicate of a Type mtproto.TypeInputPeer. gRPC recommends to implement this kind of polymorphism with Oneof, so InputPeer is defined in Protocol Buffer as below:

// types.tl.proto:19
message TypeInputPeer {
	oneof Value {
		PredInputPeerEmpty InputPeerEmpty = 1;
		PredInputPeerSelf InputPeerSelf = 2;
		PredInputPeerChat InputPeerChat = 3;
		PredInputPeerUser InputPeerUser = 4;
		PredInputPeerChannel InputPeerChannel = 5;
    }
}

The use of gRPC Oneof in Go is complex, because Go does not allow hierarchical relations among types, e.g., inheritance. I believe, however, gRPC guys did their best and it would be the best implementation of such polymorphism in Go with RPC. For more details about the use of OneOf in Go, please refer to this document.

Methods

Mtproto methods have a namespace as you can see in TL-schema, e.g., auth, account, users, ... . Instead of managing these namespaces as separate Protocol Buffer services, these are integrated into one Protocol Buffer Service, Mtproto, and namesapces are remained as method name prefixes. In the above example, the original name of MessagesSendMessage is messages.sendMessage.

In the original schema, a method can have multiple parameters. These paremeters are declared into a new data structure in Protocol Buffer whose name starts with 'Req'. For example, messages.sendMessage requires many parameters, and these are transformed into ReqMessagesSendMessage in MessagesSendMessage.

Proxy

You can use the proxy in two purposes:

  • MTProto session sharing: Many proxy clients can use the same MTProto session on the proxy server.
  • MTProto in other languages: The proxy enables various languages on its client side, since it uses gRPC.

Server

As a stand-alone daemon

mtprotod is a stand-alone proxy daemon containing Telegram MTProto implementation in Go.

Quick Start
# start mtprotod at port 11011
docker run \
-p 11011: 11011 \
-v /your/mtproto/secrets/directory:/opt \
cjongseok/mtprotod start  \
--port 11011 \
--addr <Your_Telegram_server_address> \
--apiid <Your_Telegram_api_id> \
--apihash <Your_Telegram_api_hash> \
--phone <Your_Telegram_phone_number> \
--secrets /opt/<Your_MTProto_secrets_file_name>

# At mtproto/proxy, let's get dialogs through over the proxy
dep ensure
go test proxy/proxy_test.go --run TestDialogs
Build & Run
# In mtproto directory
dep ensure
go run mtprotod/main.go start \
--addr <Your_Telegram_server_address> \
--apiid <Your_Telegram_api_id> \
--apihash <Your_Telegram_api_hash> \
--phone <Your_Telegram_phone_number> \
--port <Proxy_port> \
--secrets /opt/<Your_MTProto_secrets_file_name>
As a part of Go application

Use mtproto/proxy package.

// New proxy server
config, _ := mtproto.NewConfiguration(apiId, apiHash, appVersion, deviceModel, systemVersion, language, 0, 0, key)
server = proxy.NewServer(port)

// Start the server
server.Start(config, phone)

Client in Go

// New proxy client
client, _ := proxy.NewClient(proxyAddr)

// Telegram RPC over proxy. It is same with the previous 'Get dialogs' but the RPC caller
emptyPeer := &mtproto.TypeInputPeer{&mtproto.TypeInputPeer_InputPeerEmpty{&mtproto.PredInputPeerEmpty{}}
dialogs, err := client.MessagesGetDialogs(context.Background(), &mtproto.ReqMessagesGetDialogs{
    OffsetDate: 0,
    OffsetId:   0,
    OffsetPeer: emptyPeer,
    Limit:      1,
})

Client in Python

See py.

Client in other languages

By compiling types.tl.proto and proxy/tl_update.proto, you can create clients in your preferred language.
For this, you need to install Protocol Buffer together with gRPC library of the target language. Then you can compile Protocol Buffer files with this kind of command lines:

You can find these command lines for other languages in gRPC tutorial.

Acknowledgement

License

Apache 2.0

Documentation

Index

Constants

View Source
const (
	//TODO: elastic timeout
	TIMEOUT_RPC               = 5 * time.Second
	TIMEOUT_INVOKE_WITH_LAYER = 10 * time.Second
	TIMEOUT_UPDATES_GETSTATE  = 7 * time.Second
	TIMEOUT_SESSION_BINDING   = TIMEOUT_INVOKE_WITH_LAYER + TIMEOUT_UPDATES_GETSTATE
)
View Source
const (
	DEBUG_LEVEL_NETWORK         = 0x01
	DEBUG_LEVEL_NETWORK_DETAILS = 0x02
	DEBUG_LEVEL_DECODE          = 0x04
	DEBUG_LEVEL_DECODE_DETAILS  = 0x08
	DEBUG_LEVEL_ENCODE_DETAILS  = 0x10
)
View Source
const (
	ENV_AUTHKEY     = "MTPROTO_AUTHKEY"
	ENV_AUTHHASH    = "MTPROTO_AUTHHASH"
	ENV_SERVER_SALT = "MTPROTO_SALT"
	ENV_ADDR        = "MTPROTO_ADDR"
	ENV_USE_IPV6    = "MTPROTO_USE_IPV6"
)

Variables

This section is empty.

Functions

func GenerateMessageId

func GenerateMessageId() int64

func GenerateNonce

func GenerateNonce(size int) []byte

Encoders

func Pack

func Pack(tl TL) *any.Any

Packer from TypeXXX to gRPC Any

func RegisterMtprotoServer

func RegisterMtprotoServer(s *grpc.Server, srv MtprotoServer)

Types

type Access added in v0.4.1

type Access struct {
	ID int32
	//Required bool
	Hash int64
}

type AccessManager added in v0.4.1

type AccessManager struct {
	// contains filtered or unexported fields
}

AccessManager keeps channel and user accesses Fetching the accesses from the Telegram on every app launching can cause over rate limits, if the account has lots of channels and users. AccessManager helps to manage theses accesses as json files. Use tools/access to export them.

func NewAccessManager added in v0.4.1

func NewAccessManager(chats *TypeMessagesChats, contacts *TypeContactsContacts) (hm *AccessManager)

NewAccessManager instantiate a AccessManager If chats or contacts are given, it returns the instance fulfilled with the given id and hashes. Empty, otherwise.

func (*AccessManager) ChannelAccess added in v0.4.1

func (am *AccessManager) ChannelAccess(id int32) Access

func (*AccessManager) Channels added in v0.4.1

func (am *AccessManager) Channels() []int32

func (*AccessManager) ImportChanAccessesFromFile added in v0.4.1

func (am *AccessManager) ImportChanAccessesFromFile(filepath string) error

func (*AccessManager) ImportUserAccessesFromFile added in v0.4.1

func (am *AccessManager) ImportUserAccessesFromFile(filepath string) error

func (*AccessManager) UserAccess added in v0.4.1

func (am *AccessManager) UserAccess(id int32) Access

func (*AccessManager) Users added in v0.4.1

func (am *AccessManager) Users() []int32

type Configuration

type Configuration struct {
	//Id            int32
	//Hash          string
	Version       string
	DeviceModel   string
	SystemVersion string
	Language      string
	//SessionHome   string
	PingInterval time.Duration
	SendInterval time.Duration
	KeyPath      string
}

func NewConfiguration

func NewConfiguration(version, deviceModel, systemVersion, language string,
	pingInterval time.Duration, sendInterval time.Duration, keyPath string) (Configuration, error)

func (Configuration) Check

func (appConfig Configuration) Check() error

type Conn

type Conn struct {
	// contains filtered or unexported fields
}

Conn is mtproto connection. Conn guarantees it is always wired-up with Telegram server, although Session can expire anytime without notice.

func (*Conn) AddConnListener

func (mconn *Conn) AddConnListener(listener chan Event)

func (*Conn) AddUpdateCallback

func (mconn *Conn) AddUpdateCallback(callback UpdateCallback)

func (*Conn) InvokeBlocked

func (mconn *Conn) InvokeBlocked(msg TL) (interface{}, error)

func (*Conn) InvokeNonBlocked

func (mconn *Conn) InvokeNonBlocked(msg TL) chan response

func (*Conn) LogPrefix

func (x *Conn) LogPrefix() string

func (*Conn) RemoveConnListener

func (mconn *Conn) RemoveConnListener(toremove chan Event) error

func (*Conn) RemoveUpdateListener

func (mconn *Conn) RemoveUpdateListener(toremove UpdateCallback) error

func (*Conn) Session

func (mconn *Conn) Session() <-chan interface{}

Session returns the bound bound of the conn. The direct access to the session (using '.') does not guarantee both not-nil and data racing. The returned session can expire any time, so that it cannot match with the latest bound session of the conn.

func (*Conn) SignIn

func (mconn *Conn) SignIn(phoneNumber, phoneCode, phoneCodeHash string) (*TypeAuthAuthorization, error)

func (*Conn) SignOut

func (mconn *Conn) SignOut() (bool, error)

type ConnectionOpened

type ConnectionOpened struct {
	// contains filtered or unexported fields
}

Connection Events

func (ConnectionOpened) Type

func (e ConnectionOpened) Type() EventType

type Credentials added in v0.4.0

type Credentials struct {
	Phone       string
	ApiID       int32
	ApiHash     string
	IP          string
	Port        int
	Salt        []byte
	AuthKey     []byte
	AuthKeyHash []byte
}

func NewCredentials added in v0.4.0

func NewCredentials(jsonInBytes []byte) (c *Credentials, err error)

func NewCredentialsFromFile added in v0.4.0

func NewCredentialsFromFile(f *os.File) (*Credentials, error)

func (*Credentials) JSON added in v0.4.0

func (c *Credentials) JSON() ([]byte, error)

JSON turns the given credentials into JSON binary in the format of credentialsJSON

func (*Credentials) Save added in v0.4.0

func (c *Credentials) Save(f *os.File) (err error)

Save session TODO: save channel and datacenter information

type DecodeBuf

type DecodeBuf struct {
	// contains filtered or unexported fields
}

func NewDecodeBuf

func NewDecodeBuf(b []byte) *DecodeBuf

Decoders

func (*DecodeBuf) BigInt

func (m *DecodeBuf) BigInt() *big.Int

func (*DecodeBuf) Bool

func (m *DecodeBuf) Bool() bool

func (*DecodeBuf) Bytes

func (m *DecodeBuf) Bytes(size int) []byte

func (*DecodeBuf) Double

func (m *DecodeBuf) Double() float64

func (*DecodeBuf) FlaggedDouble

func (m *DecodeBuf) FlaggedDouble(flags, f int32) float64

func (*DecodeBuf) FlaggedInt

func (m *DecodeBuf) FlaggedInt(flags, f int32) int32

func (*DecodeBuf) FlaggedLong

func (m *DecodeBuf) FlaggedLong(flags, f int32) int64

func (*DecodeBuf) FlaggedObject

func (m *DecodeBuf) FlaggedObject(flags, f int32) (r TL)

func (*DecodeBuf) FlaggedString

func (m *DecodeBuf) FlaggedString(flags, f int32) string

func (*DecodeBuf) FlaggedStringBytes

func (m *DecodeBuf) FlaggedStringBytes(flags, f int32) []byte

func (*DecodeBuf) FlaggedVector

func (m *DecodeBuf) FlaggedVector(flags, f int32) []TL

func (*DecodeBuf) Flags

func (m *DecodeBuf) Flags() int32

func (*DecodeBuf) Int

func (m *DecodeBuf) Int() int32

func (*DecodeBuf) Long

func (m *DecodeBuf) Long() int64

func (*DecodeBuf) Object

func (m *DecodeBuf) Object() (r TL)

func (*DecodeBuf) ObjectGenerated

func (m *DecodeBuf) ObjectGenerated(constructor uint32) (r TL)

func (*DecodeBuf) String

func (m *DecodeBuf) String() string

func (*DecodeBuf) StringBytes

func (m *DecodeBuf) StringBytes() []byte

func (*DecodeBuf) TL_Vector

func (m *DecodeBuf) TL_Vector() []TL

func (*DecodeBuf) UInt

func (m *DecodeBuf) UInt() uint32

func (*DecodeBuf) Vector

func (m *DecodeBuf) Vector() []TL

func (*DecodeBuf) VectorInt

func (m *DecodeBuf) VectorInt() []int32

func (*DecodeBuf) VectorLong

func (m *DecodeBuf) VectorLong() []int64

func (*DecodeBuf) VectorString

func (m *DecodeBuf) VectorString() []string

type Dump

type Dump struct {
	// contains filtered or unexported fields
}

func NewDump

func NewDump(authFileName, dumpFilename string, out chan interface{}) (*Dump, error)

func (*Dump) Play

func (md *Dump) Play()

func (*Dump) Wait

func (d *Dump) Wait()

type EncodeBuf

type EncodeBuf struct {
	// contains filtered or unexported fields
}

func NewEncodeBuf

func NewEncodeBuf(cap int) *EncodeBuf

func (*EncodeBuf) BigInt

func (e *EncodeBuf) BigInt(s *big.Int)

func (*EncodeBuf) Bytes

func (e *EncodeBuf) Bytes(s []byte)

func (*EncodeBuf) Double

func (e *EncodeBuf) Double(s float64)

func (*EncodeBuf) FlaggedDouble

func (e *EncodeBuf) FlaggedDouble(flags, f int32, s float64)

func (*EncodeBuf) FlaggedInt

func (e *EncodeBuf) FlaggedInt(flags, f int32, s int32)

func (*EncodeBuf) FlaggedLong

func (e *EncodeBuf) FlaggedLong(flags, f int32, s int64)

func (*EncodeBuf) FlaggedObject

func (e *EncodeBuf) FlaggedObject(flags, f int32, o TL)

func (*EncodeBuf) FlaggedString

func (e *EncodeBuf) FlaggedString(flags, f int32, s string)

func (*EncodeBuf) FlaggedStringBytes

func (e *EncodeBuf) FlaggedStringBytes(flags, f int32, s []byte)

func (*EncodeBuf) FlaggedVector

func (e *EncodeBuf) FlaggedVector(flags, f int32, v []TL)

func (*EncodeBuf) FlaggedVectorInt

func (e *EncodeBuf) FlaggedVectorInt(flags, f int32, v []int32)

func (*EncodeBuf) FlaggedVectorLong

func (e *EncodeBuf) FlaggedVectorLong(flags, f int32, v []int64)

func (*EncodeBuf) FlaggedVectorString

func (e *EncodeBuf) FlaggedVectorString(flags, f int32, v []string)

func (*EncodeBuf) Int

func (e *EncodeBuf) Int(s int32)

func (*EncodeBuf) Long

func (e *EncodeBuf) Long(s int64)

func (*EncodeBuf) String

func (e *EncodeBuf) String(s string)

func (*EncodeBuf) StringBytes

func (e *EncodeBuf) StringBytes(s []byte)

func (*EncodeBuf) UInt

func (e *EncodeBuf) UInt(s uint32)

func (*EncodeBuf) Vector

func (e *EncodeBuf) Vector(v []TL)

func (*EncodeBuf) VectorInt

func (e *EncodeBuf) VectorInt(v []int32)

func (*EncodeBuf) VectorLong

func (e *EncodeBuf) VectorLong(v []int64)

func (*EncodeBuf) VectorString

func (e *EncodeBuf) VectorString(v []string)

type Event

type Event interface {
	Type() EventType
}

type EventType

type EventType string
const (
	SESSION EventType = "session"
	MCONN   EventType = "mconn"
)

type Manager

type Manager struct {
	// contains filtered or unexported fields
}

func NewManager

func NewManager(appConfig Configuration) (*Manager, error)

func (*Manager) Finish

func (mm *Manager) Finish()

func (*Manager) LoadAuthentication

func (mm *Manager) LoadAuthentication() (*Conn, error)

func (*Manager) LogPrefix

func (x *Manager) LogPrefix() string

func (*Manager) NewAuthentication

func (mm *Manager) NewAuthentication(phone string, apiID int32, apiHash, ip string, port int) (*Conn, *TypeAuthSentCode, error)

type MtprotoClient

type MtprotoClient interface {
	InvokeAfterMsg(ctx context.Context, in *ReqInvokeAfterMsg, opts ...grpc.CallOption) (*any.Any, error)
	InvokeAfterMsgs(ctx context.Context, in *ReqInvokeAfterMsgs, opts ...grpc.CallOption) (*any.Any, error)
	AuthCheckPhone(ctx context.Context, in *ReqAuthCheckPhone, opts ...grpc.CallOption) (*TypeAuthCheckedPhone, error)
	AuthSendCode(ctx context.Context, in *ReqAuthSendCode, opts ...grpc.CallOption) (*TypeAuthSentCode, error)
	AuthSignUp(ctx context.Context, in *ReqAuthSignUp, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	AuthSignIn(ctx context.Context, in *ReqAuthSignIn, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	AuthLogOut(ctx context.Context, in *ReqAuthLogOut, opts ...grpc.CallOption) (*TypeBool, error)
	AuthResetAuthorizations(ctx context.Context, in *ReqAuthResetAuthorizations, opts ...grpc.CallOption) (*TypeBool, error)
	AuthSendInvites(ctx context.Context, in *ReqAuthSendInvites, opts ...grpc.CallOption) (*TypeBool, error)
	AuthExportAuthorization(ctx context.Context, in *ReqAuthExportAuthorization, opts ...grpc.CallOption) (*TypeAuthExportedAuthorization, error)
	AuthImportAuthorization(ctx context.Context, in *ReqAuthImportAuthorization, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	AccountRegisterDevice(ctx context.Context, in *ReqAccountRegisterDevice, opts ...grpc.CallOption) (*TypeBool, error)
	AccountUnregisterDevice(ctx context.Context, in *ReqAccountUnregisterDevice, opts ...grpc.CallOption) (*TypeBool, error)
	AccountUpdateNotifySettings(ctx context.Context, in *ReqAccountUpdateNotifySettings, opts ...grpc.CallOption) (*TypeBool, error)
	AccountGetNotifySettings(ctx context.Context, in *ReqAccountGetNotifySettings, opts ...grpc.CallOption) (*TypePeerNotifySettings, error)
	AccountResetNotifySettings(ctx context.Context, in *ReqAccountResetNotifySettings, opts ...grpc.CallOption) (*TypeBool, error)
	AccountUpdateProfile(ctx context.Context, in *ReqAccountUpdateProfile, opts ...grpc.CallOption) (*TypeUser, error)
	AccountUpdateStatus(ctx context.Context, in *ReqAccountUpdateStatus, opts ...grpc.CallOption) (*TypeBool, error)
	AccountGetWallPapers(ctx context.Context, in *ReqAccountGetWallPapers, opts ...grpc.CallOption) (*TypeVectorWallPaper, error)
	UsersGetUsers(ctx context.Context, in *ReqUsersGetUsers, opts ...grpc.CallOption) (*TypeVectorUser, error)
	UsersGetFullUser(ctx context.Context, in *ReqUsersGetFullUser, opts ...grpc.CallOption) (*TypeUserFull, error)
	ContactsGetStatuses(ctx context.Context, in *ReqContactsGetStatuses, opts ...grpc.CallOption) (*TypeVectorContactStatus, error)
	ContactsGetContacts(ctx context.Context, in *ReqContactsGetContacts, opts ...grpc.CallOption) (*TypeContactsContacts, error)
	ContactsImportContacts(ctx context.Context, in *ReqContactsImportContacts, opts ...grpc.CallOption) (*TypeContactsImportedContacts, error)
	ContactsSearch(ctx context.Context, in *ReqContactsSearch, opts ...grpc.CallOption) (*TypeContactsFound, error)
	ContactsDeleteContact(ctx context.Context, in *ReqContactsDeleteContact, opts ...grpc.CallOption) (*TypeContactsLink, error)
	ContactsDeleteContacts(ctx context.Context, in *ReqContactsDeleteContacts, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsBlock(ctx context.Context, in *ReqContactsBlock, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsUnblock(ctx context.Context, in *ReqContactsUnblock, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsGetBlocked(ctx context.Context, in *ReqContactsGetBlocked, opts ...grpc.CallOption) (*TypeContactsBlocked, error)
	MessagesGetMessages(ctx context.Context, in *ReqMessagesGetMessages, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	MessagesGetDialogs(ctx context.Context, in *ReqMessagesGetDialogs, opts ...grpc.CallOption) (*TypeMessagesDialogs, error)
	MessagesGetHistory(ctx context.Context, in *ReqMessagesGetHistory, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	MessagesSearch(ctx context.Context, in *ReqMessagesSearch, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	MessagesReadHistory(ctx context.Context, in *ReqMessagesReadHistory, opts ...grpc.CallOption) (*TypeMessagesAffectedMessages, error)
	MessagesDeleteHistory(ctx context.Context, in *ReqMessagesDeleteHistory, opts ...grpc.CallOption) (*TypeMessagesAffectedHistory, error)
	MessagesDeleteMessages(ctx context.Context, in *ReqMessagesDeleteMessages, opts ...grpc.CallOption) (*TypeMessagesAffectedMessages, error)
	MessagesReceivedMessages(ctx context.Context, in *ReqMessagesReceivedMessages, opts ...grpc.CallOption) (*TypeVectorReceivedNotifyMessage, error)
	MessagesSetTyping(ctx context.Context, in *ReqMessagesSetTyping, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSendMessage(ctx context.Context, in *ReqMessagesSendMessage, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesSendMedia(ctx context.Context, in *ReqMessagesSendMedia, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesForwardMessages(ctx context.Context, in *ReqMessagesForwardMessages, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesGetChats(ctx context.Context, in *ReqMessagesGetChats, opts ...grpc.CallOption) (*TypeMessagesChats, error)
	MessagesGetFullChat(ctx context.Context, in *ReqMessagesGetFullChat, opts ...grpc.CallOption) (*TypeMessagesChatFull, error)
	MessagesEditChatTitle(ctx context.Context, in *ReqMessagesEditChatTitle, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesEditChatPhoto(ctx context.Context, in *ReqMessagesEditChatPhoto, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesAddChatUser(ctx context.Context, in *ReqMessagesAddChatUser, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesDeleteChatUser(ctx context.Context, in *ReqMessagesDeleteChatUser, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesCreateChat(ctx context.Context, in *ReqMessagesCreateChat, opts ...grpc.CallOption) (*TypeUpdates, error)
	UpdatesGetState(ctx context.Context, in *ReqUpdatesGetState, opts ...grpc.CallOption) (*TypeUpdatesState, error)
	UpdatesGetDifference(ctx context.Context, in *ReqUpdatesGetDifference, opts ...grpc.CallOption) (*TypeUpdatesDifference, error)
	PhotosUpdateProfilePhoto(ctx context.Context, in *ReqPhotosUpdateProfilePhoto, opts ...grpc.CallOption) (*TypeUserProfilePhoto, error)
	PhotosUploadProfilePhoto(ctx context.Context, in *ReqPhotosUploadProfilePhoto, opts ...grpc.CallOption) (*TypePhotosPhoto, error)
	UploadSaveFilePart(ctx context.Context, in *ReqUploadSaveFilePart, opts ...grpc.CallOption) (*TypeBool, error)
	UploadGetFile(ctx context.Context, in *ReqUploadGetFile, opts ...grpc.CallOption) (*TypeUploadFile, error)
	HelpGetConfig(ctx context.Context, in *ReqHelpGetConfig, opts ...grpc.CallOption) (*TypeConfig, error)
	HelpGetNearestDc(ctx context.Context, in *ReqHelpGetNearestDc, opts ...grpc.CallOption) (*TypeNearestDc, error)
	HelpGetAppUpdate(ctx context.Context, in *ReqHelpGetAppUpdate, opts ...grpc.CallOption) (*TypeHelpAppUpdate, error)
	HelpSaveAppLog(ctx context.Context, in *ReqHelpSaveAppLog, opts ...grpc.CallOption) (*TypeBool, error)
	HelpGetInviteText(ctx context.Context, in *ReqHelpGetInviteText, opts ...grpc.CallOption) (*TypeHelpInviteText, error)
	PhotosDeletePhotos(ctx context.Context, in *ReqPhotosDeletePhotos, opts ...grpc.CallOption) (*TypeVectorLong, error)
	PhotosGetUserPhotos(ctx context.Context, in *ReqPhotosGetUserPhotos, opts ...grpc.CallOption) (*TypePhotosPhotos, error)
	MessagesForwardMessage(ctx context.Context, in *ReqMessagesForwardMessage, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesGetDhConfig(ctx context.Context, in *ReqMessagesGetDhConfig, opts ...grpc.CallOption) (*TypeMessagesDhConfig, error)
	MessagesRequestEncryption(ctx context.Context, in *ReqMessagesRequestEncryption, opts ...grpc.CallOption) (*TypeEncryptedChat, error)
	MessagesAcceptEncryption(ctx context.Context, in *ReqMessagesAcceptEncryption, opts ...grpc.CallOption) (*TypeEncryptedChat, error)
	MessagesDiscardEncryption(ctx context.Context, in *ReqMessagesDiscardEncryption, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSetEncryptedTyping(ctx context.Context, in *ReqMessagesSetEncryptedTyping, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesReadEncryptedHistory(ctx context.Context, in *ReqMessagesReadEncryptedHistory, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSendEncrypted(ctx context.Context, in *ReqMessagesSendEncrypted, opts ...grpc.CallOption) (*TypeMessagesSentEncryptedMessage, error)
	MessagesSendEncryptedFile(ctx context.Context, in *ReqMessagesSendEncryptedFile, opts ...grpc.CallOption) (*TypeMessagesSentEncryptedMessage, error)
	MessagesSendEncryptedService(ctx context.Context, in *ReqMessagesSendEncryptedService, opts ...grpc.CallOption) (*TypeMessagesSentEncryptedMessage, error)
	MessagesReceivedQueue(ctx context.Context, in *ReqMessagesReceivedQueue, opts ...grpc.CallOption) (*TypeVectorLong, error)
	UploadSaveBigFilePart(ctx context.Context, in *ReqUploadSaveBigFilePart, opts ...grpc.CallOption) (*TypeBool, error)
	InitConnection(ctx context.Context, in *ReqInitConnection, opts ...grpc.CallOption) (*any.Any, error)
	HelpGetSupport(ctx context.Context, in *ReqHelpGetSupport, opts ...grpc.CallOption) (*TypeHelpSupport, error)
	AuthBindTempAuthKey(ctx context.Context, in *ReqAuthBindTempAuthKey, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsExportCard(ctx context.Context, in *ReqContactsExportCard, opts ...grpc.CallOption) (*TypeVectorInt, error)
	ContactsImportCard(ctx context.Context, in *ReqContactsImportCard, opts ...grpc.CallOption) (*TypeUser, error)
	MessagesReadMessageContents(ctx context.Context, in *ReqMessagesReadMessageContents, opts ...grpc.CallOption) (*TypeMessagesAffectedMessages, error)
	AccountCheckUsername(ctx context.Context, in *ReqAccountCheckUsername, opts ...grpc.CallOption) (*TypeBool, error)
	AccountUpdateUsername(ctx context.Context, in *ReqAccountUpdateUsername, opts ...grpc.CallOption) (*TypeUser, error)
	AccountGetPrivacy(ctx context.Context, in *ReqAccountGetPrivacy, opts ...grpc.CallOption) (*TypeAccountPrivacyRules, error)
	AccountSetPrivacy(ctx context.Context, in *ReqAccountSetPrivacy, opts ...grpc.CallOption) (*TypeAccountPrivacyRules, error)
	AccountDeleteAccount(ctx context.Context, in *ReqAccountDeleteAccount, opts ...grpc.CallOption) (*TypeBool, error)
	AccountGetAccountTTL(ctx context.Context, in *ReqAccountGetAccountTTL, opts ...grpc.CallOption) (*TypeAccountDaysTTL, error)
	AccountSetAccountTTL(ctx context.Context, in *ReqAccountSetAccountTTL, opts ...grpc.CallOption) (*TypeBool, error)
	InvokeWithLayer(ctx context.Context, in *ReqInvokeWithLayer, opts ...grpc.CallOption) (*any.Any, error)
	ContactsResolveUsername(ctx context.Context, in *ReqContactsResolveUsername, opts ...grpc.CallOption) (*TypeContactsResolvedPeer, error)
	AccountSendChangePhoneCode(ctx context.Context, in *ReqAccountSendChangePhoneCode, opts ...grpc.CallOption) (*TypeAuthSentCode, error)
	AccountChangePhone(ctx context.Context, in *ReqAccountChangePhone, opts ...grpc.CallOption) (*TypeUser, error)
	MessagesGetAllStickers(ctx context.Context, in *ReqMessagesGetAllStickers, opts ...grpc.CallOption) (*TypeMessagesAllStickers, error)
	AccountUpdateDeviceLocked(ctx context.Context, in *ReqAccountUpdateDeviceLocked, opts ...grpc.CallOption) (*TypeBool, error)
	AccountGetPassword(ctx context.Context, in *ReqAccountGetPassword, opts ...grpc.CallOption) (*TypeAccountPassword, error)
	AuthCheckPassword(ctx context.Context, in *ReqAuthCheckPassword, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	MessagesGetWebPagePreview(ctx context.Context, in *ReqMessagesGetWebPagePreview, opts ...grpc.CallOption) (*TypeMessageMedia, error)
	AccountGetAuthorizations(ctx context.Context, in *ReqAccountGetAuthorizations, opts ...grpc.CallOption) (*TypeAccountAuthorizations, error)
	AccountResetAuthorization(ctx context.Context, in *ReqAccountResetAuthorization, opts ...grpc.CallOption) (*TypeBool, error)
	AccountGetPasswordSettings(ctx context.Context, in *ReqAccountGetPasswordSettings, opts ...grpc.CallOption) (*TypeAccountPasswordSettings, error)
	AccountUpdatePasswordSettings(ctx context.Context, in *ReqAccountUpdatePasswordSettings, opts ...grpc.CallOption) (*TypeBool, error)
	AuthRequestPasswordRecovery(ctx context.Context, in *ReqAuthRequestPasswordRecovery, opts ...grpc.CallOption) (*TypeAuthPasswordRecovery, error)
	AuthRecoverPassword(ctx context.Context, in *ReqAuthRecoverPassword, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	InvokeWithoutUpdates(ctx context.Context, in *ReqInvokeWithoutUpdates, opts ...grpc.CallOption) (*any.Any, error)
	MessagesExportChatInvite(ctx context.Context, in *ReqMessagesExportChatInvite, opts ...grpc.CallOption) (*TypeExportedChatInvite, error)
	MessagesCheckChatInvite(ctx context.Context, in *ReqMessagesCheckChatInvite, opts ...grpc.CallOption) (*TypeChatInvite, error)
	MessagesImportChatInvite(ctx context.Context, in *ReqMessagesImportChatInvite, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesGetStickerSet(ctx context.Context, in *ReqMessagesGetStickerSet, opts ...grpc.CallOption) (*TypeMessagesStickerSet, error)
	MessagesInstallStickerSet(ctx context.Context, in *ReqMessagesInstallStickerSet, opts ...grpc.CallOption) (*TypeMessagesStickerSetInstallResult, error)
	MessagesUninstallStickerSet(ctx context.Context, in *ReqMessagesUninstallStickerSet, opts ...grpc.CallOption) (*TypeBool, error)
	AuthImportBotAuthorization(ctx context.Context, in *ReqAuthImportBotAuthorization, opts ...grpc.CallOption) (*TypeAuthAuthorization, error)
	MessagesStartBot(ctx context.Context, in *ReqMessagesStartBot, opts ...grpc.CallOption) (*TypeUpdates, error)
	HelpGetAppChangelog(ctx context.Context, in *ReqHelpGetAppChangelog, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesReportSpam(ctx context.Context, in *ReqMessagesReportSpam, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetMessagesViews(ctx context.Context, in *ReqMessagesGetMessagesViews, opts ...grpc.CallOption) (*TypeVectorInt, error)
	UpdatesGetChannelDifference(ctx context.Context, in *ReqUpdatesGetChannelDifference, opts ...grpc.CallOption) (*TypeUpdatesChannelDifference, error)
	ChannelsReadHistory(ctx context.Context, in *ReqChannelsReadHistory, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsDeleteMessages(ctx context.Context, in *ReqChannelsDeleteMessages, opts ...grpc.CallOption) (*TypeMessagesAffectedMessages, error)
	ChannelsDeleteUserHistory(ctx context.Context, in *ReqChannelsDeleteUserHistory, opts ...grpc.CallOption) (*TypeMessagesAffectedHistory, error)
	ChannelsReportSpam(ctx context.Context, in *ReqChannelsReportSpam, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsGetMessages(ctx context.Context, in *ReqChannelsGetMessages, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	ChannelsGetParticipants(ctx context.Context, in *ReqChannelsGetParticipants, opts ...grpc.CallOption) (*TypeChannelsChannelParticipants, error)
	ChannelsGetParticipant(ctx context.Context, in *ReqChannelsGetParticipant, opts ...grpc.CallOption) (*TypeChannelsChannelParticipant, error)
	ChannelsGetChannels(ctx context.Context, in *ReqChannelsGetChannels, opts ...grpc.CallOption) (*TypeMessagesChats, error)
	ChannelsGetFullChannel(ctx context.Context, in *ReqChannelsGetFullChannel, opts ...grpc.CallOption) (*TypeMessagesChatFull, error)
	ChannelsCreateChannel(ctx context.Context, in *ReqChannelsCreateChannel, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsEditAbout(ctx context.Context, in *ReqChannelsEditAbout, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsEditAdmin(ctx context.Context, in *ReqChannelsEditAdmin, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsEditTitle(ctx context.Context, in *ReqChannelsEditTitle, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsEditPhoto(ctx context.Context, in *ReqChannelsEditPhoto, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsCheckUsername(ctx context.Context, in *ReqChannelsCheckUsername, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsUpdateUsername(ctx context.Context, in *ReqChannelsUpdateUsername, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsJoinChannel(ctx context.Context, in *ReqChannelsJoinChannel, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsLeaveChannel(ctx context.Context, in *ReqChannelsLeaveChannel, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsInviteToChannel(ctx context.Context, in *ReqChannelsInviteToChannel, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsExportInvite(ctx context.Context, in *ReqChannelsExportInvite, opts ...grpc.CallOption) (*TypeExportedChatInvite, error)
	ChannelsDeleteChannel(ctx context.Context, in *ReqChannelsDeleteChannel, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesToggleChatAdmins(ctx context.Context, in *ReqMessagesToggleChatAdmins, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesEditChatAdmin(ctx context.Context, in *ReqMessagesEditChatAdmin, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesMigrateChat(ctx context.Context, in *ReqMessagesMigrateChat, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesSearchGlobal(ctx context.Context, in *ReqMessagesSearchGlobal, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	AccountReportPeer(ctx context.Context, in *ReqAccountReportPeer, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesReorderStickerSets(ctx context.Context, in *ReqMessagesReorderStickerSets, opts ...grpc.CallOption) (*TypeBool, error)
	HelpGetTermsOfService(ctx context.Context, in *ReqHelpGetTermsOfService, opts ...grpc.CallOption) (*TypeHelpTermsOfService, error)
	MessagesGetDocumentByHash(ctx context.Context, in *ReqMessagesGetDocumentByHash, opts ...grpc.CallOption) (*TypeDocument, error)
	MessagesSearchGifs(ctx context.Context, in *ReqMessagesSearchGifs, opts ...grpc.CallOption) (*TypeMessagesFoundGifs, error)
	MessagesGetSavedGifs(ctx context.Context, in *ReqMessagesGetSavedGifs, opts ...grpc.CallOption) (*TypeMessagesSavedGifs, error)
	MessagesSaveGif(ctx context.Context, in *ReqMessagesSaveGif, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetInlineBotResults(ctx context.Context, in *ReqMessagesGetInlineBotResults, opts ...grpc.CallOption) (*TypeMessagesBotResults, error)
	MessagesSetInlineBotResults(ctx context.Context, in *ReqMessagesSetInlineBotResults, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSendInlineBotResult(ctx context.Context, in *ReqMessagesSendInlineBotResult, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsToggleInvites(ctx context.Context, in *ReqChannelsToggleInvites, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsExportMessageLink(ctx context.Context, in *ReqChannelsExportMessageLink, opts ...grpc.CallOption) (*TypeExportedMessageLink, error)
	ChannelsToggleSignatures(ctx context.Context, in *ReqChannelsToggleSignatures, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesHideReportSpam(ctx context.Context, in *ReqMessagesHideReportSpam, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetPeerSettings(ctx context.Context, in *ReqMessagesGetPeerSettings, opts ...grpc.CallOption) (*TypePeerSettings, error)
	ChannelsUpdatePinnedMessage(ctx context.Context, in *ReqChannelsUpdatePinnedMessage, opts ...grpc.CallOption) (*TypeUpdates, error)
	AuthResendCode(ctx context.Context, in *ReqAuthResendCode, opts ...grpc.CallOption) (*TypeAuthSentCode, error)
	AuthCancelCode(ctx context.Context, in *ReqAuthCancelCode, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetMessageEditData(ctx context.Context, in *ReqMessagesGetMessageEditData, opts ...grpc.CallOption) (*TypeMessagesMessageEditData, error)
	MessagesEditMessage(ctx context.Context, in *ReqMessagesEditMessage, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesEditInlineBotMessage(ctx context.Context, in *ReqMessagesEditInlineBotMessage, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetBotCallbackAnswer(ctx context.Context, in *ReqMessagesGetBotCallbackAnswer, opts ...grpc.CallOption) (*TypeMessagesBotCallbackAnswer, error)
	MessagesSetBotCallbackAnswer(ctx context.Context, in *ReqMessagesSetBotCallbackAnswer, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsGetTopPeers(ctx context.Context, in *ReqContactsGetTopPeers, opts ...grpc.CallOption) (*TypeContactsTopPeers, error)
	ContactsResetTopPeerRating(ctx context.Context, in *ReqContactsResetTopPeerRating, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetPeerDialogs(ctx context.Context, in *ReqMessagesGetPeerDialogs, opts ...grpc.CallOption) (*TypeMessagesPeerDialogs, error)
	MessagesSaveDraft(ctx context.Context, in *ReqMessagesSaveDraft, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetAllDrafts(ctx context.Context, in *ReqMessagesGetAllDrafts, opts ...grpc.CallOption) (*TypeUpdates, error)
	AccountSendConfirmPhoneCode(ctx context.Context, in *ReqAccountSendConfirmPhoneCode, opts ...grpc.CallOption) (*TypeAuthSentCode, error)
	AccountConfirmPhone(ctx context.Context, in *ReqAccountConfirmPhone, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetFeaturedStickers(ctx context.Context, in *ReqMessagesGetFeaturedStickers, opts ...grpc.CallOption) (*TypeMessagesFeaturedStickers, error)
	MessagesReadFeaturedStickers(ctx context.Context, in *ReqMessagesReadFeaturedStickers, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetRecentStickers(ctx context.Context, in *ReqMessagesGetRecentStickers, opts ...grpc.CallOption) (*TypeMessagesRecentStickers, error)
	MessagesSaveRecentSticker(ctx context.Context, in *ReqMessagesSaveRecentSticker, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesClearRecentStickers(ctx context.Context, in *ReqMessagesClearRecentStickers, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetArchivedStickers(ctx context.Context, in *ReqMessagesGetArchivedStickers, opts ...grpc.CallOption) (*TypeMessagesArchivedStickers, error)
	ChannelsGetAdminedPublicChannels(ctx context.Context, in *ReqChannelsGetAdminedPublicChannels, opts ...grpc.CallOption) (*TypeMessagesChats, error)
	AuthDropTempAuthKeys(ctx context.Context, in *ReqAuthDropTempAuthKeys, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSetGameScore(ctx context.Context, in *ReqMessagesSetGameScore, opts ...grpc.CallOption) (*TypeUpdates, error)
	MessagesSetInlineGameScore(ctx context.Context, in *ReqMessagesSetInlineGameScore, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetMaskStickers(ctx context.Context, in *ReqMessagesGetMaskStickers, opts ...grpc.CallOption) (*TypeMessagesAllStickers, error)
	MessagesGetAttachedStickers(ctx context.Context, in *ReqMessagesGetAttachedStickers, opts ...grpc.CallOption) (*TypeVectorStickerSetCovered, error)
	MessagesGetGameHighScores(ctx context.Context, in *ReqMessagesGetGameHighScores, opts ...grpc.CallOption) (*TypeMessagesHighScores, error)
	MessagesGetInlineGameHighScores(ctx context.Context, in *ReqMessagesGetInlineGameHighScores, opts ...grpc.CallOption) (*TypeMessagesHighScores, error)
	MessagesGetCommonChats(ctx context.Context, in *ReqMessagesGetCommonChats, opts ...grpc.CallOption) (*TypeMessagesChats, error)
	MessagesGetAllChats(ctx context.Context, in *ReqMessagesGetAllChats, opts ...grpc.CallOption) (*TypeMessagesChats, error)
	HelpSetBotUpdatesStatus(ctx context.Context, in *ReqHelpSetBotUpdatesStatus, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetWebPage(ctx context.Context, in *ReqMessagesGetWebPage, opts ...grpc.CallOption) (*TypeWebPage, error)
	MessagesToggleDialogPin(ctx context.Context, in *ReqMessagesToggleDialogPin, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesReorderPinnedDialogs(ctx context.Context, in *ReqMessagesReorderPinnedDialogs, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetPinnedDialogs(ctx context.Context, in *ReqMessagesGetPinnedDialogs, opts ...grpc.CallOption) (*TypeMessagesPeerDialogs, error)
	PhoneRequestCall(ctx context.Context, in *ReqPhoneRequestCall, opts ...grpc.CallOption) (*TypePhonePhoneCall, error)
	PhoneAcceptCall(ctx context.Context, in *ReqPhoneAcceptCall, opts ...grpc.CallOption) (*TypePhonePhoneCall, error)
	PhoneDiscardCall(ctx context.Context, in *ReqPhoneDiscardCall, opts ...grpc.CallOption) (*TypeUpdates, error)
	PhoneReceivedCall(ctx context.Context, in *ReqPhoneReceivedCall, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesReportEncryptedSpam(ctx context.Context, in *ReqMessagesReportEncryptedSpam, opts ...grpc.CallOption) (*TypeBool, error)
	PaymentsGetPaymentForm(ctx context.Context, in *ReqPaymentsGetPaymentForm, opts ...grpc.CallOption) (*TypePaymentsPaymentForm, error)
	PaymentsSendPaymentForm(ctx context.Context, in *ReqPaymentsSendPaymentForm, opts ...grpc.CallOption) (*TypePaymentsPaymentResult, error)
	AccountGetTmpPassword(ctx context.Context, in *ReqAccountGetTmpPassword, opts ...grpc.CallOption) (*TypeAccountTmpPassword, error)
	MessagesSetBotShippingResults(ctx context.Context, in *ReqMessagesSetBotShippingResults, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesSetBotPrecheckoutResults(ctx context.Context, in *ReqMessagesSetBotPrecheckoutResults, opts ...grpc.CallOption) (*TypeBool, error)
	UploadGetWebFile(ctx context.Context, in *ReqUploadGetWebFile, opts ...grpc.CallOption) (*TypeUploadWebFile, error)
	BotsSendCustomRequest(ctx context.Context, in *ReqBotsSendCustomRequest, opts ...grpc.CallOption) (*TypeDataJSON, error)
	BotsAnswerWebhookJSONQuery(ctx context.Context, in *ReqBotsAnswerWebhookJSONQuery, opts ...grpc.CallOption) (*TypeBool, error)
	PaymentsGetPaymentReceipt(ctx context.Context, in *ReqPaymentsGetPaymentReceipt, opts ...grpc.CallOption) (*TypePaymentsPaymentReceipt, error)
	PaymentsValidateRequestedInfo(ctx context.Context, in *ReqPaymentsValidateRequestedInfo, opts ...grpc.CallOption) (*TypePaymentsValidatedRequestedInfo, error)
	PaymentsGetSavedInfo(ctx context.Context, in *ReqPaymentsGetSavedInfo, opts ...grpc.CallOption) (*TypePaymentsSavedInfo, error)
	PaymentsClearSavedInfo(ctx context.Context, in *ReqPaymentsClearSavedInfo, opts ...grpc.CallOption) (*TypeBool, error)
	PhoneGetCallConfig(ctx context.Context, in *ReqPhoneGetCallConfig, opts ...grpc.CallOption) (*TypeDataJSON, error)
	PhoneConfirmCall(ctx context.Context, in *ReqPhoneConfirmCall, opts ...grpc.CallOption) (*TypePhonePhoneCall, error)
	PhoneSetCallRating(ctx context.Context, in *ReqPhoneSetCallRating, opts ...grpc.CallOption) (*TypeUpdates, error)
	PhoneSaveCallDebug(ctx context.Context, in *ReqPhoneSaveCallDebug, opts ...grpc.CallOption) (*TypeBool, error)
	UploadGetCdnFile(ctx context.Context, in *ReqUploadGetCdnFile, opts ...grpc.CallOption) (*TypeUploadCdnFile, error)
	UploadReuploadCdnFile(ctx context.Context, in *ReqUploadReuploadCdnFile, opts ...grpc.CallOption) (*TypeVectorCdnFileHash, error)
	HelpGetCdnConfig(ctx context.Context, in *ReqHelpGetCdnConfig, opts ...grpc.CallOption) (*TypeCdnConfig, error)
	MessagesUploadMedia(ctx context.Context, in *ReqMessagesUploadMedia, opts ...grpc.CallOption) (*TypeMessageMedia, error)
	StickersCreateStickerSet(ctx context.Context, in *ReqStickersCreateStickerSet, opts ...grpc.CallOption) (*TypeMessagesStickerSet, error)
	LangpackGetLangPack(ctx context.Context, in *ReqLangpackGetLangPack, opts ...grpc.CallOption) (*TypeLangPackDifference, error)
	LangpackGetStrings(ctx context.Context, in *ReqLangpackGetStrings, opts ...grpc.CallOption) (*TypeVectorLangPackString, error)
	LangpackGetDifference(ctx context.Context, in *ReqLangpackGetDifference, opts ...grpc.CallOption) (*TypeLangPackDifference, error)
	LangpackGetLanguages(ctx context.Context, in *ReqLangpackGetLanguages, opts ...grpc.CallOption) (*TypeVectorLangPackLanguage, error)
	ChannelsEditBanned(ctx context.Context, in *ReqChannelsEditBanned, opts ...grpc.CallOption) (*TypeUpdates, error)
	ChannelsGetAdminLog(ctx context.Context, in *ReqChannelsGetAdminLog, opts ...grpc.CallOption) (*TypeChannelsAdminLogResults, error)
	StickersRemoveStickerFromSet(ctx context.Context, in *ReqStickersRemoveStickerFromSet, opts ...grpc.CallOption) (*TypeMessagesStickerSet, error)
	StickersChangeStickerPosition(ctx context.Context, in *ReqStickersChangeStickerPosition, opts ...grpc.CallOption) (*TypeMessagesStickerSet, error)
	StickersAddStickerToSet(ctx context.Context, in *ReqStickersAddStickerToSet, opts ...grpc.CallOption) (*TypeMessagesStickerSet, error)
	MessagesSendScreenshotNotification(ctx context.Context, in *ReqMessagesSendScreenshotNotification, opts ...grpc.CallOption) (*TypeUpdates, error)
	UploadGetCdnFileHashes(ctx context.Context, in *ReqUploadGetCdnFileHashes, opts ...grpc.CallOption) (*TypeVectorCdnFileHash, error)
	MessagesGetUnreadMentions(ctx context.Context, in *ReqMessagesGetUnreadMentions, opts ...grpc.CallOption) (*TypeMessagesMessages, error)
	MessagesFaveSticker(ctx context.Context, in *ReqMessagesFaveSticker, opts ...grpc.CallOption) (*TypeBool, error)
	ChannelsSetStickers(ctx context.Context, in *ReqChannelsSetStickers, opts ...grpc.CallOption) (*TypeBool, error)
	ContactsResetSaved(ctx context.Context, in *ReqContactsResetSaved, opts ...grpc.CallOption) (*TypeBool, error)
	MessagesGetFavedStickers(ctx context.Context, in *ReqMessagesGetFavedStickers, opts ...grpc.CallOption) (*TypeMessagesFavedStickers, error)
	ChannelsReadMessageContents(ctx context.Context, in *ReqChannelsReadMessageContents, opts ...grpc.CallOption) (*TypeBool, error)
}

func NewMtprotoClient

func NewMtprotoClient(cc *grpc.ClientConn) MtprotoClient

type MtprotoServer

type MtprotoServer interface {
	InvokeAfterMsg(context.Context, *ReqInvokeAfterMsg) (*any.Any, error)
	InvokeAfterMsgs(context.Context, *ReqInvokeAfterMsgs) (*any.Any, error)
	AuthCheckPhone(context.Context, *ReqAuthCheckPhone) (*TypeAuthCheckedPhone, error)
	AuthSendCode(context.Context, *ReqAuthSendCode) (*TypeAuthSentCode, error)
	AuthSignUp(context.Context, *ReqAuthSignUp) (*TypeAuthAuthorization, error)
	AuthSignIn(context.Context, *ReqAuthSignIn) (*TypeAuthAuthorization, error)
	AuthLogOut(context.Context, *ReqAuthLogOut) (*TypeBool, error)
	AuthResetAuthorizations(context.Context, *ReqAuthResetAuthorizations) (*TypeBool, error)
	AuthSendInvites(context.Context, *ReqAuthSendInvites) (*TypeBool, error)
	AuthExportAuthorization(context.Context, *ReqAuthExportAuthorization) (*TypeAuthExportedAuthorization, error)
	AuthImportAuthorization(context.Context, *ReqAuthImportAuthorization) (*TypeAuthAuthorization, error)
	AccountRegisterDevice(context.Context, *ReqAccountRegisterDevice) (*TypeBool, error)
	AccountUnregisterDevice(context.Context, *ReqAccountUnregisterDevice) (*TypeBool, error)
	AccountUpdateNotifySettings(context.Context, *ReqAccountUpdateNotifySettings) (*TypeBool, error)
	AccountGetNotifySettings(context.Context, *ReqAccountGetNotifySettings) (*TypePeerNotifySettings, error)
	AccountResetNotifySettings(context.Context, *ReqAccountResetNotifySettings) (*TypeBool, error)
	AccountUpdateProfile(context.Context, *ReqAccountUpdateProfile) (*TypeUser, error)
	AccountUpdateStatus(context.Context, *ReqAccountUpdateStatus) (*TypeBool, error)
	AccountGetWallPapers(context.Context, *ReqAccountGetWallPapers) (*TypeVectorWallPaper, error)
	UsersGetUsers(context.Context, *ReqUsersGetUsers) (*TypeVectorUser, error)
	UsersGetFullUser(context.Context, *ReqUsersGetFullUser) (*TypeUserFull, error)
	ContactsGetStatuses(context.Context, *ReqContactsGetStatuses) (*TypeVectorContactStatus, error)
	ContactsGetContacts(context.Context, *ReqContactsGetContacts) (*TypeContactsContacts, error)
	ContactsImportContacts(context.Context, *ReqContactsImportContacts) (*TypeContactsImportedContacts, error)
	ContactsSearch(context.Context, *ReqContactsSearch) (*TypeContactsFound, error)
	ContactsDeleteContact(context.Context, *ReqContactsDeleteContact) (*TypeContactsLink, error)
	ContactsDeleteContacts(context.Context, *ReqContactsDeleteContacts) (*TypeBool, error)
	ContactsBlock(context.Context, *ReqContactsBlock) (*TypeBool, error)
	ContactsUnblock(context.Context, *ReqContactsUnblock) (*TypeBool, error)
	ContactsGetBlocked(context.Context, *ReqContactsGetBlocked) (*TypeContactsBlocked, error)
	MessagesGetMessages(context.Context, *ReqMessagesGetMessages) (*TypeMessagesMessages, error)
	MessagesGetDialogs(context.Context, *ReqMessagesGetDialogs) (*TypeMessagesDialogs, error)
	MessagesGetHistory(context.Context, *ReqMessagesGetHistory) (*TypeMessagesMessages, error)
	MessagesSearch(context.Context, *ReqMessagesSearch) (*TypeMessagesMessages, error)
	MessagesReadHistory(context.Context, *ReqMessagesReadHistory) (*TypeMessagesAffectedMessages, error)
	MessagesDeleteHistory(context.Context, *ReqMessagesDeleteHistory) (*TypeMessagesAffectedHistory, error)
	MessagesDeleteMessages(context.Context, *ReqMessagesDeleteMessages) (*TypeMessagesAffectedMessages, error)
	MessagesReceivedMessages(context.Context, *ReqMessagesReceivedMessages) (*TypeVectorReceivedNotifyMessage, error)
	MessagesSetTyping(context.Context, *ReqMessagesSetTyping) (*TypeBool, error)
	MessagesSendMessage(context.Context, *ReqMessagesSendMessage) (*TypeUpdates, error)
	MessagesSendMedia(context.Context, *ReqMessagesSendMedia) (*TypeUpdates, error)
	MessagesForwardMessages(context.Context, *ReqMessagesForwardMessages) (*TypeUpdates, error)
	MessagesGetChats(context.Context, *ReqMessagesGetChats) (*TypeMessagesChats, error)
	MessagesGetFullChat(context.Context, *ReqMessagesGetFullChat) (*TypeMessagesChatFull, error)
	MessagesEditChatTitle(context.Context, *ReqMessagesEditChatTitle) (*TypeUpdates, error)
	MessagesEditChatPhoto(context.Context, *ReqMessagesEditChatPhoto) (*TypeUpdates, error)
	MessagesAddChatUser(context.Context, *ReqMessagesAddChatUser) (*TypeUpdates, error)
	MessagesDeleteChatUser(context.Context, *ReqMessagesDeleteChatUser) (*TypeUpdates, error)
	MessagesCreateChat(context.Context, *ReqMessagesCreateChat) (*TypeUpdates, error)
	UpdatesGetState(context.Context, *ReqUpdatesGetState) (*TypeUpdatesState, error)
	UpdatesGetDifference(context.Context, *ReqUpdatesGetDifference) (*TypeUpdatesDifference, error)
	PhotosUpdateProfilePhoto(context.Context, *ReqPhotosUpdateProfilePhoto) (*TypeUserProfilePhoto, error)
	PhotosUploadProfilePhoto(context.Context, *ReqPhotosUploadProfilePhoto) (*TypePhotosPhoto, error)
	UploadSaveFilePart(context.Context, *ReqUploadSaveFilePart) (*TypeBool, error)
	UploadGetFile(context.Context, *ReqUploadGetFile) (*TypeUploadFile, error)
	HelpGetConfig(context.Context, *ReqHelpGetConfig) (*TypeConfig, error)
	HelpGetNearestDc(context.Context, *ReqHelpGetNearestDc) (*TypeNearestDc, error)
	HelpGetAppUpdate(context.Context, *ReqHelpGetAppUpdate) (*TypeHelpAppUpdate, error)
	HelpSaveAppLog(context.Context, *ReqHelpSaveAppLog) (*TypeBool, error)
	HelpGetInviteText(context.Context, *ReqHelpGetInviteText) (*TypeHelpInviteText, error)
	PhotosDeletePhotos(context.Context, *ReqPhotosDeletePhotos) (*TypeVectorLong, error)
	PhotosGetUserPhotos(context.Context, *ReqPhotosGetUserPhotos) (*TypePhotosPhotos, error)
	MessagesForwardMessage(context.Context, *ReqMessagesForwardMessage) (*TypeUpdates, error)
	MessagesGetDhConfig(context.Context, *ReqMessagesGetDhConfig) (*TypeMessagesDhConfig, error)
	MessagesRequestEncryption(context.Context, *ReqMessagesRequestEncryption) (*TypeEncryptedChat, error)
	MessagesAcceptEncryption(context.Context, *ReqMessagesAcceptEncryption) (*TypeEncryptedChat, error)
	MessagesDiscardEncryption(context.Context, *ReqMessagesDiscardEncryption) (*TypeBool, error)
	MessagesSetEncryptedTyping(context.Context, *ReqMessagesSetEncryptedTyping) (*TypeBool, error)
	MessagesReadEncryptedHistory(context.Context, *ReqMessagesReadEncryptedHistory) (*TypeBool, error)
	MessagesSendEncrypted(context.Context, *ReqMessagesSendEncrypted) (*TypeMessagesSentEncryptedMessage, error)
	MessagesSendEncryptedFile(context.Context, *ReqMessagesSendEncryptedFile) (*TypeMessagesSentEncryptedMessage, error)
	MessagesSendEncryptedService(context.Context, *ReqMessagesSendEncryptedService) (*TypeMessagesSentEncryptedMessage, error)
	MessagesReceivedQueue(context.Context, *ReqMessagesReceivedQueue) (*TypeVectorLong, error)
	UploadSaveBigFilePart(context.Context, *ReqUploadSaveBigFilePart) (*TypeBool, error)
	InitConnection(context.Context, *ReqInitConnection) (*any.Any, error)
	HelpGetSupport(context.Context, *ReqHelpGetSupport) (*TypeHelpSupport, error)
	AuthBindTempAuthKey(context.Context, *ReqAuthBindTempAuthKey) (*TypeBool, error)
	ContactsExportCard(context.Context, *ReqContactsExportCard) (*TypeVectorInt, error)
	ContactsImportCard(context.Context, *ReqContactsImportCard) (*TypeUser, error)
	MessagesReadMessageContents(context.Context, *ReqMessagesReadMessageContents) (*TypeMessagesAffectedMessages, error)
	AccountCheckUsername(context.Context, *ReqAccountCheckUsername) (*TypeBool, error)
	AccountUpdateUsername(context.Context, *ReqAccountUpdateUsername) (*TypeUser, error)
	AccountGetPrivacy(context.Context, *ReqAccountGetPrivacy) (*TypeAccountPrivacyRules, error)
	AccountSetPrivacy(context.Context, *ReqAccountSetPrivacy) (*TypeAccountPrivacyRules, error)
	AccountDeleteAccount(context.Context, *ReqAccountDeleteAccount) (*TypeBool, error)
	AccountGetAccountTTL(context.Context, *ReqAccountGetAccountTTL) (*TypeAccountDaysTTL, error)
	AccountSetAccountTTL(context.Context, *ReqAccountSetAccountTTL) (*TypeBool, error)
	InvokeWithLayer(context.Context, *ReqInvokeWithLayer) (*any.Any, error)
	ContactsResolveUsername(context.Context, *ReqContactsResolveUsername) (*TypeContactsResolvedPeer, error)
	AccountSendChangePhoneCode(context.Context, *ReqAccountSendChangePhoneCode) (*TypeAuthSentCode, error)
	AccountChangePhone(context.Context, *ReqAccountChangePhone) (*TypeUser, error)
	MessagesGetAllStickers(context.Context, *ReqMessagesGetAllStickers) (*TypeMessagesAllStickers, error)
	AccountUpdateDeviceLocked(context.Context, *ReqAccountUpdateDeviceLocked) (*TypeBool, error)
	AccountGetPassword(context.Context, *ReqAccountGetPassword) (*TypeAccountPassword, error)
	AuthCheckPassword(context.Context, *ReqAuthCheckPassword) (*TypeAuthAuthorization, error)
	MessagesGetWebPagePreview(context.Context, *ReqMessagesGetWebPagePreview) (*TypeMessageMedia, error)
	AccountGetAuthorizations(context.Context, *ReqAccountGetAuthorizations) (*TypeAccountAuthorizations, error)
	AccountResetAuthorization(context.Context, *ReqAccountResetAuthorization) (*TypeBool, error)
	AccountGetPasswordSettings(context.Context, *ReqAccountGetPasswordSettings) (*TypeAccountPasswordSettings, error)
	AccountUpdatePasswordSettings(context.Context, *ReqAccountUpdatePasswordSettings) (*TypeBool, error)
	AuthRequestPasswordRecovery(context.Context, *ReqAuthRequestPasswordRecovery) (*TypeAuthPasswordRecovery, error)
	AuthRecoverPassword(context.Context, *ReqAuthRecoverPassword) (*TypeAuthAuthorization, error)
	InvokeWithoutUpdates(context.Context, *ReqInvokeWithoutUpdates) (*any.Any, error)
	MessagesExportChatInvite(context.Context, *ReqMessagesExportChatInvite) (*TypeExportedChatInvite, error)
	MessagesCheckChatInvite(context.Context, *ReqMessagesCheckChatInvite) (*TypeChatInvite, error)
	MessagesImportChatInvite(context.Context, *ReqMessagesImportChatInvite) (*TypeUpdates, error)
	MessagesGetStickerSet(context.Context, *ReqMessagesGetStickerSet) (*TypeMessagesStickerSet, error)
	MessagesInstallStickerSet(context.Context, *ReqMessagesInstallStickerSet) (*TypeMessagesStickerSetInstallResult, error)
	MessagesUninstallStickerSet(context.Context, *ReqMessagesUninstallStickerSet) (*TypeBool, error)
	AuthImportBotAuthorization(context.Context, *ReqAuthImportBotAuthorization) (*TypeAuthAuthorization, error)
	MessagesStartBot(context.Context, *ReqMessagesStartBot) (*TypeUpdates, error)
	HelpGetAppChangelog(context.Context, *ReqHelpGetAppChangelog) (*TypeUpdates, error)
	MessagesReportSpam(context.Context, *ReqMessagesReportSpam) (*TypeBool, error)
	MessagesGetMessagesViews(context.Context, *ReqMessagesGetMessagesViews) (*TypeVectorInt, error)
	UpdatesGetChannelDifference(context.Context, *ReqUpdatesGetChannelDifference) (*TypeUpdatesChannelDifference, error)
	ChannelsReadHistory(context.Context, *ReqChannelsReadHistory) (*TypeBool, error)
	ChannelsDeleteMessages(context.Context, *ReqChannelsDeleteMessages) (*TypeMessagesAffectedMessages, error)
	ChannelsDeleteUserHistory(context.Context, *ReqChannelsDeleteUserHistory) (*TypeMessagesAffectedHistory, error)
	ChannelsReportSpam(context.Context, *ReqChannelsReportSpam) (*TypeBool, error)
	ChannelsGetMessages(context.Context, *ReqChannelsGetMessages) (*TypeMessagesMessages, error)
	ChannelsGetParticipants(context.Context, *ReqChannelsGetParticipants) (*TypeChannelsChannelParticipants, error)
	ChannelsGetParticipant(context.Context, *ReqChannelsGetParticipant) (*TypeChannelsChannelParticipant, error)
	ChannelsGetChannels(context.Context, *ReqChannelsGetChannels) (*TypeMessagesChats, error)
	ChannelsGetFullChannel(context.Context, *ReqChannelsGetFullChannel) (*TypeMessagesChatFull, error)
	ChannelsCreateChannel(context.Context, *ReqChannelsCreateChannel) (*TypeUpdates, error)
	ChannelsEditAbout(context.Context, *ReqChannelsEditAbout) (*TypeBool, error)
	ChannelsEditAdmin(context.Context, *ReqChannelsEditAdmin) (*TypeUpdates, error)
	ChannelsEditTitle(context.Context, *ReqChannelsEditTitle) (*TypeUpdates, error)
	ChannelsEditPhoto(context.Context, *ReqChannelsEditPhoto) (*TypeUpdates, error)
	ChannelsCheckUsername(context.Context, *ReqChannelsCheckUsername) (*TypeBool, error)
	ChannelsUpdateUsername(context.Context, *ReqChannelsUpdateUsername) (*TypeBool, error)
	ChannelsJoinChannel(context.Context, *ReqChannelsJoinChannel) (*TypeUpdates, error)
	ChannelsLeaveChannel(context.Context, *ReqChannelsLeaveChannel) (*TypeUpdates, error)
	ChannelsInviteToChannel(context.Context, *ReqChannelsInviteToChannel) (*TypeUpdates, error)
	ChannelsExportInvite(context.Context, *ReqChannelsExportInvite) (*TypeExportedChatInvite, error)
	ChannelsDeleteChannel(context.Context, *ReqChannelsDeleteChannel) (*TypeUpdates, error)
	MessagesToggleChatAdmins(context.Context, *ReqMessagesToggleChatAdmins) (*TypeUpdates, error)
	MessagesEditChatAdmin(context.Context, *ReqMessagesEditChatAdmin) (*TypeBool, error)
	MessagesMigrateChat(context.Context, *ReqMessagesMigrateChat) (*TypeUpdates, error)
	MessagesSearchGlobal(context.Context, *ReqMessagesSearchGlobal) (*TypeMessagesMessages, error)
	AccountReportPeer(context.Context, *ReqAccountReportPeer) (*TypeBool, error)
	MessagesReorderStickerSets(context.Context, *ReqMessagesReorderStickerSets) (*TypeBool, error)
	HelpGetTermsOfService(context.Context, *ReqHelpGetTermsOfService) (*TypeHelpTermsOfService, error)
	MessagesGetDocumentByHash(context.Context, *ReqMessagesGetDocumentByHash) (*TypeDocument, error)
	MessagesSearchGifs(context.Context, *ReqMessagesSearchGifs) (*TypeMessagesFoundGifs, error)
	MessagesGetSavedGifs(context.Context, *ReqMessagesGetSavedGifs) (*TypeMessagesSavedGifs, error)
	MessagesSaveGif(context.Context, *ReqMessagesSaveGif) (*TypeBool, error)
	MessagesGetInlineBotResults(context.Context, *ReqMessagesGetInlineBotResults) (*TypeMessagesBotResults, error)
	MessagesSetInlineBotResults(context.Context, *ReqMessagesSetInlineBotResults) (*TypeBool, error)
	MessagesSendInlineBotResult(context.Context, *ReqMessagesSendInlineBotResult) (*TypeUpdates, error)
	ChannelsToggleInvites(context.Context, *ReqChannelsToggleInvites) (*TypeUpdates, error)
	ChannelsExportMessageLink(context.Context, *ReqChannelsExportMessageLink) (*TypeExportedMessageLink, error)
	ChannelsToggleSignatures(context.Context, *ReqChannelsToggleSignatures) (*TypeUpdates, error)
	MessagesHideReportSpam(context.Context, *ReqMessagesHideReportSpam) (*TypeBool, error)
	MessagesGetPeerSettings(context.Context, *ReqMessagesGetPeerSettings) (*TypePeerSettings, error)
	ChannelsUpdatePinnedMessage(context.Context, *ReqChannelsUpdatePinnedMessage) (*TypeUpdates, error)
	AuthResendCode(context.Context, *ReqAuthResendCode) (*TypeAuthSentCode, error)
	AuthCancelCode(context.Context, *ReqAuthCancelCode) (*TypeBool, error)
	MessagesGetMessageEditData(context.Context, *ReqMessagesGetMessageEditData) (*TypeMessagesMessageEditData, error)
	MessagesEditMessage(context.Context, *ReqMessagesEditMessage) (*TypeUpdates, error)
	MessagesEditInlineBotMessage(context.Context, *ReqMessagesEditInlineBotMessage) (*TypeBool, error)
	MessagesGetBotCallbackAnswer(context.Context, *ReqMessagesGetBotCallbackAnswer) (*TypeMessagesBotCallbackAnswer, error)
	MessagesSetBotCallbackAnswer(context.Context, *ReqMessagesSetBotCallbackAnswer) (*TypeBool, error)
	ContactsGetTopPeers(context.Context, *ReqContactsGetTopPeers) (*TypeContactsTopPeers, error)
	ContactsResetTopPeerRating(context.Context, *ReqContactsResetTopPeerRating) (*TypeBool, error)
	MessagesGetPeerDialogs(context.Context, *ReqMessagesGetPeerDialogs) (*TypeMessagesPeerDialogs, error)
	MessagesSaveDraft(context.Context, *ReqMessagesSaveDraft) (*TypeBool, error)
	MessagesGetAllDrafts(context.Context, *ReqMessagesGetAllDrafts) (*TypeUpdates, error)
	AccountSendConfirmPhoneCode(context.Context, *ReqAccountSendConfirmPhoneCode) (*TypeAuthSentCode, error)
	AccountConfirmPhone(context.Context, *ReqAccountConfirmPhone) (*TypeBool, error)
	MessagesGetFeaturedStickers(context.Context, *ReqMessagesGetFeaturedStickers) (*TypeMessagesFeaturedStickers, error)
	MessagesReadFeaturedStickers(context.Context, *ReqMessagesReadFeaturedStickers) (*TypeBool, error)
	MessagesGetRecentStickers(context.Context, *ReqMessagesGetRecentStickers) (*TypeMessagesRecentStickers, error)
	MessagesSaveRecentSticker(context.Context, *ReqMessagesSaveRecentSticker) (*TypeBool, error)
	MessagesClearRecentStickers(context.Context, *ReqMessagesClearRecentStickers) (*TypeBool, error)
	MessagesGetArchivedStickers(context.Context, *ReqMessagesGetArchivedStickers) (*TypeMessagesArchivedStickers, error)
	ChannelsGetAdminedPublicChannels(context.Context, *ReqChannelsGetAdminedPublicChannels) (*TypeMessagesChats, error)
	AuthDropTempAuthKeys(context.Context, *ReqAuthDropTempAuthKeys) (*TypeBool, error)
	MessagesSetGameScore(context.Context, *ReqMessagesSetGameScore) (*TypeUpdates, error)
	MessagesSetInlineGameScore(context.Context, *ReqMessagesSetInlineGameScore) (*TypeBool, error)
	MessagesGetMaskStickers(context.Context, *ReqMessagesGetMaskStickers) (*TypeMessagesAllStickers, error)
	MessagesGetAttachedStickers(context.Context, *ReqMessagesGetAttachedStickers) (*TypeVectorStickerSetCovered, error)
	MessagesGetGameHighScores(context.Context, *ReqMessagesGetGameHighScores) (*TypeMessagesHighScores, error)
	MessagesGetInlineGameHighScores(context.Context, *ReqMessagesGetInlineGameHighScores) (*TypeMessagesHighScores, error)
	MessagesGetCommonChats(context.Context, *ReqMessagesGetCommonChats) (*TypeMessagesChats, error)
	MessagesGetAllChats(context.Context, *ReqMessagesGetAllChats) (*TypeMessagesChats, error)
	HelpSetBotUpdatesStatus(context.Context, *ReqHelpSetBotUpdatesStatus) (*TypeBool, error)
	MessagesGetWebPage(context.Context, *ReqMessagesGetWebPage) (*TypeWebPage, error)
	MessagesToggleDialogPin(context.Context, *ReqMessagesToggleDialogPin) (*TypeBool, error)
	MessagesReorderPinnedDialogs(context.Context, *ReqMessagesReorderPinnedDialogs) (*TypeBool, error)
	MessagesGetPinnedDialogs(context.Context, *ReqMessagesGetPinnedDialogs) (*TypeMessagesPeerDialogs, error)
	PhoneRequestCall(context.Context, *ReqPhoneRequestCall) (*TypePhonePhoneCall, error)
	PhoneAcceptCall(context.Context, *ReqPhoneAcceptCall) (*TypePhonePhoneCall, error)
	PhoneDiscardCall(context.Context, *ReqPhoneDiscardCall) (*TypeUpdates, error)
	PhoneReceivedCall(context.Context, *ReqPhoneReceivedCall) (*TypeBool, error)
	MessagesReportEncryptedSpam(context.Context, *ReqMessagesReportEncryptedSpam) (*TypeBool, error)
	PaymentsGetPaymentForm(context.Context, *ReqPaymentsGetPaymentForm) (*TypePaymentsPaymentForm, error)
	PaymentsSendPaymentForm(context.Context, *ReqPaymentsSendPaymentForm) (*TypePaymentsPaymentResult, error)
	AccountGetTmpPassword(context.Context, *ReqAccountGetTmpPassword) (*TypeAccountTmpPassword, error)
	MessagesSetBotShippingResults(context.Context, *ReqMessagesSetBotShippingResults) (*TypeBool, error)
	MessagesSetBotPrecheckoutResults(context.Context, *ReqMessagesSetBotPrecheckoutResults) (*TypeBool, error)
	UploadGetWebFile(context.Context, *ReqUploadGetWebFile) (*TypeUploadWebFile, error)
	BotsSendCustomRequest(context.Context, *ReqBotsSendCustomRequest) (*TypeDataJSON, error)
	BotsAnswerWebhookJSONQuery(context.Context, *ReqBotsAnswerWebhookJSONQuery) (*TypeBool, error)
	PaymentsGetPaymentReceipt(context.Context, *ReqPaymentsGetPaymentReceipt) (*TypePaymentsPaymentReceipt, error)
	PaymentsValidateRequestedInfo(context.Context, *ReqPaymentsValidateRequestedInfo) (*TypePaymentsValidatedRequestedInfo, error)
	PaymentsGetSavedInfo(context.Context, *ReqPaymentsGetSavedInfo) (*TypePaymentsSavedInfo, error)
	PaymentsClearSavedInfo(context.Context, *ReqPaymentsClearSavedInfo) (*TypeBool, error)
	PhoneGetCallConfig(context.Context, *ReqPhoneGetCallConfig) (*TypeDataJSON, error)
	PhoneConfirmCall(context.Context, *ReqPhoneConfirmCall) (*TypePhonePhoneCall, error)
	PhoneSetCallRating(context.Context, *ReqPhoneSetCallRating) (*TypeUpdates, error)
	PhoneSaveCallDebug(context.Context, *ReqPhoneSaveCallDebug) (*TypeBool, error)
	UploadGetCdnFile(context.Context, *ReqUploadGetCdnFile) (*TypeUploadCdnFile, error)
	UploadReuploadCdnFile(context.Context, *ReqUploadReuploadCdnFile) (*TypeVectorCdnFileHash, error)
	HelpGetCdnConfig(context.Context, *ReqHelpGetCdnConfig) (*TypeCdnConfig, error)
	MessagesUploadMedia(context.Context, *ReqMessagesUploadMedia) (*TypeMessageMedia, error)
	StickersCreateStickerSet(context.Context, *ReqStickersCreateStickerSet) (*TypeMessagesStickerSet, error)
	LangpackGetLangPack(context.Context, *ReqLangpackGetLangPack) (*TypeLangPackDifference, error)
	LangpackGetStrings(context.Context, *ReqLangpackGetStrings) (*TypeVectorLangPackString, error)
	LangpackGetDifference(context.Context, *ReqLangpackGetDifference) (*TypeLangPackDifference, error)
	LangpackGetLanguages(context.Context, *ReqLangpackGetLanguages) (*TypeVectorLangPackLanguage, error)
	ChannelsEditBanned(context.Context, *ReqChannelsEditBanned) (*TypeUpdates, error)
	ChannelsGetAdminLog(context.Context, *ReqChannelsGetAdminLog) (*TypeChannelsAdminLogResults, error)
	StickersRemoveStickerFromSet(context.Context, *ReqStickersRemoveStickerFromSet) (*TypeMessagesStickerSet, error)
	StickersChangeStickerPosition(context.Context, *ReqStickersChangeStickerPosition) (*TypeMessagesStickerSet, error)
	StickersAddStickerToSet(context.Context, *ReqStickersAddStickerToSet) (*TypeMessagesStickerSet, error)
	MessagesSendScreenshotNotification(context.Context, *ReqMessagesSendScreenshotNotification) (*TypeUpdates, error)
	UploadGetCdnFileHashes(context.Context, *ReqUploadGetCdnFileHashes) (*TypeVectorCdnFileHash, error)
	MessagesGetUnreadMentions(context.Context, *ReqMessagesGetUnreadMentions) (*TypeMessagesMessages, error)
	MessagesFaveSticker(context.Context, *ReqMessagesFaveSticker) (*TypeBool, error)
	ChannelsSetStickers(context.Context, *ReqChannelsSetStickers) (*TypeBool, error)
	ContactsResetSaved(context.Context, *ReqContactsResetSaved) (*TypeBool, error)
	MessagesGetFavedStickers(context.Context, *ReqMessagesGetFavedStickers) (*TypeMessagesFavedStickers, error)
	ChannelsReadMessageContents(context.Context, *ReqChannelsReadMessageContents) (*TypeBool, error)
}

type PredAccountAuthorizations

type PredAccountAuthorizations struct {
	// default: Vector<Authorization>
	Authorizations       []*TypeAuthorization `protobuf:"bytes,1,rep,name=Authorizations" json:"Authorizations,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredAccountAuthorizations) Descriptor

func (*PredAccountAuthorizations) Descriptor() ([]byte, []int)

func (*PredAccountAuthorizations) GetAuthorizations

func (m *PredAccountAuthorizations) GetAuthorizations() []*TypeAuthorization

func (*PredAccountAuthorizations) ProtoMessage

func (*PredAccountAuthorizations) ProtoMessage()

func (*PredAccountAuthorizations) Reset

func (m *PredAccountAuthorizations) Reset()

func (*PredAccountAuthorizations) String

func (m *PredAccountAuthorizations) String() string

func (*PredAccountAuthorizations) ToType

func (p *PredAccountAuthorizations) ToType() TL

func (*PredAccountAuthorizations) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountAuthorizations) XXX_DiscardUnknown()

func (*PredAccountAuthorizations) XXX_Marshal added in v0.4.1

func (m *PredAccountAuthorizations) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountAuthorizations) XXX_Merge added in v0.4.1

func (dst *PredAccountAuthorizations) XXX_Merge(src proto.Message)

func (*PredAccountAuthorizations) XXX_Size added in v0.4.1

func (m *PredAccountAuthorizations) XXX_Size() int

func (*PredAccountAuthorizations) XXX_Unmarshal added in v0.4.1

func (m *PredAccountAuthorizations) XXX_Unmarshal(b []byte) error

type PredAccountDaysTTL

type PredAccountDaysTTL struct {
	Days                 int32    `protobuf:"varint,1,opt,name=Days" json:"Days,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAccountDaysTTL) Descriptor

func (*PredAccountDaysTTL) Descriptor() ([]byte, []int)

func (*PredAccountDaysTTL) GetDays

func (m *PredAccountDaysTTL) GetDays() int32

func (*PredAccountDaysTTL) ProtoMessage

func (*PredAccountDaysTTL) ProtoMessage()

func (*PredAccountDaysTTL) Reset

func (m *PredAccountDaysTTL) Reset()

func (*PredAccountDaysTTL) String

func (m *PredAccountDaysTTL) String() string

func (*PredAccountDaysTTL) ToType

func (p *PredAccountDaysTTL) ToType() TL

func (*PredAccountDaysTTL) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountDaysTTL) XXX_DiscardUnknown()

func (*PredAccountDaysTTL) XXX_Marshal added in v0.4.1

func (m *PredAccountDaysTTL) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountDaysTTL) XXX_Merge added in v0.4.1

func (dst *PredAccountDaysTTL) XXX_Merge(src proto.Message)

func (*PredAccountDaysTTL) XXX_Size added in v0.4.1

func (m *PredAccountDaysTTL) XXX_Size() int

func (*PredAccountDaysTTL) XXX_Unmarshal added in v0.4.1

func (m *PredAccountDaysTTL) XXX_Unmarshal(b []byte) error

type PredAccountNoPassword

type PredAccountNoPassword struct {
	NewSalt                 []byte   `protobuf:"bytes,1,opt,name=NewSalt,proto3" json:"NewSalt,omitempty"`
	EmailUnconfirmedPattern string   `protobuf:"bytes,2,opt,name=EmailUnconfirmedPattern" json:"EmailUnconfirmedPattern,omitempty"`
	XXX_NoUnkeyedLiteral    struct{} `json:"-"`
	XXX_unrecognized        []byte   `json:"-"`
	XXX_sizecache           int32    `json:"-"`
}

func (*PredAccountNoPassword) Descriptor

func (*PredAccountNoPassword) Descriptor() ([]byte, []int)

func (*PredAccountNoPassword) GetEmailUnconfirmedPattern

func (m *PredAccountNoPassword) GetEmailUnconfirmedPattern() string

func (*PredAccountNoPassword) GetNewSalt

func (m *PredAccountNoPassword) GetNewSalt() []byte

func (*PredAccountNoPassword) ProtoMessage

func (*PredAccountNoPassword) ProtoMessage()

func (*PredAccountNoPassword) Reset

func (m *PredAccountNoPassword) Reset()

func (*PredAccountNoPassword) String

func (m *PredAccountNoPassword) String() string

func (*PredAccountNoPassword) ToType

func (p *PredAccountNoPassword) ToType() TL

func (*PredAccountNoPassword) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountNoPassword) XXX_DiscardUnknown()

func (*PredAccountNoPassword) XXX_Marshal added in v0.4.1

func (m *PredAccountNoPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountNoPassword) XXX_Merge added in v0.4.1

func (dst *PredAccountNoPassword) XXX_Merge(src proto.Message)

func (*PredAccountNoPassword) XXX_Size added in v0.4.1

func (m *PredAccountNoPassword) XXX_Size() int

func (*PredAccountNoPassword) XXX_Unmarshal added in v0.4.1

func (m *PredAccountNoPassword) XXX_Unmarshal(b []byte) error

type PredAccountPassword

type PredAccountPassword struct {
	CurrentSalt []byte `protobuf:"bytes,1,opt,name=CurrentSalt,proto3" json:"CurrentSalt,omitempty"`
	NewSalt     []byte `protobuf:"bytes,2,opt,name=NewSalt,proto3" json:"NewSalt,omitempty"`
	Hint        string `protobuf:"bytes,3,opt,name=Hint" json:"Hint,omitempty"`
	// default: Bool
	HasRecovery             *TypeBool `protobuf:"bytes,4,opt,name=HasRecovery" json:"HasRecovery,omitempty"`
	EmailUnconfirmedPattern string    `protobuf:"bytes,5,opt,name=EmailUnconfirmedPattern" json:"EmailUnconfirmedPattern,omitempty"`
	XXX_NoUnkeyedLiteral    struct{}  `json:"-"`
	XXX_unrecognized        []byte    `json:"-"`
	XXX_sizecache           int32     `json:"-"`
}

func (*PredAccountPassword) Descriptor

func (*PredAccountPassword) Descriptor() ([]byte, []int)

func (*PredAccountPassword) GetCurrentSalt

func (m *PredAccountPassword) GetCurrentSalt() []byte

func (*PredAccountPassword) GetEmailUnconfirmedPattern

func (m *PredAccountPassword) GetEmailUnconfirmedPattern() string

func (*PredAccountPassword) GetHasRecovery

func (m *PredAccountPassword) GetHasRecovery() *TypeBool

func (*PredAccountPassword) GetHint

func (m *PredAccountPassword) GetHint() string

func (*PredAccountPassword) GetNewSalt

func (m *PredAccountPassword) GetNewSalt() []byte

func (*PredAccountPassword) ProtoMessage

func (*PredAccountPassword) ProtoMessage()

func (*PredAccountPassword) Reset

func (m *PredAccountPassword) Reset()

func (*PredAccountPassword) String

func (m *PredAccountPassword) String() string

func (*PredAccountPassword) ToType

func (p *PredAccountPassword) ToType() TL

func (*PredAccountPassword) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountPassword) XXX_DiscardUnknown()

func (*PredAccountPassword) XXX_Marshal added in v0.4.1

func (m *PredAccountPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountPassword) XXX_Merge added in v0.4.1

func (dst *PredAccountPassword) XXX_Merge(src proto.Message)

func (*PredAccountPassword) XXX_Size added in v0.4.1

func (m *PredAccountPassword) XXX_Size() int

func (*PredAccountPassword) XXX_Unmarshal added in v0.4.1

func (m *PredAccountPassword) XXX_Unmarshal(b []byte) error

type PredAccountPasswordInputSettings

type PredAccountPasswordInputSettings struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	NewSalt              []byte   `protobuf:"bytes,2,opt,name=NewSalt,proto3" json:"NewSalt,omitempty"`
	NewPasswordHash      []byte   `protobuf:"bytes,3,opt,name=NewPasswordHash,proto3" json:"NewPasswordHash,omitempty"`
	Hint                 string   `protobuf:"bytes,4,opt,name=Hint" json:"Hint,omitempty"`
	Email                string   `protobuf:"bytes,5,opt,name=Email" json:"Email,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAccountPasswordInputSettings) Descriptor

func (*PredAccountPasswordInputSettings) Descriptor() ([]byte, []int)

func (*PredAccountPasswordInputSettings) GetEmail

func (*PredAccountPasswordInputSettings) GetFlags

func (*PredAccountPasswordInputSettings) GetHint

func (*PredAccountPasswordInputSettings) GetNewPasswordHash

func (m *PredAccountPasswordInputSettings) GetNewPasswordHash() []byte

func (*PredAccountPasswordInputSettings) GetNewSalt

func (m *PredAccountPasswordInputSettings) GetNewSalt() []byte

func (*PredAccountPasswordInputSettings) ProtoMessage

func (*PredAccountPasswordInputSettings) ProtoMessage()

func (*PredAccountPasswordInputSettings) Reset

func (*PredAccountPasswordInputSettings) String

func (*PredAccountPasswordInputSettings) ToType

func (*PredAccountPasswordInputSettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountPasswordInputSettings) XXX_DiscardUnknown()

func (*PredAccountPasswordInputSettings) XXX_Marshal added in v0.4.1

func (m *PredAccountPasswordInputSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountPasswordInputSettings) XXX_Merge added in v0.4.1

func (dst *PredAccountPasswordInputSettings) XXX_Merge(src proto.Message)

func (*PredAccountPasswordInputSettings) XXX_Size added in v0.4.1

func (m *PredAccountPasswordInputSettings) XXX_Size() int

func (*PredAccountPasswordInputSettings) XXX_Unmarshal added in v0.4.1

func (m *PredAccountPasswordInputSettings) XXX_Unmarshal(b []byte) error

type PredAccountPasswordSettings

type PredAccountPasswordSettings struct {
	Email                string   `protobuf:"bytes,1,opt,name=Email" json:"Email,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAccountPasswordSettings) Descriptor

func (*PredAccountPasswordSettings) Descriptor() ([]byte, []int)

func (*PredAccountPasswordSettings) GetEmail

func (m *PredAccountPasswordSettings) GetEmail() string

func (*PredAccountPasswordSettings) ProtoMessage

func (*PredAccountPasswordSettings) ProtoMessage()

func (*PredAccountPasswordSettings) Reset

func (m *PredAccountPasswordSettings) Reset()

func (*PredAccountPasswordSettings) String

func (m *PredAccountPasswordSettings) String() string

func (*PredAccountPasswordSettings) ToType

func (p *PredAccountPasswordSettings) ToType() TL

func (*PredAccountPasswordSettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountPasswordSettings) XXX_DiscardUnknown()

func (*PredAccountPasswordSettings) XXX_Marshal added in v0.4.1

func (m *PredAccountPasswordSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountPasswordSettings) XXX_Merge added in v0.4.1

func (dst *PredAccountPasswordSettings) XXX_Merge(src proto.Message)

func (*PredAccountPasswordSettings) XXX_Size added in v0.4.1

func (m *PredAccountPasswordSettings) XXX_Size() int

func (*PredAccountPasswordSettings) XXX_Unmarshal added in v0.4.1

func (m *PredAccountPasswordSettings) XXX_Unmarshal(b []byte) error

type PredAccountPrivacyRules

type PredAccountPrivacyRules struct {
	// default: Vector<PrivacyRule>
	Rules []*TypePrivacyRule `protobuf:"bytes,1,rep,name=Rules" json:"Rules,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredAccountPrivacyRules) Descriptor

func (*PredAccountPrivacyRules) Descriptor() ([]byte, []int)

func (*PredAccountPrivacyRules) GetRules

func (m *PredAccountPrivacyRules) GetRules() []*TypePrivacyRule

func (*PredAccountPrivacyRules) GetUsers

func (m *PredAccountPrivacyRules) GetUsers() []*TypeUser

func (*PredAccountPrivacyRules) ProtoMessage

func (*PredAccountPrivacyRules) ProtoMessage()

func (*PredAccountPrivacyRules) Reset

func (m *PredAccountPrivacyRules) Reset()

func (*PredAccountPrivacyRules) String

func (m *PredAccountPrivacyRules) String() string

func (*PredAccountPrivacyRules) ToType

func (p *PredAccountPrivacyRules) ToType() TL

func (*PredAccountPrivacyRules) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountPrivacyRules) XXX_DiscardUnknown()

func (*PredAccountPrivacyRules) XXX_Marshal added in v0.4.1

func (m *PredAccountPrivacyRules) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountPrivacyRules) XXX_Merge added in v0.4.1

func (dst *PredAccountPrivacyRules) XXX_Merge(src proto.Message)

func (*PredAccountPrivacyRules) XXX_Size added in v0.4.1

func (m *PredAccountPrivacyRules) XXX_Size() int

func (*PredAccountPrivacyRules) XXX_Unmarshal added in v0.4.1

func (m *PredAccountPrivacyRules) XXX_Unmarshal(b []byte) error

type PredAccountTmpPassword

type PredAccountTmpPassword struct {
	TmpPassword          []byte   `protobuf:"bytes,1,opt,name=TmpPassword,proto3" json:"TmpPassword,omitempty"`
	ValidUntil           int32    `protobuf:"varint,2,opt,name=ValidUntil" json:"ValidUntil,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAccountTmpPassword) Descriptor

func (*PredAccountTmpPassword) Descriptor() ([]byte, []int)

func (*PredAccountTmpPassword) GetTmpPassword

func (m *PredAccountTmpPassword) GetTmpPassword() []byte

func (*PredAccountTmpPassword) GetValidUntil

func (m *PredAccountTmpPassword) GetValidUntil() int32

func (*PredAccountTmpPassword) ProtoMessage

func (*PredAccountTmpPassword) ProtoMessage()

func (*PredAccountTmpPassword) Reset

func (m *PredAccountTmpPassword) Reset()

func (*PredAccountTmpPassword) String

func (m *PredAccountTmpPassword) String() string

func (*PredAccountTmpPassword) ToType

func (p *PredAccountTmpPassword) ToType() TL

func (*PredAccountTmpPassword) XXX_DiscardUnknown added in v0.4.1

func (m *PredAccountTmpPassword) XXX_DiscardUnknown()

func (*PredAccountTmpPassword) XXX_Marshal added in v0.4.1

func (m *PredAccountTmpPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAccountTmpPassword) XXX_Merge added in v0.4.1

func (dst *PredAccountTmpPassword) XXX_Merge(src proto.Message)

func (*PredAccountTmpPassword) XXX_Size added in v0.4.1

func (m *PredAccountTmpPassword) XXX_Size() int

func (*PredAccountTmpPassword) XXX_Unmarshal added in v0.4.1

func (m *PredAccountTmpPassword) XXX_Unmarshal(b []byte) error

type PredAuthAuthorization

type PredAuthAuthorization struct {
	Flags       int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	TmpSessions int32 `protobuf:"varint,2,opt,name=TmpSessions" json:"TmpSessions,omitempty"`
	// default: User
	User                 *TypeUser `protobuf:"bytes,3,opt,name=User" json:"User,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredAuthAuthorization) Descriptor

func (*PredAuthAuthorization) Descriptor() ([]byte, []int)

func (*PredAuthAuthorization) GetFlags

func (m *PredAuthAuthorization) GetFlags() int32

func (*PredAuthAuthorization) GetTmpSessions

func (m *PredAuthAuthorization) GetTmpSessions() int32

func (*PredAuthAuthorization) GetUser

func (m *PredAuthAuthorization) GetUser() *TypeUser

func (*PredAuthAuthorization) ProtoMessage

func (*PredAuthAuthorization) ProtoMessage()

func (*PredAuthAuthorization) Reset

func (m *PredAuthAuthorization) Reset()

func (*PredAuthAuthorization) String

func (m *PredAuthAuthorization) String() string

func (*PredAuthAuthorization) ToType

func (p *PredAuthAuthorization) ToType() TL

func (*PredAuthAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthAuthorization) XXX_DiscardUnknown()

func (*PredAuthAuthorization) XXX_Marshal added in v0.4.1

func (m *PredAuthAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthAuthorization) XXX_Merge added in v0.4.1

func (dst *PredAuthAuthorization) XXX_Merge(src proto.Message)

func (*PredAuthAuthorization) XXX_Size added in v0.4.1

func (m *PredAuthAuthorization) XXX_Size() int

func (*PredAuthAuthorization) XXX_Unmarshal added in v0.4.1

func (m *PredAuthAuthorization) XXX_Unmarshal(b []byte) error

type PredAuthCheckedPhone

type PredAuthCheckedPhone struct {
	// default: Bool
	PhoneRegistered      *TypeBool `protobuf:"bytes,1,opt,name=PhoneRegistered" json:"PhoneRegistered,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredAuthCheckedPhone) Descriptor

func (*PredAuthCheckedPhone) Descriptor() ([]byte, []int)

func (*PredAuthCheckedPhone) GetPhoneRegistered

func (m *PredAuthCheckedPhone) GetPhoneRegistered() *TypeBool

func (*PredAuthCheckedPhone) ProtoMessage

func (*PredAuthCheckedPhone) ProtoMessage()

func (*PredAuthCheckedPhone) Reset

func (m *PredAuthCheckedPhone) Reset()

func (*PredAuthCheckedPhone) String

func (m *PredAuthCheckedPhone) String() string

func (*PredAuthCheckedPhone) ToType

func (p *PredAuthCheckedPhone) ToType() TL

func (*PredAuthCheckedPhone) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthCheckedPhone) XXX_DiscardUnknown()

func (*PredAuthCheckedPhone) XXX_Marshal added in v0.4.1

func (m *PredAuthCheckedPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthCheckedPhone) XXX_Merge added in v0.4.1

func (dst *PredAuthCheckedPhone) XXX_Merge(src proto.Message)

func (*PredAuthCheckedPhone) XXX_Size added in v0.4.1

func (m *PredAuthCheckedPhone) XXX_Size() int

func (*PredAuthCheckedPhone) XXX_Unmarshal added in v0.4.1

func (m *PredAuthCheckedPhone) XXX_Unmarshal(b []byte) error

type PredAuthCodeTypeCall

type PredAuthCodeTypeCall struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthCodeTypeCall) Descriptor

func (*PredAuthCodeTypeCall) Descriptor() ([]byte, []int)

func (*PredAuthCodeTypeCall) ProtoMessage

func (*PredAuthCodeTypeCall) ProtoMessage()

func (*PredAuthCodeTypeCall) Reset

func (m *PredAuthCodeTypeCall) Reset()

func (*PredAuthCodeTypeCall) String

func (m *PredAuthCodeTypeCall) String() string

func (*PredAuthCodeTypeCall) ToType

func (p *PredAuthCodeTypeCall) ToType() TL

func (*PredAuthCodeTypeCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthCodeTypeCall) XXX_DiscardUnknown()

func (*PredAuthCodeTypeCall) XXX_Marshal added in v0.4.1

func (m *PredAuthCodeTypeCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthCodeTypeCall) XXX_Merge added in v0.4.1

func (dst *PredAuthCodeTypeCall) XXX_Merge(src proto.Message)

func (*PredAuthCodeTypeCall) XXX_Size added in v0.4.1

func (m *PredAuthCodeTypeCall) XXX_Size() int

func (*PredAuthCodeTypeCall) XXX_Unmarshal added in v0.4.1

func (m *PredAuthCodeTypeCall) XXX_Unmarshal(b []byte) error

type PredAuthCodeTypeFlashCall

type PredAuthCodeTypeFlashCall struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthCodeTypeFlashCall) Descriptor

func (*PredAuthCodeTypeFlashCall) Descriptor() ([]byte, []int)

func (*PredAuthCodeTypeFlashCall) ProtoMessage

func (*PredAuthCodeTypeFlashCall) ProtoMessage()

func (*PredAuthCodeTypeFlashCall) Reset

func (m *PredAuthCodeTypeFlashCall) Reset()

func (*PredAuthCodeTypeFlashCall) String

func (m *PredAuthCodeTypeFlashCall) String() string

func (*PredAuthCodeTypeFlashCall) ToType

func (p *PredAuthCodeTypeFlashCall) ToType() TL

func (*PredAuthCodeTypeFlashCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthCodeTypeFlashCall) XXX_DiscardUnknown()

func (*PredAuthCodeTypeFlashCall) XXX_Marshal added in v0.4.1

func (m *PredAuthCodeTypeFlashCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthCodeTypeFlashCall) XXX_Merge added in v0.4.1

func (dst *PredAuthCodeTypeFlashCall) XXX_Merge(src proto.Message)

func (*PredAuthCodeTypeFlashCall) XXX_Size added in v0.4.1

func (m *PredAuthCodeTypeFlashCall) XXX_Size() int

func (*PredAuthCodeTypeFlashCall) XXX_Unmarshal added in v0.4.1

func (m *PredAuthCodeTypeFlashCall) XXX_Unmarshal(b []byte) error

type PredAuthCodeTypeSms

type PredAuthCodeTypeSms struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthCodeTypeSms) Descriptor

func (*PredAuthCodeTypeSms) Descriptor() ([]byte, []int)

func (*PredAuthCodeTypeSms) ProtoMessage

func (*PredAuthCodeTypeSms) ProtoMessage()

func (*PredAuthCodeTypeSms) Reset

func (m *PredAuthCodeTypeSms) Reset()

func (*PredAuthCodeTypeSms) String

func (m *PredAuthCodeTypeSms) String() string

func (*PredAuthCodeTypeSms) ToType

func (p *PredAuthCodeTypeSms) ToType() TL

func (*PredAuthCodeTypeSms) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthCodeTypeSms) XXX_DiscardUnknown()

func (*PredAuthCodeTypeSms) XXX_Marshal added in v0.4.1

func (m *PredAuthCodeTypeSms) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthCodeTypeSms) XXX_Merge added in v0.4.1

func (dst *PredAuthCodeTypeSms) XXX_Merge(src proto.Message)

func (*PredAuthCodeTypeSms) XXX_Size added in v0.4.1

func (m *PredAuthCodeTypeSms) XXX_Size() int

func (*PredAuthCodeTypeSms) XXX_Unmarshal added in v0.4.1

func (m *PredAuthCodeTypeSms) XXX_Unmarshal(b []byte) error

type PredAuthExportedAuthorization

type PredAuthExportedAuthorization struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Bytes                []byte   `protobuf:"bytes,2,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthExportedAuthorization) Descriptor

func (*PredAuthExportedAuthorization) Descriptor() ([]byte, []int)

func (*PredAuthExportedAuthorization) GetBytes

func (m *PredAuthExportedAuthorization) GetBytes() []byte

func (*PredAuthExportedAuthorization) GetId

func (*PredAuthExportedAuthorization) ProtoMessage

func (*PredAuthExportedAuthorization) ProtoMessage()

func (*PredAuthExportedAuthorization) Reset

func (m *PredAuthExportedAuthorization) Reset()

func (*PredAuthExportedAuthorization) String

func (*PredAuthExportedAuthorization) ToType

func (p *PredAuthExportedAuthorization) ToType() TL

func (*PredAuthExportedAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthExportedAuthorization) XXX_DiscardUnknown()

func (*PredAuthExportedAuthorization) XXX_Marshal added in v0.4.1

func (m *PredAuthExportedAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthExportedAuthorization) XXX_Merge added in v0.4.1

func (dst *PredAuthExportedAuthorization) XXX_Merge(src proto.Message)

func (*PredAuthExportedAuthorization) XXX_Size added in v0.4.1

func (m *PredAuthExportedAuthorization) XXX_Size() int

func (*PredAuthExportedAuthorization) XXX_Unmarshal added in v0.4.1

func (m *PredAuthExportedAuthorization) XXX_Unmarshal(b []byte) error

type PredAuthPasswordRecovery

type PredAuthPasswordRecovery struct {
	EmailPattern         string   `protobuf:"bytes,1,opt,name=EmailPattern" json:"EmailPattern,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthPasswordRecovery) Descriptor

func (*PredAuthPasswordRecovery) Descriptor() ([]byte, []int)

func (*PredAuthPasswordRecovery) GetEmailPattern

func (m *PredAuthPasswordRecovery) GetEmailPattern() string

func (*PredAuthPasswordRecovery) ProtoMessage

func (*PredAuthPasswordRecovery) ProtoMessage()

func (*PredAuthPasswordRecovery) Reset

func (m *PredAuthPasswordRecovery) Reset()

func (*PredAuthPasswordRecovery) String

func (m *PredAuthPasswordRecovery) String() string

func (*PredAuthPasswordRecovery) ToType

func (p *PredAuthPasswordRecovery) ToType() TL

func (*PredAuthPasswordRecovery) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthPasswordRecovery) XXX_DiscardUnknown()

func (*PredAuthPasswordRecovery) XXX_Marshal added in v0.4.1

func (m *PredAuthPasswordRecovery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthPasswordRecovery) XXX_Merge added in v0.4.1

func (dst *PredAuthPasswordRecovery) XXX_Merge(src proto.Message)

func (*PredAuthPasswordRecovery) XXX_Size added in v0.4.1

func (m *PredAuthPasswordRecovery) XXX_Size() int

func (*PredAuthPasswordRecovery) XXX_Unmarshal added in v0.4.1

func (m *PredAuthPasswordRecovery) XXX_Unmarshal(b []byte) error

type PredAuthSentCode

type PredAuthSentCode struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// PhoneRegistered	bool // flags.0?true
	// default: authSentCodeType
	Type          *TypeAuthSentCodeType `protobuf:"bytes,3,opt,name=Type" json:"Type,omitempty"`
	PhoneCodeHash string                `protobuf:"bytes,4,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	// default: authCodeType
	NextType             *TypeAuthCodeType `protobuf:"bytes,5,opt,name=NextType" json:"NextType,omitempty"`
	Timeout              int32             `protobuf:"varint,6,opt,name=Timeout" json:"Timeout,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredAuthSentCode) Descriptor

func (*PredAuthSentCode) Descriptor() ([]byte, []int)

func (*PredAuthSentCode) GetFlags

func (m *PredAuthSentCode) GetFlags() int32

func (*PredAuthSentCode) GetNextType

func (m *PredAuthSentCode) GetNextType() *TypeAuthCodeType

func (*PredAuthSentCode) GetPhoneCodeHash

func (m *PredAuthSentCode) GetPhoneCodeHash() string

func (*PredAuthSentCode) GetTimeout

func (m *PredAuthSentCode) GetTimeout() int32

func (*PredAuthSentCode) GetType

func (m *PredAuthSentCode) GetType() *TypeAuthSentCodeType

func (*PredAuthSentCode) ProtoMessage

func (*PredAuthSentCode) ProtoMessage()

func (*PredAuthSentCode) Reset

func (m *PredAuthSentCode) Reset()

func (*PredAuthSentCode) String

func (m *PredAuthSentCode) String() string

func (*PredAuthSentCode) ToType

func (p *PredAuthSentCode) ToType() TL

func (*PredAuthSentCode) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthSentCode) XXX_DiscardUnknown()

func (*PredAuthSentCode) XXX_Marshal added in v0.4.1

func (m *PredAuthSentCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthSentCode) XXX_Merge added in v0.4.1

func (dst *PredAuthSentCode) XXX_Merge(src proto.Message)

func (*PredAuthSentCode) XXX_Size added in v0.4.1

func (m *PredAuthSentCode) XXX_Size() int

func (*PredAuthSentCode) XXX_Unmarshal added in v0.4.1

func (m *PredAuthSentCode) XXX_Unmarshal(b []byte) error

type PredAuthSentCodeTypeApp

type PredAuthSentCodeTypeApp struct {
	Length               int32    `protobuf:"varint,1,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthSentCodeTypeApp) Descriptor

func (*PredAuthSentCodeTypeApp) Descriptor() ([]byte, []int)

func (*PredAuthSentCodeTypeApp) GetLength

func (m *PredAuthSentCodeTypeApp) GetLength() int32

func (*PredAuthSentCodeTypeApp) ProtoMessage

func (*PredAuthSentCodeTypeApp) ProtoMessage()

func (*PredAuthSentCodeTypeApp) Reset

func (m *PredAuthSentCodeTypeApp) Reset()

func (*PredAuthSentCodeTypeApp) String

func (m *PredAuthSentCodeTypeApp) String() string

func (*PredAuthSentCodeTypeApp) ToType

func (p *PredAuthSentCodeTypeApp) ToType() TL

func (*PredAuthSentCodeTypeApp) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthSentCodeTypeApp) XXX_DiscardUnknown()

func (*PredAuthSentCodeTypeApp) XXX_Marshal added in v0.4.1

func (m *PredAuthSentCodeTypeApp) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthSentCodeTypeApp) XXX_Merge added in v0.4.1

func (dst *PredAuthSentCodeTypeApp) XXX_Merge(src proto.Message)

func (*PredAuthSentCodeTypeApp) XXX_Size added in v0.4.1

func (m *PredAuthSentCodeTypeApp) XXX_Size() int

func (*PredAuthSentCodeTypeApp) XXX_Unmarshal added in v0.4.1

func (m *PredAuthSentCodeTypeApp) XXX_Unmarshal(b []byte) error

type PredAuthSentCodeTypeCall

type PredAuthSentCodeTypeCall struct {
	Length               int32    `protobuf:"varint,1,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthSentCodeTypeCall) Descriptor

func (*PredAuthSentCodeTypeCall) Descriptor() ([]byte, []int)

func (*PredAuthSentCodeTypeCall) GetLength

func (m *PredAuthSentCodeTypeCall) GetLength() int32

func (*PredAuthSentCodeTypeCall) ProtoMessage

func (*PredAuthSentCodeTypeCall) ProtoMessage()

func (*PredAuthSentCodeTypeCall) Reset

func (m *PredAuthSentCodeTypeCall) Reset()

func (*PredAuthSentCodeTypeCall) String

func (m *PredAuthSentCodeTypeCall) String() string

func (*PredAuthSentCodeTypeCall) ToType

func (p *PredAuthSentCodeTypeCall) ToType() TL

func (*PredAuthSentCodeTypeCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthSentCodeTypeCall) XXX_DiscardUnknown()

func (*PredAuthSentCodeTypeCall) XXX_Marshal added in v0.4.1

func (m *PredAuthSentCodeTypeCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthSentCodeTypeCall) XXX_Merge added in v0.4.1

func (dst *PredAuthSentCodeTypeCall) XXX_Merge(src proto.Message)

func (*PredAuthSentCodeTypeCall) XXX_Size added in v0.4.1

func (m *PredAuthSentCodeTypeCall) XXX_Size() int

func (*PredAuthSentCodeTypeCall) XXX_Unmarshal added in v0.4.1

func (m *PredAuthSentCodeTypeCall) XXX_Unmarshal(b []byte) error

type PredAuthSentCodeTypeFlashCall

type PredAuthSentCodeTypeFlashCall struct {
	Pattern              string   `protobuf:"bytes,1,opt,name=Pattern" json:"Pattern,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthSentCodeTypeFlashCall) Descriptor

func (*PredAuthSentCodeTypeFlashCall) Descriptor() ([]byte, []int)

func (*PredAuthSentCodeTypeFlashCall) GetPattern

func (m *PredAuthSentCodeTypeFlashCall) GetPattern() string

func (*PredAuthSentCodeTypeFlashCall) ProtoMessage

func (*PredAuthSentCodeTypeFlashCall) ProtoMessage()

func (*PredAuthSentCodeTypeFlashCall) Reset

func (m *PredAuthSentCodeTypeFlashCall) Reset()

func (*PredAuthSentCodeTypeFlashCall) String

func (*PredAuthSentCodeTypeFlashCall) ToType

func (p *PredAuthSentCodeTypeFlashCall) ToType() TL

func (*PredAuthSentCodeTypeFlashCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthSentCodeTypeFlashCall) XXX_DiscardUnknown()

func (*PredAuthSentCodeTypeFlashCall) XXX_Marshal added in v0.4.1

func (m *PredAuthSentCodeTypeFlashCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthSentCodeTypeFlashCall) XXX_Merge added in v0.4.1

func (dst *PredAuthSentCodeTypeFlashCall) XXX_Merge(src proto.Message)

func (*PredAuthSentCodeTypeFlashCall) XXX_Size added in v0.4.1

func (m *PredAuthSentCodeTypeFlashCall) XXX_Size() int

func (*PredAuthSentCodeTypeFlashCall) XXX_Unmarshal added in v0.4.1

func (m *PredAuthSentCodeTypeFlashCall) XXX_Unmarshal(b []byte) error

type PredAuthSentCodeTypeSms

type PredAuthSentCodeTypeSms struct {
	Length               int32    `protobuf:"varint,1,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthSentCodeTypeSms) Descriptor

func (*PredAuthSentCodeTypeSms) Descriptor() ([]byte, []int)

func (*PredAuthSentCodeTypeSms) GetLength

func (m *PredAuthSentCodeTypeSms) GetLength() int32

func (*PredAuthSentCodeTypeSms) ProtoMessage

func (*PredAuthSentCodeTypeSms) ProtoMessage()

func (*PredAuthSentCodeTypeSms) Reset

func (m *PredAuthSentCodeTypeSms) Reset()

func (*PredAuthSentCodeTypeSms) String

func (m *PredAuthSentCodeTypeSms) String() string

func (*PredAuthSentCodeTypeSms) ToType

func (p *PredAuthSentCodeTypeSms) ToType() TL

func (*PredAuthSentCodeTypeSms) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthSentCodeTypeSms) XXX_DiscardUnknown()

func (*PredAuthSentCodeTypeSms) XXX_Marshal added in v0.4.1

func (m *PredAuthSentCodeTypeSms) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthSentCodeTypeSms) XXX_Merge added in v0.4.1

func (dst *PredAuthSentCodeTypeSms) XXX_Merge(src proto.Message)

func (*PredAuthSentCodeTypeSms) XXX_Size added in v0.4.1

func (m *PredAuthSentCodeTypeSms) XXX_Size() int

func (*PredAuthSentCodeTypeSms) XXX_Unmarshal added in v0.4.1

func (m *PredAuthSentCodeTypeSms) XXX_Unmarshal(b []byte) error

type PredAuthorization

type PredAuthorization struct {
	Hash                 int64    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	Flags                int32    `protobuf:"varint,2,opt,name=Flags" json:"Flags,omitempty"`
	DeviceModel          string   `protobuf:"bytes,3,opt,name=DeviceModel" json:"DeviceModel,omitempty"`
	Platform             string   `protobuf:"bytes,4,opt,name=Platform" json:"Platform,omitempty"`
	SystemVersion        string   `protobuf:"bytes,5,opt,name=SystemVersion" json:"SystemVersion,omitempty"`
	ApiId                int32    `protobuf:"varint,6,opt,name=ApiId" json:"ApiId,omitempty"`
	AppName              string   `protobuf:"bytes,7,opt,name=AppName" json:"AppName,omitempty"`
	AppVersion           string   `protobuf:"bytes,8,opt,name=AppVersion" json:"AppVersion,omitempty"`
	DateCreated          int32    `protobuf:"varint,9,opt,name=DateCreated" json:"DateCreated,omitempty"`
	DateActive           int32    `protobuf:"varint,10,opt,name=DateActive" json:"DateActive,omitempty"`
	Ip                   string   `protobuf:"bytes,11,opt,name=Ip" json:"Ip,omitempty"`
	Country              string   `protobuf:"bytes,12,opt,name=Country" json:"Country,omitempty"`
	Region               string   `protobuf:"bytes,13,opt,name=Region" json:"Region,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredAuthorization) Descriptor

func (*PredAuthorization) Descriptor() ([]byte, []int)

func (*PredAuthorization) GetApiId

func (m *PredAuthorization) GetApiId() int32

func (*PredAuthorization) GetAppName

func (m *PredAuthorization) GetAppName() string

func (*PredAuthorization) GetAppVersion

func (m *PredAuthorization) GetAppVersion() string

func (*PredAuthorization) GetCountry

func (m *PredAuthorization) GetCountry() string

func (*PredAuthorization) GetDateActive

func (m *PredAuthorization) GetDateActive() int32

func (*PredAuthorization) GetDateCreated

func (m *PredAuthorization) GetDateCreated() int32

func (*PredAuthorization) GetDeviceModel

func (m *PredAuthorization) GetDeviceModel() string

func (*PredAuthorization) GetFlags

func (m *PredAuthorization) GetFlags() int32

func (*PredAuthorization) GetHash

func (m *PredAuthorization) GetHash() int64

func (*PredAuthorization) GetIp

func (m *PredAuthorization) GetIp() string

func (*PredAuthorization) GetPlatform

func (m *PredAuthorization) GetPlatform() string

func (*PredAuthorization) GetRegion

func (m *PredAuthorization) GetRegion() string

func (*PredAuthorization) GetSystemVersion

func (m *PredAuthorization) GetSystemVersion() string

func (*PredAuthorization) ProtoMessage

func (*PredAuthorization) ProtoMessage()

func (*PredAuthorization) Reset

func (m *PredAuthorization) Reset()

func (*PredAuthorization) String

func (m *PredAuthorization) String() string

func (*PredAuthorization) ToType

func (p *PredAuthorization) ToType() TL

func (*PredAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *PredAuthorization) XXX_DiscardUnknown()

func (*PredAuthorization) XXX_Marshal added in v0.4.1

func (m *PredAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredAuthorization) XXX_Merge added in v0.4.1

func (dst *PredAuthorization) XXX_Merge(src proto.Message)

func (*PredAuthorization) XXX_Size added in v0.4.1

func (m *PredAuthorization) XXX_Size() int

func (*PredAuthorization) XXX_Unmarshal added in v0.4.1

func (m *PredAuthorization) XXX_Unmarshal(b []byte) error

type PredBoolFalse

type PredBoolFalse struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

Predicates

func (*PredBoolFalse) Descriptor

func (*PredBoolFalse) Descriptor() ([]byte, []int)

func (*PredBoolFalse) ProtoMessage

func (*PredBoolFalse) ProtoMessage()

func (*PredBoolFalse) Reset

func (m *PredBoolFalse) Reset()

func (*PredBoolFalse) String

func (m *PredBoolFalse) String() string

func (*PredBoolFalse) ToType

func (p *PredBoolFalse) ToType() TL

predicate converters to a Type

func (*PredBoolFalse) XXX_DiscardUnknown added in v0.4.1

func (m *PredBoolFalse) XXX_DiscardUnknown()

func (*PredBoolFalse) XXX_Marshal added in v0.4.1

func (m *PredBoolFalse) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBoolFalse) XXX_Merge added in v0.4.1

func (dst *PredBoolFalse) XXX_Merge(src proto.Message)

func (*PredBoolFalse) XXX_Size added in v0.4.1

func (m *PredBoolFalse) XXX_Size() int

func (*PredBoolFalse) XXX_Unmarshal added in v0.4.1

func (m *PredBoolFalse) XXX_Unmarshal(b []byte) error

type PredBoolTrue

type PredBoolTrue struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredBoolTrue) Descriptor

func (*PredBoolTrue) Descriptor() ([]byte, []int)

func (*PredBoolTrue) ProtoMessage

func (*PredBoolTrue) ProtoMessage()

func (*PredBoolTrue) Reset

func (m *PredBoolTrue) Reset()

func (*PredBoolTrue) String

func (m *PredBoolTrue) String() string

func (*PredBoolTrue) ToType

func (p *PredBoolTrue) ToType() TL

func (*PredBoolTrue) XXX_DiscardUnknown added in v0.4.1

func (m *PredBoolTrue) XXX_DiscardUnknown()

func (*PredBoolTrue) XXX_Marshal added in v0.4.1

func (m *PredBoolTrue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBoolTrue) XXX_Merge added in v0.4.1

func (dst *PredBoolTrue) XXX_Merge(src proto.Message)

func (*PredBoolTrue) XXX_Size added in v0.4.1

func (m *PredBoolTrue) XXX_Size() int

func (*PredBoolTrue) XXX_Unmarshal added in v0.4.1

func (m *PredBoolTrue) XXX_Unmarshal(b []byte) error

type PredBotCommand

type PredBotCommand struct {
	Command              string   `protobuf:"bytes,1,opt,name=Command" json:"Command,omitempty"`
	Description          string   `protobuf:"bytes,2,opt,name=Description" json:"Description,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredBotCommand) Descriptor

func (*PredBotCommand) Descriptor() ([]byte, []int)

func (*PredBotCommand) GetCommand

func (m *PredBotCommand) GetCommand() string

func (*PredBotCommand) GetDescription

func (m *PredBotCommand) GetDescription() string

func (*PredBotCommand) ProtoMessage

func (*PredBotCommand) ProtoMessage()

func (*PredBotCommand) Reset

func (m *PredBotCommand) Reset()

func (*PredBotCommand) String

func (m *PredBotCommand) String() string

func (*PredBotCommand) ToType

func (p *PredBotCommand) ToType() TL

func (*PredBotCommand) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotCommand) XXX_DiscardUnknown()

func (*PredBotCommand) XXX_Marshal added in v0.4.1

func (m *PredBotCommand) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotCommand) XXX_Merge added in v0.4.1

func (dst *PredBotCommand) XXX_Merge(src proto.Message)

func (*PredBotCommand) XXX_Size added in v0.4.1

func (m *PredBotCommand) XXX_Size() int

func (*PredBotCommand) XXX_Unmarshal added in v0.4.1

func (m *PredBotCommand) XXX_Unmarshal(b []byte) error

type PredBotInfo

type PredBotInfo struct {
	UserId      int32  `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Description string `protobuf:"bytes,2,opt,name=Description" json:"Description,omitempty"`
	// default: Vector<BotCommand>
	Commands             []*TypeBotCommand `protobuf:"bytes,3,rep,name=Commands" json:"Commands,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredBotInfo) Descriptor

func (*PredBotInfo) Descriptor() ([]byte, []int)

func (*PredBotInfo) GetCommands

func (m *PredBotInfo) GetCommands() []*TypeBotCommand

func (*PredBotInfo) GetDescription

func (m *PredBotInfo) GetDescription() string

func (*PredBotInfo) GetUserId

func (m *PredBotInfo) GetUserId() int32

func (*PredBotInfo) ProtoMessage

func (*PredBotInfo) ProtoMessage()

func (*PredBotInfo) Reset

func (m *PredBotInfo) Reset()

func (*PredBotInfo) String

func (m *PredBotInfo) String() string

func (*PredBotInfo) ToType

func (p *PredBotInfo) ToType() TL

func (*PredBotInfo) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInfo) XXX_DiscardUnknown()

func (*PredBotInfo) XXX_Marshal added in v0.4.1

func (m *PredBotInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInfo) XXX_Merge added in v0.4.1

func (dst *PredBotInfo) XXX_Merge(src proto.Message)

func (*PredBotInfo) XXX_Size added in v0.4.1

func (m *PredBotInfo) XXX_Size() int

func (*PredBotInfo) XXX_Unmarshal added in v0.4.1

func (m *PredBotInfo) XXX_Unmarshal(b []byte) error

type PredBotInlineMediaResult

type PredBotInlineMediaResult struct {
	Flags int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id    string `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Type  string `protobuf:"bytes,3,opt,name=Type" json:"Type,omitempty"`
	// default: Photo
	Photo *TypePhoto `protobuf:"bytes,4,opt,name=Photo" json:"Photo,omitempty"`
	// default: Document
	Document    *TypeDocument `protobuf:"bytes,5,opt,name=Document" json:"Document,omitempty"`
	Title       string        `protobuf:"bytes,6,opt,name=Title" json:"Title,omitempty"`
	Description string        `protobuf:"bytes,7,opt,name=Description" json:"Description,omitempty"`
	// default: BotInlineMessage
	SendMessage          *TypeBotInlineMessage `protobuf:"bytes,8,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredBotInlineMediaResult) Descriptor

func (*PredBotInlineMediaResult) Descriptor() ([]byte, []int)

func (*PredBotInlineMediaResult) GetDescription

func (m *PredBotInlineMediaResult) GetDescription() string

func (*PredBotInlineMediaResult) GetDocument

func (m *PredBotInlineMediaResult) GetDocument() *TypeDocument

func (*PredBotInlineMediaResult) GetFlags

func (m *PredBotInlineMediaResult) GetFlags() int32

func (*PredBotInlineMediaResult) GetId

func (m *PredBotInlineMediaResult) GetId() string

func (*PredBotInlineMediaResult) GetPhoto

func (m *PredBotInlineMediaResult) GetPhoto() *TypePhoto

func (*PredBotInlineMediaResult) GetSendMessage

func (m *PredBotInlineMediaResult) GetSendMessage() *TypeBotInlineMessage

func (*PredBotInlineMediaResult) GetTitle

func (m *PredBotInlineMediaResult) GetTitle() string

func (*PredBotInlineMediaResult) GetType

func (m *PredBotInlineMediaResult) GetType() string

func (*PredBotInlineMediaResult) ProtoMessage

func (*PredBotInlineMediaResult) ProtoMessage()

func (*PredBotInlineMediaResult) Reset

func (m *PredBotInlineMediaResult) Reset()

func (*PredBotInlineMediaResult) String

func (m *PredBotInlineMediaResult) String() string

func (*PredBotInlineMediaResult) ToType

func (p *PredBotInlineMediaResult) ToType() TL

func (*PredBotInlineMediaResult) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMediaResult) XXX_DiscardUnknown()

func (*PredBotInlineMediaResult) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMediaResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMediaResult) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMediaResult) XXX_Merge(src proto.Message)

func (*PredBotInlineMediaResult) XXX_Size added in v0.4.1

func (m *PredBotInlineMediaResult) XXX_Size() int

func (*PredBotInlineMediaResult) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMediaResult) XXX_Unmarshal(b []byte) error

type PredBotInlineMessageMediaAuto

type PredBotInlineMessageMediaAuto struct {
	Flags   int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Caption string `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,3,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredBotInlineMessageMediaAuto) Descriptor

func (*PredBotInlineMessageMediaAuto) Descriptor() ([]byte, []int)

func (*PredBotInlineMessageMediaAuto) GetCaption

func (m *PredBotInlineMessageMediaAuto) GetCaption() string

func (*PredBotInlineMessageMediaAuto) GetFlags

func (m *PredBotInlineMessageMediaAuto) GetFlags() int32

func (*PredBotInlineMessageMediaAuto) GetReplyMarkup

func (m *PredBotInlineMessageMediaAuto) GetReplyMarkup() *TypeReplyMarkup

func (*PredBotInlineMessageMediaAuto) ProtoMessage

func (*PredBotInlineMessageMediaAuto) ProtoMessage()

func (*PredBotInlineMessageMediaAuto) Reset

func (m *PredBotInlineMessageMediaAuto) Reset()

func (*PredBotInlineMessageMediaAuto) String

func (*PredBotInlineMessageMediaAuto) ToType

func (p *PredBotInlineMessageMediaAuto) ToType() TL

func (*PredBotInlineMessageMediaAuto) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMessageMediaAuto) XXX_DiscardUnknown()

func (*PredBotInlineMessageMediaAuto) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMessageMediaAuto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMessageMediaAuto) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMessageMediaAuto) XXX_Merge(src proto.Message)

func (*PredBotInlineMessageMediaAuto) XXX_Size added in v0.4.1

func (m *PredBotInlineMessageMediaAuto) XXX_Size() int

func (*PredBotInlineMessageMediaAuto) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMessageMediaAuto) XXX_Unmarshal(b []byte) error

type PredBotInlineMessageMediaContact

type PredBotInlineMessageMediaContact struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	PhoneNumber string `protobuf:"bytes,2,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	FirstName   string `protobuf:"bytes,3,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName    string `protobuf:"bytes,4,opt,name=LastName" json:"LastName,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,5,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredBotInlineMessageMediaContact) Descriptor

func (*PredBotInlineMessageMediaContact) Descriptor() ([]byte, []int)

func (*PredBotInlineMessageMediaContact) GetFirstName

func (m *PredBotInlineMessageMediaContact) GetFirstName() string

func (*PredBotInlineMessageMediaContact) GetFlags

func (*PredBotInlineMessageMediaContact) GetLastName

func (m *PredBotInlineMessageMediaContact) GetLastName() string

func (*PredBotInlineMessageMediaContact) GetPhoneNumber

func (m *PredBotInlineMessageMediaContact) GetPhoneNumber() string

func (*PredBotInlineMessageMediaContact) GetReplyMarkup

func (*PredBotInlineMessageMediaContact) ProtoMessage

func (*PredBotInlineMessageMediaContact) ProtoMessage()

func (*PredBotInlineMessageMediaContact) Reset

func (*PredBotInlineMessageMediaContact) String

func (*PredBotInlineMessageMediaContact) ToType

func (*PredBotInlineMessageMediaContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMessageMediaContact) XXX_DiscardUnknown()

func (*PredBotInlineMessageMediaContact) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMessageMediaContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMessageMediaContact) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMessageMediaContact) XXX_Merge(src proto.Message)

func (*PredBotInlineMessageMediaContact) XXX_Size added in v0.4.1

func (m *PredBotInlineMessageMediaContact) XXX_Size() int

func (*PredBotInlineMessageMediaContact) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMessageMediaContact) XXX_Unmarshal(b []byte) error

type PredBotInlineMessageMediaGeo

type PredBotInlineMessageMediaGeo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: GeoPoint
	Geo *TypeGeoPoint `protobuf:"bytes,2,opt,name=Geo" json:"Geo,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,3,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredBotInlineMessageMediaGeo) Descriptor

func (*PredBotInlineMessageMediaGeo) Descriptor() ([]byte, []int)

func (*PredBotInlineMessageMediaGeo) GetFlags

func (m *PredBotInlineMessageMediaGeo) GetFlags() int32

func (*PredBotInlineMessageMediaGeo) GetGeo

func (*PredBotInlineMessageMediaGeo) GetReplyMarkup

func (m *PredBotInlineMessageMediaGeo) GetReplyMarkup() *TypeReplyMarkup

func (*PredBotInlineMessageMediaGeo) ProtoMessage

func (*PredBotInlineMessageMediaGeo) ProtoMessage()

func (*PredBotInlineMessageMediaGeo) Reset

func (m *PredBotInlineMessageMediaGeo) Reset()

func (*PredBotInlineMessageMediaGeo) String

func (*PredBotInlineMessageMediaGeo) ToType

func (p *PredBotInlineMessageMediaGeo) ToType() TL

func (*PredBotInlineMessageMediaGeo) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMessageMediaGeo) XXX_DiscardUnknown()

func (*PredBotInlineMessageMediaGeo) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMessageMediaGeo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMessageMediaGeo) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMessageMediaGeo) XXX_Merge(src proto.Message)

func (*PredBotInlineMessageMediaGeo) XXX_Size added in v0.4.1

func (m *PredBotInlineMessageMediaGeo) XXX_Size() int

func (*PredBotInlineMessageMediaGeo) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMessageMediaGeo) XXX_Unmarshal(b []byte) error

type PredBotInlineMessageMediaVenue

type PredBotInlineMessageMediaVenue struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: GeoPoint
	Geo      *TypeGeoPoint `protobuf:"bytes,2,opt,name=Geo" json:"Geo,omitempty"`
	Title    string        `protobuf:"bytes,3,opt,name=Title" json:"Title,omitempty"`
	Address  string        `protobuf:"bytes,4,opt,name=Address" json:"Address,omitempty"`
	Provider string        `protobuf:"bytes,5,opt,name=Provider" json:"Provider,omitempty"`
	VenueId  string        `protobuf:"bytes,6,opt,name=VenueId" json:"VenueId,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,7,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredBotInlineMessageMediaVenue) Descriptor

func (*PredBotInlineMessageMediaVenue) Descriptor() ([]byte, []int)

func (*PredBotInlineMessageMediaVenue) GetAddress

func (m *PredBotInlineMessageMediaVenue) GetAddress() string

func (*PredBotInlineMessageMediaVenue) GetFlags

func (m *PredBotInlineMessageMediaVenue) GetFlags() int32

func (*PredBotInlineMessageMediaVenue) GetGeo

func (*PredBotInlineMessageMediaVenue) GetProvider

func (m *PredBotInlineMessageMediaVenue) GetProvider() string

func (*PredBotInlineMessageMediaVenue) GetReplyMarkup

func (m *PredBotInlineMessageMediaVenue) GetReplyMarkup() *TypeReplyMarkup

func (*PredBotInlineMessageMediaVenue) GetTitle

func (m *PredBotInlineMessageMediaVenue) GetTitle() string

func (*PredBotInlineMessageMediaVenue) GetVenueId

func (m *PredBotInlineMessageMediaVenue) GetVenueId() string

func (*PredBotInlineMessageMediaVenue) ProtoMessage

func (*PredBotInlineMessageMediaVenue) ProtoMessage()

func (*PredBotInlineMessageMediaVenue) Reset

func (m *PredBotInlineMessageMediaVenue) Reset()

func (*PredBotInlineMessageMediaVenue) String

func (*PredBotInlineMessageMediaVenue) ToType

func (p *PredBotInlineMessageMediaVenue) ToType() TL

func (*PredBotInlineMessageMediaVenue) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMessageMediaVenue) XXX_DiscardUnknown()

func (*PredBotInlineMessageMediaVenue) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMessageMediaVenue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMessageMediaVenue) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMessageMediaVenue) XXX_Merge(src proto.Message)

func (*PredBotInlineMessageMediaVenue) XXX_Size added in v0.4.1

func (m *PredBotInlineMessageMediaVenue) XXX_Size() int

func (*PredBotInlineMessageMediaVenue) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMessageMediaVenue) XXX_Unmarshal(b []byte) error

type PredBotInlineMessageText

type PredBotInlineMessageText struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.0?true
	Message string `protobuf:"bytes,3,opt,name=Message" json:"Message,omitempty"`
	// default: Vector<MessageEntity>
	Entities []*TypeMessageEntity `protobuf:"bytes,4,rep,name=Entities" json:"Entities,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,5,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredBotInlineMessageText) Descriptor

func (*PredBotInlineMessageText) Descriptor() ([]byte, []int)

func (*PredBotInlineMessageText) GetEntities

func (m *PredBotInlineMessageText) GetEntities() []*TypeMessageEntity

func (*PredBotInlineMessageText) GetFlags

func (m *PredBotInlineMessageText) GetFlags() int32

func (*PredBotInlineMessageText) GetMessage

func (m *PredBotInlineMessageText) GetMessage() string

func (*PredBotInlineMessageText) GetReplyMarkup

func (m *PredBotInlineMessageText) GetReplyMarkup() *TypeReplyMarkup

func (*PredBotInlineMessageText) ProtoMessage

func (*PredBotInlineMessageText) ProtoMessage()

func (*PredBotInlineMessageText) Reset

func (m *PredBotInlineMessageText) Reset()

func (*PredBotInlineMessageText) String

func (m *PredBotInlineMessageText) String() string

func (*PredBotInlineMessageText) ToType

func (p *PredBotInlineMessageText) ToType() TL

func (*PredBotInlineMessageText) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineMessageText) XXX_DiscardUnknown()

func (*PredBotInlineMessageText) XXX_Marshal added in v0.4.1

func (m *PredBotInlineMessageText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineMessageText) XXX_Merge added in v0.4.1

func (dst *PredBotInlineMessageText) XXX_Merge(src proto.Message)

func (*PredBotInlineMessageText) XXX_Size added in v0.4.1

func (m *PredBotInlineMessageText) XXX_Size() int

func (*PredBotInlineMessageText) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineMessageText) XXX_Unmarshal(b []byte) error

type PredBotInlineResult

type PredBotInlineResult struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id          string `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Type        string `protobuf:"bytes,3,opt,name=Type" json:"Type,omitempty"`
	Title       string `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,5,opt,name=Description" json:"Description,omitempty"`
	Url         string `protobuf:"bytes,6,opt,name=Url" json:"Url,omitempty"`
	ThumbUrl    string `protobuf:"bytes,7,opt,name=ThumbUrl" json:"ThumbUrl,omitempty"`
	ContentUrl  string `protobuf:"bytes,8,opt,name=ContentUrl" json:"ContentUrl,omitempty"`
	ContentType string `protobuf:"bytes,9,opt,name=ContentType" json:"ContentType,omitempty"`
	W           int32  `protobuf:"varint,10,opt,name=W" json:"W,omitempty"`
	H           int32  `protobuf:"varint,11,opt,name=H" json:"H,omitempty"`
	Duration    int32  `protobuf:"varint,12,opt,name=Duration" json:"Duration,omitempty"`
	// default: BotInlineMessage
	SendMessage          *TypeBotInlineMessage `protobuf:"bytes,13,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredBotInlineResult) Descriptor

func (*PredBotInlineResult) Descriptor() ([]byte, []int)

func (*PredBotInlineResult) GetContentType

func (m *PredBotInlineResult) GetContentType() string

func (*PredBotInlineResult) GetContentUrl

func (m *PredBotInlineResult) GetContentUrl() string

func (*PredBotInlineResult) GetDescription

func (m *PredBotInlineResult) GetDescription() string

func (*PredBotInlineResult) GetDuration

func (m *PredBotInlineResult) GetDuration() int32

func (*PredBotInlineResult) GetFlags

func (m *PredBotInlineResult) GetFlags() int32

func (*PredBotInlineResult) GetH

func (m *PredBotInlineResult) GetH() int32

func (*PredBotInlineResult) GetId

func (m *PredBotInlineResult) GetId() string

func (*PredBotInlineResult) GetSendMessage

func (m *PredBotInlineResult) GetSendMessage() *TypeBotInlineMessage

func (*PredBotInlineResult) GetThumbUrl

func (m *PredBotInlineResult) GetThumbUrl() string

func (*PredBotInlineResult) GetTitle

func (m *PredBotInlineResult) GetTitle() string

func (*PredBotInlineResult) GetType

func (m *PredBotInlineResult) GetType() string

func (*PredBotInlineResult) GetUrl

func (m *PredBotInlineResult) GetUrl() string

func (*PredBotInlineResult) GetW

func (m *PredBotInlineResult) GetW() int32

func (*PredBotInlineResult) ProtoMessage

func (*PredBotInlineResult) ProtoMessage()

func (*PredBotInlineResult) Reset

func (m *PredBotInlineResult) Reset()

func (*PredBotInlineResult) String

func (m *PredBotInlineResult) String() string

func (*PredBotInlineResult) ToType

func (p *PredBotInlineResult) ToType() TL

func (*PredBotInlineResult) XXX_DiscardUnknown added in v0.4.1

func (m *PredBotInlineResult) XXX_DiscardUnknown()

func (*PredBotInlineResult) XXX_Marshal added in v0.4.1

func (m *PredBotInlineResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredBotInlineResult) XXX_Merge added in v0.4.1

func (dst *PredBotInlineResult) XXX_Merge(src proto.Message)

func (*PredBotInlineResult) XXX_Size added in v0.4.1

func (m *PredBotInlineResult) XXX_Size() int

func (*PredBotInlineResult) XXX_Unmarshal added in v0.4.1

func (m *PredBotInlineResult) XXX_Unmarshal(b []byte) error

type PredCdnConfig

type PredCdnConfig struct {
	// default: Vector<CdnPublicKey>
	PublicKeys           []*TypeCdnPublicKey `protobuf:"bytes,1,rep,name=PublicKeys" json:"PublicKeys,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*PredCdnConfig) Descriptor

func (*PredCdnConfig) Descriptor() ([]byte, []int)

func (*PredCdnConfig) GetPublicKeys

func (m *PredCdnConfig) GetPublicKeys() []*TypeCdnPublicKey

func (*PredCdnConfig) ProtoMessage

func (*PredCdnConfig) ProtoMessage()

func (*PredCdnConfig) Reset

func (m *PredCdnConfig) Reset()

func (*PredCdnConfig) String

func (m *PredCdnConfig) String() string

func (*PredCdnConfig) ToType

func (p *PredCdnConfig) ToType() TL

func (*PredCdnConfig) XXX_DiscardUnknown added in v0.4.1

func (m *PredCdnConfig) XXX_DiscardUnknown()

func (*PredCdnConfig) XXX_Marshal added in v0.4.1

func (m *PredCdnConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredCdnConfig) XXX_Merge added in v0.4.1

func (dst *PredCdnConfig) XXX_Merge(src proto.Message)

func (*PredCdnConfig) XXX_Size added in v0.4.1

func (m *PredCdnConfig) XXX_Size() int

func (*PredCdnConfig) XXX_Unmarshal added in v0.4.1

func (m *PredCdnConfig) XXX_Unmarshal(b []byte) error

type PredCdnFileHash

type PredCdnFileHash struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32    `protobuf:"varint,2,opt,name=Limit" json:"Limit,omitempty"`
	Hash                 []byte   `protobuf:"bytes,3,opt,name=Hash,proto3" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredCdnFileHash) Descriptor

func (*PredCdnFileHash) Descriptor() ([]byte, []int)

func (*PredCdnFileHash) GetHash

func (m *PredCdnFileHash) GetHash() []byte

func (*PredCdnFileHash) GetLimit

func (m *PredCdnFileHash) GetLimit() int32

func (*PredCdnFileHash) GetOffset

func (m *PredCdnFileHash) GetOffset() int32

func (*PredCdnFileHash) ProtoMessage

func (*PredCdnFileHash) ProtoMessage()

func (*PredCdnFileHash) Reset

func (m *PredCdnFileHash) Reset()

func (*PredCdnFileHash) String

func (m *PredCdnFileHash) String() string

func (*PredCdnFileHash) ToType

func (p *PredCdnFileHash) ToType() TL

func (*PredCdnFileHash) XXX_DiscardUnknown added in v0.4.1

func (m *PredCdnFileHash) XXX_DiscardUnknown()

func (*PredCdnFileHash) XXX_Marshal added in v0.4.1

func (m *PredCdnFileHash) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredCdnFileHash) XXX_Merge added in v0.4.1

func (dst *PredCdnFileHash) XXX_Merge(src proto.Message)

func (*PredCdnFileHash) XXX_Size added in v0.4.1

func (m *PredCdnFileHash) XXX_Size() int

func (*PredCdnFileHash) XXX_Unmarshal added in v0.4.1

func (m *PredCdnFileHash) XXX_Unmarshal(b []byte) error

type PredCdnPublicKey

type PredCdnPublicKey struct {
	DcId                 int32    `protobuf:"varint,1,opt,name=DcId" json:"DcId,omitempty"`
	PublicKey            string   `protobuf:"bytes,2,opt,name=PublicKey" json:"PublicKey,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredCdnPublicKey) Descriptor

func (*PredCdnPublicKey) Descriptor() ([]byte, []int)

func (*PredCdnPublicKey) GetDcId

func (m *PredCdnPublicKey) GetDcId() int32

func (*PredCdnPublicKey) GetPublicKey

func (m *PredCdnPublicKey) GetPublicKey() string

func (*PredCdnPublicKey) ProtoMessage

func (*PredCdnPublicKey) ProtoMessage()

func (*PredCdnPublicKey) Reset

func (m *PredCdnPublicKey) Reset()

func (*PredCdnPublicKey) String

func (m *PredCdnPublicKey) String() string

func (*PredCdnPublicKey) ToType

func (p *PredCdnPublicKey) ToType() TL

func (*PredCdnPublicKey) XXX_DiscardUnknown added in v0.4.1

func (m *PredCdnPublicKey) XXX_DiscardUnknown()

func (*PredCdnPublicKey) XXX_Marshal added in v0.4.1

func (m *PredCdnPublicKey) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredCdnPublicKey) XXX_Merge added in v0.4.1

func (dst *PredCdnPublicKey) XXX_Merge(src proto.Message)

func (*PredCdnPublicKey) XXX_Size added in v0.4.1

func (m *PredCdnPublicKey) XXX_Size() int

func (*PredCdnPublicKey) XXX_Unmarshal added in v0.4.1

func (m *PredCdnPublicKey) XXX_Unmarshal(b []byte) error

type PredChannel

type PredChannel struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Creator	bool // flags.0?true
	// Left	bool // flags.2?true
	// Editor	bool // flags.3?true
	// Broadcast	bool // flags.5?true
	// Verified	bool // flags.7?true
	// Megagroup	bool // flags.8?true
	// Restricted	bool // flags.9?true
	// Democracy	bool // flags.10?true
	// Signatures	bool // flags.11?true
	// Min	bool // flags.12?true
	Id         int32  `protobuf:"varint,12,opt,name=Id" json:"Id,omitempty"`
	AccessHash int64  `protobuf:"varint,13,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Title      string `protobuf:"bytes,14,opt,name=Title" json:"Title,omitempty"`
	Username   string `protobuf:"bytes,15,opt,name=Username" json:"Username,omitempty"`
	// default: ChatPhoto
	Photo             *TypeChatPhoto `protobuf:"bytes,16,opt,name=Photo" json:"Photo,omitempty"`
	Date              int32          `protobuf:"varint,17,opt,name=Date" json:"Date,omitempty"`
	Version           int32          `protobuf:"varint,18,opt,name=Version" json:"Version,omitempty"`
	RestrictionReason string         `protobuf:"bytes,19,opt,name=RestrictionReason" json:"RestrictionReason,omitempty"`
	// default: ChannelAdminRights
	AdminRights *TypeChannelAdminRights `protobuf:"bytes,20,opt,name=AdminRights" json:"AdminRights,omitempty"`
	// default: ChannelBannedRights
	BannedRights         *TypeChannelBannedRights `protobuf:"bytes,21,opt,name=BannedRights" json:"BannedRights,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredChannel) Descriptor

func (*PredChannel) Descriptor() ([]byte, []int)

func (*PredChannel) GetAccessHash

func (m *PredChannel) GetAccessHash() int64

func (*PredChannel) GetAdminRights

func (m *PredChannel) GetAdminRights() *TypeChannelAdminRights

func (*PredChannel) GetBannedRights

func (m *PredChannel) GetBannedRights() *TypeChannelBannedRights

func (*PredChannel) GetDate

func (m *PredChannel) GetDate() int32

func (*PredChannel) GetFlags

func (m *PredChannel) GetFlags() int32

func (*PredChannel) GetId

func (m *PredChannel) GetId() int32

func (*PredChannel) GetPhoto

func (m *PredChannel) GetPhoto() *TypeChatPhoto

func (*PredChannel) GetRestrictionReason

func (m *PredChannel) GetRestrictionReason() string

func (*PredChannel) GetTitle

func (m *PredChannel) GetTitle() string

func (*PredChannel) GetUsername

func (m *PredChannel) GetUsername() string

func (*PredChannel) GetVersion

func (m *PredChannel) GetVersion() int32

func (*PredChannel) ProtoMessage

func (*PredChannel) ProtoMessage()

func (*PredChannel) Reset

func (m *PredChannel) Reset()

func (*PredChannel) String

func (m *PredChannel) String() string

func (*PredChannel) ToType

func (p *PredChannel) ToType() TL

func (*PredChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannel) XXX_DiscardUnknown()

func (*PredChannel) XXX_Marshal added in v0.4.1

func (m *PredChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannel) XXX_Merge added in v0.4.1

func (dst *PredChannel) XXX_Merge(src proto.Message)

func (*PredChannel) XXX_Size added in v0.4.1

func (m *PredChannel) XXX_Size() int

func (*PredChannel) XXX_Unmarshal added in v0.4.1

func (m *PredChannel) XXX_Unmarshal(b []byte) error

type PredChannelAdminLogEvent

type PredChannelAdminLogEvent struct {
	Id     int64 `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Date   int32 `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	UserId int32 `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	// default: ChannelAdminLogEventAction
	Action               *TypeChannelAdminLogEventAction `protobuf:"bytes,4,opt,name=Action" json:"Action,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                        `json:"-"`
	XXX_unrecognized     []byte                          `json:"-"`
	XXX_sizecache        int32                           `json:"-"`
}

func (*PredChannelAdminLogEvent) Descriptor

func (*PredChannelAdminLogEvent) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEvent) GetAction

func (*PredChannelAdminLogEvent) GetDate

func (m *PredChannelAdminLogEvent) GetDate() int32

func (*PredChannelAdminLogEvent) GetId

func (m *PredChannelAdminLogEvent) GetId() int64

func (*PredChannelAdminLogEvent) GetUserId

func (m *PredChannelAdminLogEvent) GetUserId() int32

func (*PredChannelAdminLogEvent) ProtoMessage

func (*PredChannelAdminLogEvent) ProtoMessage()

func (*PredChannelAdminLogEvent) Reset

func (m *PredChannelAdminLogEvent) Reset()

func (*PredChannelAdminLogEvent) String

func (m *PredChannelAdminLogEvent) String() string

func (*PredChannelAdminLogEvent) ToType

func (p *PredChannelAdminLogEvent) ToType() TL

func (*PredChannelAdminLogEvent) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEvent) XXX_DiscardUnknown()

func (*PredChannelAdminLogEvent) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEvent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEvent) XXX_Merge added in v0.4.1

func (dst *PredChannelAdminLogEvent) XXX_Merge(src proto.Message)

func (*PredChannelAdminLogEvent) XXX_Size added in v0.4.1

func (m *PredChannelAdminLogEvent) XXX_Size() int

func (*PredChannelAdminLogEvent) XXX_Unmarshal added in v0.4.1

func (m *PredChannelAdminLogEvent) XXX_Unmarshal(b []byte) error

type PredChannelAdminLogEventActionChangeAbout

type PredChannelAdminLogEventActionChangeAbout struct {
	PrevValue            string   `protobuf:"bytes,1,opt,name=PrevValue" json:"PrevValue,omitempty"`
	NewValue             string   `protobuf:"bytes,2,opt,name=NewValue" json:"NewValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventActionChangeAbout) Descriptor

func (*PredChannelAdminLogEventActionChangeAbout) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEventActionChangeAbout) GetNewValue

func (*PredChannelAdminLogEventActionChangeAbout) GetPrevValue

func (*PredChannelAdminLogEventActionChangeAbout) ProtoMessage

func (*PredChannelAdminLogEventActionChangeAbout) Reset

func (*PredChannelAdminLogEventActionChangeAbout) String

func (*PredChannelAdminLogEventActionChangeAbout) ToType

func (*PredChannelAdminLogEventActionChangeAbout) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeAbout) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionChangeAbout) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeAbout) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionChangeAbout) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionChangeAbout) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionChangeAbout) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionChangePhoto

type PredChannelAdminLogEventActionChangePhoto struct {
	// default: ChatPhoto
	PrevPhoto *TypeChatPhoto `protobuf:"bytes,1,opt,name=PrevPhoto" json:"PrevPhoto,omitempty"`
	// default: ChatPhoto
	NewPhoto             *TypeChatPhoto `protobuf:"bytes,2,opt,name=NewPhoto" json:"NewPhoto,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredChannelAdminLogEventActionChangePhoto) Descriptor

func (*PredChannelAdminLogEventActionChangePhoto) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEventActionChangePhoto) GetNewPhoto

func (*PredChannelAdminLogEventActionChangePhoto) GetPrevPhoto

func (*PredChannelAdminLogEventActionChangePhoto) ProtoMessage

func (*PredChannelAdminLogEventActionChangePhoto) Reset

func (*PredChannelAdminLogEventActionChangePhoto) String

func (*PredChannelAdminLogEventActionChangePhoto) ToType

func (*PredChannelAdminLogEventActionChangePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionChangePhoto) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionChangePhoto) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionChangePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionChangePhoto) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionChangePhoto) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionChangePhoto) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionChangeStickerSet

type PredChannelAdminLogEventActionChangeStickerSet struct {
	// default: InputStickerSet
	PrevStickerset *TypeInputStickerSet `protobuf:"bytes,1,opt,name=PrevStickerset" json:"PrevStickerset,omitempty"`
	// default: InputStickerSet
	NewStickerset        *TypeInputStickerSet `protobuf:"bytes,2,opt,name=NewStickerset" json:"NewStickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredChannelAdminLogEventActionChangeStickerSet) Descriptor

func (*PredChannelAdminLogEventActionChangeStickerSet) GetNewStickerset

func (*PredChannelAdminLogEventActionChangeStickerSet) GetPrevStickerset

func (*PredChannelAdminLogEventActionChangeStickerSet) ProtoMessage

func (*PredChannelAdminLogEventActionChangeStickerSet) Reset

func (*PredChannelAdminLogEventActionChangeStickerSet) String

func (*PredChannelAdminLogEventActionChangeStickerSet) ToType

func (*PredChannelAdminLogEventActionChangeStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeStickerSet) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionChangeStickerSet) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionChangeStickerSet) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionChangeStickerSet) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionChangeStickerSet) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionChangeTitle

type PredChannelAdminLogEventActionChangeTitle struct {
	PrevValue            string   `protobuf:"bytes,1,opt,name=PrevValue" json:"PrevValue,omitempty"`
	NewValue             string   `protobuf:"bytes,2,opt,name=NewValue" json:"NewValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventActionChangeTitle) Descriptor

func (*PredChannelAdminLogEventActionChangeTitle) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEventActionChangeTitle) GetNewValue

func (*PredChannelAdminLogEventActionChangeTitle) GetPrevValue

func (*PredChannelAdminLogEventActionChangeTitle) ProtoMessage

func (*PredChannelAdminLogEventActionChangeTitle) Reset

func (*PredChannelAdminLogEventActionChangeTitle) String

func (*PredChannelAdminLogEventActionChangeTitle) ToType

func (*PredChannelAdminLogEventActionChangeTitle) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeTitle) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionChangeTitle) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeTitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionChangeTitle) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionChangeTitle) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionChangeTitle) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionChangeUsername

type PredChannelAdminLogEventActionChangeUsername struct {
	PrevValue            string   `protobuf:"bytes,1,opt,name=PrevValue" json:"PrevValue,omitempty"`
	NewValue             string   `protobuf:"bytes,2,opt,name=NewValue" json:"NewValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventActionChangeUsername) Descriptor

func (*PredChannelAdminLogEventActionChangeUsername) GetNewValue

func (*PredChannelAdminLogEventActionChangeUsername) GetPrevValue

func (*PredChannelAdminLogEventActionChangeUsername) ProtoMessage

func (*PredChannelAdminLogEventActionChangeUsername) Reset

func (*PredChannelAdminLogEventActionChangeUsername) String

func (*PredChannelAdminLogEventActionChangeUsername) ToType

func (*PredChannelAdminLogEventActionChangeUsername) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeUsername) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionChangeUsername) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionChangeUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionChangeUsername) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionChangeUsername) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionChangeUsername) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionDeleteMessage

type PredChannelAdminLogEventActionDeleteMessage struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredChannelAdminLogEventActionDeleteMessage) Descriptor

func (*PredChannelAdminLogEventActionDeleteMessage) GetMessage

func (*PredChannelAdminLogEventActionDeleteMessage) ProtoMessage

func (*PredChannelAdminLogEventActionDeleteMessage) Reset

func (*PredChannelAdminLogEventActionDeleteMessage) String

func (*PredChannelAdminLogEventActionDeleteMessage) ToType

func (*PredChannelAdminLogEventActionDeleteMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionDeleteMessage) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionDeleteMessage) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionDeleteMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionDeleteMessage) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionDeleteMessage) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionDeleteMessage) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionEditMessage

type PredChannelAdminLogEventActionEditMessage struct {
	// default: Message
	PrevMessage *TypeMessage `protobuf:"bytes,1,opt,name=PrevMessage" json:"PrevMessage,omitempty"`
	// default: Message
	NewMessage           *TypeMessage `protobuf:"bytes,2,opt,name=NewMessage" json:"NewMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredChannelAdminLogEventActionEditMessage) Descriptor

func (*PredChannelAdminLogEventActionEditMessage) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEventActionEditMessage) GetNewMessage

func (*PredChannelAdminLogEventActionEditMessage) GetPrevMessage

func (*PredChannelAdminLogEventActionEditMessage) ProtoMessage

func (*PredChannelAdminLogEventActionEditMessage) Reset

func (*PredChannelAdminLogEventActionEditMessage) String

func (*PredChannelAdminLogEventActionEditMessage) ToType

func (*PredChannelAdminLogEventActionEditMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionEditMessage) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionEditMessage) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionEditMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionEditMessage) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionEditMessage) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionEditMessage) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionParticipantInvite

type PredChannelAdminLogEventActionParticipantInvite struct {
	// default: ChannelParticipant
	Participant          *TypeChannelParticipant `protobuf:"bytes,1,opt,name=Participant" json:"Participant,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredChannelAdminLogEventActionParticipantInvite) Descriptor

func (*PredChannelAdminLogEventActionParticipantInvite) GetParticipant

func (*PredChannelAdminLogEventActionParticipantInvite) ProtoMessage

func (*PredChannelAdminLogEventActionParticipantInvite) Reset

func (*PredChannelAdminLogEventActionParticipantInvite) String

func (*PredChannelAdminLogEventActionParticipantInvite) ToType

func (*PredChannelAdminLogEventActionParticipantInvite) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantInvite) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionParticipantInvite) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionParticipantInvite) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantInvite) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantInvite) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionParticipantJoin

type PredChannelAdminLogEventActionParticipantJoin struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventActionParticipantJoin) Descriptor

func (*PredChannelAdminLogEventActionParticipantJoin) ProtoMessage

func (*PredChannelAdminLogEventActionParticipantJoin) Reset

func (*PredChannelAdminLogEventActionParticipantJoin) String

func (*PredChannelAdminLogEventActionParticipantJoin) ToType

func (*PredChannelAdminLogEventActionParticipantJoin) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantJoin) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionParticipantJoin) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantJoin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionParticipantJoin) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantJoin) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantJoin) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionParticipantLeave

type PredChannelAdminLogEventActionParticipantLeave struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventActionParticipantLeave) Descriptor

func (*PredChannelAdminLogEventActionParticipantLeave) ProtoMessage

func (*PredChannelAdminLogEventActionParticipantLeave) Reset

func (*PredChannelAdminLogEventActionParticipantLeave) String

func (*PredChannelAdminLogEventActionParticipantLeave) ToType

func (*PredChannelAdminLogEventActionParticipantLeave) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantLeave) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionParticipantLeave) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantLeave) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionParticipantLeave) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantLeave) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantLeave) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionParticipantToggleAdmin

type PredChannelAdminLogEventActionParticipantToggleAdmin struct {
	// default: ChannelParticipant
	PrevParticipant *TypeChannelParticipant `protobuf:"bytes,1,opt,name=PrevParticipant" json:"PrevParticipant,omitempty"`
	// default: ChannelParticipant
	NewParticipant       *TypeChannelParticipant `protobuf:"bytes,2,opt,name=NewParticipant" json:"NewParticipant,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) Descriptor

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) GetNewParticipant

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) GetPrevParticipant

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) ProtoMessage

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) Reset

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) String

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) ToType

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_DiscardUnknown added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleAdmin) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionParticipantToggleBan

type PredChannelAdminLogEventActionParticipantToggleBan struct {
	// default: ChannelParticipant
	PrevParticipant *TypeChannelParticipant `protobuf:"bytes,1,opt,name=PrevParticipant" json:"PrevParticipant,omitempty"`
	// default: ChannelParticipant
	NewParticipant       *TypeChannelParticipant `protobuf:"bytes,2,opt,name=NewParticipant" json:"NewParticipant,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredChannelAdminLogEventActionParticipantToggleBan) Descriptor

func (*PredChannelAdminLogEventActionParticipantToggleBan) GetNewParticipant

func (*PredChannelAdminLogEventActionParticipantToggleBan) GetPrevParticipant

func (*PredChannelAdminLogEventActionParticipantToggleBan) ProtoMessage

func (*PredChannelAdminLogEventActionParticipantToggleBan) Reset

func (*PredChannelAdminLogEventActionParticipantToggleBan) String

func (*PredChannelAdminLogEventActionParticipantToggleBan) ToType

func (*PredChannelAdminLogEventActionParticipantToggleBan) XXX_DiscardUnknown added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleBan) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionParticipantToggleBan) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionParticipantToggleBan) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleBan) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionParticipantToggleBan) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionToggleInvites

type PredChannelAdminLogEventActionToggleInvites struct {
	// default: Bool
	NewValue             *TypeBool `protobuf:"bytes,1,opt,name=NewValue" json:"NewValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredChannelAdminLogEventActionToggleInvites) Descriptor

func (*PredChannelAdminLogEventActionToggleInvites) GetNewValue

func (*PredChannelAdminLogEventActionToggleInvites) ProtoMessage

func (*PredChannelAdminLogEventActionToggleInvites) Reset

func (*PredChannelAdminLogEventActionToggleInvites) String

func (*PredChannelAdminLogEventActionToggleInvites) ToType

func (*PredChannelAdminLogEventActionToggleInvites) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionToggleInvites) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionToggleInvites) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionToggleInvites) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionToggleInvites) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionToggleInvites) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionToggleInvites) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionToggleSignatures

type PredChannelAdminLogEventActionToggleSignatures struct {
	// default: Bool
	NewValue             *TypeBool `protobuf:"bytes,1,opt,name=NewValue" json:"NewValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredChannelAdminLogEventActionToggleSignatures) Descriptor

func (*PredChannelAdminLogEventActionToggleSignatures) GetNewValue

func (*PredChannelAdminLogEventActionToggleSignatures) ProtoMessage

func (*PredChannelAdminLogEventActionToggleSignatures) Reset

func (*PredChannelAdminLogEventActionToggleSignatures) String

func (*PredChannelAdminLogEventActionToggleSignatures) ToType

func (*PredChannelAdminLogEventActionToggleSignatures) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionToggleSignatures) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionToggleSignatures) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionToggleSignatures) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionToggleSignatures) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionToggleSignatures) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionToggleSignatures) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventActionUpdatePinned

type PredChannelAdminLogEventActionUpdatePinned struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredChannelAdminLogEventActionUpdatePinned) Descriptor

func (*PredChannelAdminLogEventActionUpdatePinned) GetMessage

func (*PredChannelAdminLogEventActionUpdatePinned) ProtoMessage

func (*PredChannelAdminLogEventActionUpdatePinned) Reset

func (*PredChannelAdminLogEventActionUpdatePinned) String

func (*PredChannelAdminLogEventActionUpdatePinned) ToType

func (*PredChannelAdminLogEventActionUpdatePinned) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventActionUpdatePinned) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventActionUpdatePinned) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventActionUpdatePinned) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventActionUpdatePinned) XXX_Merge added in v0.4.1

func (*PredChannelAdminLogEventActionUpdatePinned) XXX_Size added in v0.4.1

func (*PredChannelAdminLogEventActionUpdatePinned) XXX_Unmarshal added in v0.4.1

type PredChannelAdminLogEventsFilter

type PredChannelAdminLogEventsFilter struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminLogEventsFilter) Descriptor

func (*PredChannelAdminLogEventsFilter) Descriptor() ([]byte, []int)

func (*PredChannelAdminLogEventsFilter) GetFlags

func (m *PredChannelAdminLogEventsFilter) GetFlags() int32

func (*PredChannelAdminLogEventsFilter) ProtoMessage

func (*PredChannelAdminLogEventsFilter) ProtoMessage()

func (*PredChannelAdminLogEventsFilter) Reset

func (*PredChannelAdminLogEventsFilter) String

func (*PredChannelAdminLogEventsFilter) ToType

func (p *PredChannelAdminLogEventsFilter) ToType() TL

func (*PredChannelAdminLogEventsFilter) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminLogEventsFilter) XXX_DiscardUnknown()

func (*PredChannelAdminLogEventsFilter) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminLogEventsFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminLogEventsFilter) XXX_Merge added in v0.4.1

func (dst *PredChannelAdminLogEventsFilter) XXX_Merge(src proto.Message)

func (*PredChannelAdminLogEventsFilter) XXX_Size added in v0.4.1

func (m *PredChannelAdminLogEventsFilter) XXX_Size() int

func (*PredChannelAdminLogEventsFilter) XXX_Unmarshal added in v0.4.1

func (m *PredChannelAdminLogEventsFilter) XXX_Unmarshal(b []byte) error

type PredChannelAdminRights

type PredChannelAdminRights struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelAdminRights) Descriptor

func (*PredChannelAdminRights) Descriptor() ([]byte, []int)

func (*PredChannelAdminRights) GetFlags

func (m *PredChannelAdminRights) GetFlags() int32

func (*PredChannelAdminRights) ProtoMessage

func (*PredChannelAdminRights) ProtoMessage()

func (*PredChannelAdminRights) Reset

func (m *PredChannelAdminRights) Reset()

func (*PredChannelAdminRights) String

func (m *PredChannelAdminRights) String() string

func (*PredChannelAdminRights) ToType

func (p *PredChannelAdminRights) ToType() TL

func (*PredChannelAdminRights) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelAdminRights) XXX_DiscardUnknown()

func (*PredChannelAdminRights) XXX_Marshal added in v0.4.1

func (m *PredChannelAdminRights) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelAdminRights) XXX_Merge added in v0.4.1

func (dst *PredChannelAdminRights) XXX_Merge(src proto.Message)

func (*PredChannelAdminRights) XXX_Size added in v0.4.1

func (m *PredChannelAdminRights) XXX_Size() int

func (*PredChannelAdminRights) XXX_Unmarshal added in v0.4.1

func (m *PredChannelAdminRights) XXX_Unmarshal(b []byte) error

type PredChannelBannedRights

type PredChannelBannedRights struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ViewMessages	bool // flags.0?true
	// SendMessages	bool // flags.1?true
	// SendMedia	bool // flags.2?true
	// SendStickers	bool // flags.3?true
	// SendGifs	bool // flags.4?true
	// SendGames	bool // flags.5?true
	// SendInline	bool // flags.6?true
	// EmbedLinks	bool // flags.7?true
	UntilDate            int32    `protobuf:"varint,10,opt,name=UntilDate" json:"UntilDate,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelBannedRights) Descriptor

func (*PredChannelBannedRights) Descriptor() ([]byte, []int)

func (*PredChannelBannedRights) GetFlags

func (m *PredChannelBannedRights) GetFlags() int32

func (*PredChannelBannedRights) GetUntilDate

func (m *PredChannelBannedRights) GetUntilDate() int32

func (*PredChannelBannedRights) ProtoMessage

func (*PredChannelBannedRights) ProtoMessage()

func (*PredChannelBannedRights) Reset

func (m *PredChannelBannedRights) Reset()

func (*PredChannelBannedRights) String

func (m *PredChannelBannedRights) String() string

func (*PredChannelBannedRights) ToType

func (p *PredChannelBannedRights) ToType() TL

func (*PredChannelBannedRights) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelBannedRights) XXX_DiscardUnknown()

func (*PredChannelBannedRights) XXX_Marshal added in v0.4.1

func (m *PredChannelBannedRights) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelBannedRights) XXX_Merge added in v0.4.1

func (dst *PredChannelBannedRights) XXX_Merge(src proto.Message)

func (*PredChannelBannedRights) XXX_Size added in v0.4.1

func (m *PredChannelBannedRights) XXX_Size() int

func (*PredChannelBannedRights) XXX_Unmarshal added in v0.4.1

func (m *PredChannelBannedRights) XXX_Unmarshal(b []byte) error

type PredChannelForbidden

type PredChannelForbidden struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Broadcast	bool // flags.5?true
	// Megagroup	bool // flags.8?true
	Id                   int32    `protobuf:"varint,4,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,5,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Title                string   `protobuf:"bytes,6,opt,name=Title" json:"Title,omitempty"`
	UntilDate            int32    `protobuf:"varint,7,opt,name=UntilDate" json:"UntilDate,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelForbidden) Descriptor

func (*PredChannelForbidden) Descriptor() ([]byte, []int)

func (*PredChannelForbidden) GetAccessHash

func (m *PredChannelForbidden) GetAccessHash() int64

func (*PredChannelForbidden) GetFlags

func (m *PredChannelForbidden) GetFlags() int32

func (*PredChannelForbidden) GetId

func (m *PredChannelForbidden) GetId() int32

func (*PredChannelForbidden) GetTitle

func (m *PredChannelForbidden) GetTitle() string

func (*PredChannelForbidden) GetUntilDate

func (m *PredChannelForbidden) GetUntilDate() int32

func (*PredChannelForbidden) ProtoMessage

func (*PredChannelForbidden) ProtoMessage()

func (*PredChannelForbidden) Reset

func (m *PredChannelForbidden) Reset()

func (*PredChannelForbidden) String

func (m *PredChannelForbidden) String() string

func (*PredChannelForbidden) ToType

func (p *PredChannelForbidden) ToType() TL

func (*PredChannelForbidden) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelForbidden) XXX_DiscardUnknown()

func (*PredChannelForbidden) XXX_Marshal added in v0.4.1

func (m *PredChannelForbidden) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelForbidden) XXX_Merge added in v0.4.1

func (dst *PredChannelForbidden) XXX_Merge(src proto.Message)

func (*PredChannelForbidden) XXX_Size added in v0.4.1

func (m *PredChannelForbidden) XXX_Size() int

func (*PredChannelForbidden) XXX_Unmarshal added in v0.4.1

func (m *PredChannelForbidden) XXX_Unmarshal(b []byte) error

type PredChannelFull

type PredChannelFull struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// CanViewParticipants	bool // flags.3?true
	// CanSetUsername	bool // flags.6?true
	// CanSetStickers	bool // flags.7?true
	Id                int32  `protobuf:"varint,5,opt,name=Id" json:"Id,omitempty"`
	About             string `protobuf:"bytes,6,opt,name=About" json:"About,omitempty"`
	ParticipantsCount int32  `protobuf:"varint,7,opt,name=ParticipantsCount" json:"ParticipantsCount,omitempty"`
	AdminsCount       int32  `protobuf:"varint,8,opt,name=AdminsCount" json:"AdminsCount,omitempty"`
	KickedCount       int32  `protobuf:"varint,9,opt,name=KickedCount" json:"KickedCount,omitempty"`
	BannedCount       int32  `protobuf:"varint,10,opt,name=BannedCount" json:"BannedCount,omitempty"`
	ReadInboxMaxId    int32  `protobuf:"varint,11,opt,name=ReadInboxMaxId" json:"ReadInboxMaxId,omitempty"`
	ReadOutboxMaxId   int32  `protobuf:"varint,12,opt,name=ReadOutboxMaxId" json:"ReadOutboxMaxId,omitempty"`
	UnreadCount       int32  `protobuf:"varint,13,opt,name=UnreadCount" json:"UnreadCount,omitempty"`
	// default: Photo
	ChatPhoto *TypePhoto `protobuf:"bytes,14,opt,name=ChatPhoto" json:"ChatPhoto,omitempty"`
	// default: PeerNotifySettings
	NotifySettings *TypePeerNotifySettings `protobuf:"bytes,15,opt,name=NotifySettings" json:"NotifySettings,omitempty"`
	// default: ExportedChatInvite
	ExportedInvite *TypeExportedChatInvite `protobuf:"bytes,16,opt,name=ExportedInvite" json:"ExportedInvite,omitempty"`
	// default: Vector<BotInfo>
	BotInfos           []*TypeBotInfo `protobuf:"bytes,17,rep,name=BotInfos" json:"BotInfos,omitempty"`
	MigratedFromChatId int32          `protobuf:"varint,18,opt,name=MigratedFromChatId" json:"MigratedFromChatId,omitempty"`
	MigratedFromMaxId  int32          `protobuf:"varint,19,opt,name=MigratedFromMaxId" json:"MigratedFromMaxId,omitempty"`
	PinnedMsgId        int32          `protobuf:"varint,20,opt,name=PinnedMsgId" json:"PinnedMsgId,omitempty"`
	// default: StickerSet
	Stickerset           *TypeStickerSet `protobuf:"bytes,21,opt,name=Stickerset" json:"Stickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredChannelFull) Descriptor

func (*PredChannelFull) Descriptor() ([]byte, []int)

func (*PredChannelFull) GetAbout

func (m *PredChannelFull) GetAbout() string

func (*PredChannelFull) GetAdminsCount

func (m *PredChannelFull) GetAdminsCount() int32

func (*PredChannelFull) GetBannedCount

func (m *PredChannelFull) GetBannedCount() int32

func (*PredChannelFull) GetBotInfos

func (m *PredChannelFull) GetBotInfos() []*TypeBotInfo

func (*PredChannelFull) GetChatPhoto

func (m *PredChannelFull) GetChatPhoto() *TypePhoto

func (*PredChannelFull) GetExportedInvite

func (m *PredChannelFull) GetExportedInvite() *TypeExportedChatInvite

func (*PredChannelFull) GetFlags

func (m *PredChannelFull) GetFlags() int32

func (*PredChannelFull) GetId

func (m *PredChannelFull) GetId() int32

func (*PredChannelFull) GetKickedCount

func (m *PredChannelFull) GetKickedCount() int32

func (*PredChannelFull) GetMigratedFromChatId

func (m *PredChannelFull) GetMigratedFromChatId() int32

func (*PredChannelFull) GetMigratedFromMaxId

func (m *PredChannelFull) GetMigratedFromMaxId() int32

func (*PredChannelFull) GetNotifySettings

func (m *PredChannelFull) GetNotifySettings() *TypePeerNotifySettings

func (*PredChannelFull) GetParticipantsCount

func (m *PredChannelFull) GetParticipantsCount() int32

func (*PredChannelFull) GetPinnedMsgId

func (m *PredChannelFull) GetPinnedMsgId() int32

func (*PredChannelFull) GetReadInboxMaxId

func (m *PredChannelFull) GetReadInboxMaxId() int32

func (*PredChannelFull) GetReadOutboxMaxId

func (m *PredChannelFull) GetReadOutboxMaxId() int32

func (*PredChannelFull) GetStickerset

func (m *PredChannelFull) GetStickerset() *TypeStickerSet

func (*PredChannelFull) GetUnreadCount

func (m *PredChannelFull) GetUnreadCount() int32

func (*PredChannelFull) ProtoMessage

func (*PredChannelFull) ProtoMessage()

func (*PredChannelFull) Reset

func (m *PredChannelFull) Reset()

func (*PredChannelFull) String

func (m *PredChannelFull) String() string

func (*PredChannelFull) ToType

func (p *PredChannelFull) ToType() TL

func (*PredChannelFull) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelFull) XXX_DiscardUnknown()

func (*PredChannelFull) XXX_Marshal added in v0.4.1

func (m *PredChannelFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelFull) XXX_Merge added in v0.4.1

func (dst *PredChannelFull) XXX_Merge(src proto.Message)

func (*PredChannelFull) XXX_Size added in v0.4.1

func (m *PredChannelFull) XXX_Size() int

func (*PredChannelFull) XXX_Unmarshal added in v0.4.1

func (m *PredChannelFull) XXX_Unmarshal(b []byte) error

type PredChannelMessagesFilter

type PredChannelMessagesFilter struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ExcludeNewMessages	bool // flags.1?true
	// default: Vector<MessageRange>
	Ranges               []*TypeMessageRange `protobuf:"bytes,3,rep,name=Ranges" json:"Ranges,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*PredChannelMessagesFilter) Descriptor

func (*PredChannelMessagesFilter) Descriptor() ([]byte, []int)

func (*PredChannelMessagesFilter) GetFlags

func (m *PredChannelMessagesFilter) GetFlags() int32

func (*PredChannelMessagesFilter) GetRanges

func (m *PredChannelMessagesFilter) GetRanges() []*TypeMessageRange

func (*PredChannelMessagesFilter) ProtoMessage

func (*PredChannelMessagesFilter) ProtoMessage()

func (*PredChannelMessagesFilter) Reset

func (m *PredChannelMessagesFilter) Reset()

func (*PredChannelMessagesFilter) String

func (m *PredChannelMessagesFilter) String() string

func (*PredChannelMessagesFilter) ToType

func (p *PredChannelMessagesFilter) ToType() TL

func (*PredChannelMessagesFilter) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelMessagesFilter) XXX_DiscardUnknown()

func (*PredChannelMessagesFilter) XXX_Marshal added in v0.4.1

func (m *PredChannelMessagesFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelMessagesFilter) XXX_Merge added in v0.4.1

func (dst *PredChannelMessagesFilter) XXX_Merge(src proto.Message)

func (*PredChannelMessagesFilter) XXX_Size added in v0.4.1

func (m *PredChannelMessagesFilter) XXX_Size() int

func (*PredChannelMessagesFilter) XXX_Unmarshal added in v0.4.1

func (m *PredChannelMessagesFilter) XXX_Unmarshal(b []byte) error

type PredChannelMessagesFilterEmpty

type PredChannelMessagesFilterEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelMessagesFilterEmpty) Descriptor

func (*PredChannelMessagesFilterEmpty) Descriptor() ([]byte, []int)

func (*PredChannelMessagesFilterEmpty) ProtoMessage

func (*PredChannelMessagesFilterEmpty) ProtoMessage()

func (*PredChannelMessagesFilterEmpty) Reset

func (m *PredChannelMessagesFilterEmpty) Reset()

func (*PredChannelMessagesFilterEmpty) String

func (*PredChannelMessagesFilterEmpty) ToType

func (p *PredChannelMessagesFilterEmpty) ToType() TL

func (*PredChannelMessagesFilterEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelMessagesFilterEmpty) XXX_DiscardUnknown()

func (*PredChannelMessagesFilterEmpty) XXX_Marshal added in v0.4.1

func (m *PredChannelMessagesFilterEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelMessagesFilterEmpty) XXX_Merge added in v0.4.1

func (dst *PredChannelMessagesFilterEmpty) XXX_Merge(src proto.Message)

func (*PredChannelMessagesFilterEmpty) XXX_Size added in v0.4.1

func (m *PredChannelMessagesFilterEmpty) XXX_Size() int

func (*PredChannelMessagesFilterEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredChannelMessagesFilterEmpty) XXX_Unmarshal(b []byte) error

type PredChannelParticipant

type PredChannelParticipant struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Date                 int32    `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipant) Descriptor

func (*PredChannelParticipant) Descriptor() ([]byte, []int)

func (*PredChannelParticipant) GetDate

func (m *PredChannelParticipant) GetDate() int32

func (*PredChannelParticipant) GetUserId

func (m *PredChannelParticipant) GetUserId() int32

func (*PredChannelParticipant) ProtoMessage

func (*PredChannelParticipant) ProtoMessage()

func (*PredChannelParticipant) Reset

func (m *PredChannelParticipant) Reset()

func (*PredChannelParticipant) String

func (m *PredChannelParticipant) String() string

func (*PredChannelParticipant) ToType

func (p *PredChannelParticipant) ToType() TL

func (*PredChannelParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipant) XXX_DiscardUnknown()

func (*PredChannelParticipant) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipant) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipant) XXX_Merge(src proto.Message)

func (*PredChannelParticipant) XXX_Size added in v0.4.1

func (m *PredChannelParticipant) XXX_Size() int

func (*PredChannelParticipant) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipant) XXX_Unmarshal(b []byte) error

type PredChannelParticipantAdmin

type PredChannelParticipantAdmin struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// CanEdit	bool // flags.0?true
	UserId     int32 `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	InviterId  int32 `protobuf:"varint,4,opt,name=InviterId" json:"InviterId,omitempty"`
	PromotedBy int32 `protobuf:"varint,5,opt,name=PromotedBy" json:"PromotedBy,omitempty"`
	Date       int32 `protobuf:"varint,6,opt,name=Date" json:"Date,omitempty"`
	// default: ChannelAdminRights
	AdminRights          *TypeChannelAdminRights `protobuf:"bytes,7,opt,name=AdminRights" json:"AdminRights,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredChannelParticipantAdmin) Descriptor

func (*PredChannelParticipantAdmin) Descriptor() ([]byte, []int)

func (*PredChannelParticipantAdmin) GetAdminRights

func (*PredChannelParticipantAdmin) GetDate

func (m *PredChannelParticipantAdmin) GetDate() int32

func (*PredChannelParticipantAdmin) GetFlags

func (m *PredChannelParticipantAdmin) GetFlags() int32

func (*PredChannelParticipantAdmin) GetInviterId

func (m *PredChannelParticipantAdmin) GetInviterId() int32

func (*PredChannelParticipantAdmin) GetPromotedBy

func (m *PredChannelParticipantAdmin) GetPromotedBy() int32

func (*PredChannelParticipantAdmin) GetUserId

func (m *PredChannelParticipantAdmin) GetUserId() int32

func (*PredChannelParticipantAdmin) ProtoMessage

func (*PredChannelParticipantAdmin) ProtoMessage()

func (*PredChannelParticipantAdmin) Reset

func (m *PredChannelParticipantAdmin) Reset()

func (*PredChannelParticipantAdmin) String

func (m *PredChannelParticipantAdmin) String() string

func (*PredChannelParticipantAdmin) ToType

func (p *PredChannelParticipantAdmin) ToType() TL

func (*PredChannelParticipantAdmin) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantAdmin) XXX_DiscardUnknown()

func (*PredChannelParticipantAdmin) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantAdmin) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantAdmin) XXX_Merge(src proto.Message)

func (*PredChannelParticipantAdmin) XXX_Size added in v0.4.1

func (m *PredChannelParticipantAdmin) XXX_Size() int

func (*PredChannelParticipantAdmin) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantAdmin) XXX_Unmarshal(b []byte) error

type PredChannelParticipantBanned

type PredChannelParticipantBanned struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Left	bool // flags.0?true
	UserId   int32 `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	KickedBy int32 `protobuf:"varint,4,opt,name=KickedBy" json:"KickedBy,omitempty"`
	Date     int32 `protobuf:"varint,5,opt,name=Date" json:"Date,omitempty"`
	// default: ChannelBannedRights
	BannedRights         *TypeChannelBannedRights `protobuf:"bytes,6,opt,name=BannedRights" json:"BannedRights,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredChannelParticipantBanned) Descriptor

func (*PredChannelParticipantBanned) Descriptor() ([]byte, []int)

func (*PredChannelParticipantBanned) GetBannedRights

func (*PredChannelParticipantBanned) GetDate

func (m *PredChannelParticipantBanned) GetDate() int32

func (*PredChannelParticipantBanned) GetFlags

func (m *PredChannelParticipantBanned) GetFlags() int32

func (*PredChannelParticipantBanned) GetKickedBy

func (m *PredChannelParticipantBanned) GetKickedBy() int32

func (*PredChannelParticipantBanned) GetUserId

func (m *PredChannelParticipantBanned) GetUserId() int32

func (*PredChannelParticipantBanned) ProtoMessage

func (*PredChannelParticipantBanned) ProtoMessage()

func (*PredChannelParticipantBanned) Reset

func (m *PredChannelParticipantBanned) Reset()

func (*PredChannelParticipantBanned) String

func (*PredChannelParticipantBanned) ToType

func (p *PredChannelParticipantBanned) ToType() TL

func (*PredChannelParticipantBanned) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantBanned) XXX_DiscardUnknown()

func (*PredChannelParticipantBanned) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantBanned) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantBanned) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantBanned) XXX_Merge(src proto.Message)

func (*PredChannelParticipantBanned) XXX_Size added in v0.4.1

func (m *PredChannelParticipantBanned) XXX_Size() int

func (*PredChannelParticipantBanned) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantBanned) XXX_Unmarshal(b []byte) error

type PredChannelParticipantCreator

type PredChannelParticipantCreator struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantCreator) Descriptor

func (*PredChannelParticipantCreator) Descriptor() ([]byte, []int)

func (*PredChannelParticipantCreator) GetUserId

func (m *PredChannelParticipantCreator) GetUserId() int32

func (*PredChannelParticipantCreator) ProtoMessage

func (*PredChannelParticipantCreator) ProtoMessage()

func (*PredChannelParticipantCreator) Reset

func (m *PredChannelParticipantCreator) Reset()

func (*PredChannelParticipantCreator) String

func (*PredChannelParticipantCreator) ToType

func (p *PredChannelParticipantCreator) ToType() TL

func (*PredChannelParticipantCreator) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantCreator) XXX_DiscardUnknown()

func (*PredChannelParticipantCreator) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantCreator) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantCreator) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantCreator) XXX_Merge(src proto.Message)

func (*PredChannelParticipantCreator) XXX_Size added in v0.4.1

func (m *PredChannelParticipantCreator) XXX_Size() int

func (*PredChannelParticipantCreator) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantCreator) XXX_Unmarshal(b []byte) error

type PredChannelParticipantSelf

type PredChannelParticipantSelf struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	InviterId            int32    `protobuf:"varint,2,opt,name=InviterId" json:"InviterId,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantSelf) Descriptor

func (*PredChannelParticipantSelf) Descriptor() ([]byte, []int)

func (*PredChannelParticipantSelf) GetDate

func (m *PredChannelParticipantSelf) GetDate() int32

func (*PredChannelParticipantSelf) GetInviterId

func (m *PredChannelParticipantSelf) GetInviterId() int32

func (*PredChannelParticipantSelf) GetUserId

func (m *PredChannelParticipantSelf) GetUserId() int32

func (*PredChannelParticipantSelf) ProtoMessage

func (*PredChannelParticipantSelf) ProtoMessage()

func (*PredChannelParticipantSelf) Reset

func (m *PredChannelParticipantSelf) Reset()

func (*PredChannelParticipantSelf) String

func (m *PredChannelParticipantSelf) String() string

func (*PredChannelParticipantSelf) ToType

func (p *PredChannelParticipantSelf) ToType() TL

func (*PredChannelParticipantSelf) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantSelf) XXX_DiscardUnknown()

func (*PredChannelParticipantSelf) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantSelf) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantSelf) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantSelf) XXX_Merge(src proto.Message)

func (*PredChannelParticipantSelf) XXX_Size added in v0.4.1

func (m *PredChannelParticipantSelf) XXX_Size() int

func (*PredChannelParticipantSelf) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantSelf) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsAdmins

type PredChannelParticipantsAdmins struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsAdmins) Descriptor

func (*PredChannelParticipantsAdmins) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsAdmins) ProtoMessage

func (*PredChannelParticipantsAdmins) ProtoMessage()

func (*PredChannelParticipantsAdmins) Reset

func (m *PredChannelParticipantsAdmins) Reset()

func (*PredChannelParticipantsAdmins) String

func (*PredChannelParticipantsAdmins) ToType

func (p *PredChannelParticipantsAdmins) ToType() TL

func (*PredChannelParticipantsAdmins) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsAdmins) XXX_DiscardUnknown()

func (*PredChannelParticipantsAdmins) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsAdmins) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsAdmins) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsAdmins) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsAdmins) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsAdmins) XXX_Size() int

func (*PredChannelParticipantsAdmins) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsAdmins) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsBanned

type PredChannelParticipantsBanned struct {
	Q                    string   `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsBanned) Descriptor

func (*PredChannelParticipantsBanned) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsBanned) GetQ

func (*PredChannelParticipantsBanned) ProtoMessage

func (*PredChannelParticipantsBanned) ProtoMessage()

func (*PredChannelParticipantsBanned) Reset

func (m *PredChannelParticipantsBanned) Reset()

func (*PredChannelParticipantsBanned) String

func (*PredChannelParticipantsBanned) ToType

func (p *PredChannelParticipantsBanned) ToType() TL

func (*PredChannelParticipantsBanned) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsBanned) XXX_DiscardUnknown()

func (*PredChannelParticipantsBanned) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsBanned) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsBanned) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsBanned) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsBanned) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsBanned) XXX_Size() int

func (*PredChannelParticipantsBanned) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsBanned) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsBots

type PredChannelParticipantsBots struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsBots) Descriptor

func (*PredChannelParticipantsBots) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsBots) ProtoMessage

func (*PredChannelParticipantsBots) ProtoMessage()

func (*PredChannelParticipantsBots) Reset

func (m *PredChannelParticipantsBots) Reset()

func (*PredChannelParticipantsBots) String

func (m *PredChannelParticipantsBots) String() string

func (*PredChannelParticipantsBots) ToType

func (p *PredChannelParticipantsBots) ToType() TL

func (*PredChannelParticipantsBots) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsBots) XXX_DiscardUnknown()

func (*PredChannelParticipantsBots) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsBots) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsBots) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsBots) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsBots) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsBots) XXX_Size() int

func (*PredChannelParticipantsBots) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsBots) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsKicked

type PredChannelParticipantsKicked struct {
	Q                    string   `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsKicked) Descriptor

func (*PredChannelParticipantsKicked) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsKicked) GetQ

func (*PredChannelParticipantsKicked) ProtoMessage

func (*PredChannelParticipantsKicked) ProtoMessage()

func (*PredChannelParticipantsKicked) Reset

func (m *PredChannelParticipantsKicked) Reset()

func (*PredChannelParticipantsKicked) String

func (*PredChannelParticipantsKicked) ToType

func (p *PredChannelParticipantsKicked) ToType() TL

func (*PredChannelParticipantsKicked) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsKicked) XXX_DiscardUnknown()

func (*PredChannelParticipantsKicked) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsKicked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsKicked) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsKicked) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsKicked) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsKicked) XXX_Size() int

func (*PredChannelParticipantsKicked) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsKicked) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsRecent

type PredChannelParticipantsRecent struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsRecent) Descriptor

func (*PredChannelParticipantsRecent) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsRecent) ProtoMessage

func (*PredChannelParticipantsRecent) ProtoMessage()

func (*PredChannelParticipantsRecent) Reset

func (m *PredChannelParticipantsRecent) Reset()

func (*PredChannelParticipantsRecent) String

func (*PredChannelParticipantsRecent) ToType

func (p *PredChannelParticipantsRecent) ToType() TL

func (*PredChannelParticipantsRecent) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsRecent) XXX_DiscardUnknown()

func (*PredChannelParticipantsRecent) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsRecent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsRecent) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsRecent) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsRecent) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsRecent) XXX_Size() int

func (*PredChannelParticipantsRecent) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsRecent) XXX_Unmarshal(b []byte) error

type PredChannelParticipantsSearch

type PredChannelParticipantsSearch struct {
	Q                    string   `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChannelParticipantsSearch) Descriptor

func (*PredChannelParticipantsSearch) Descriptor() ([]byte, []int)

func (*PredChannelParticipantsSearch) GetQ

func (*PredChannelParticipantsSearch) ProtoMessage

func (*PredChannelParticipantsSearch) ProtoMessage()

func (*PredChannelParticipantsSearch) Reset

func (m *PredChannelParticipantsSearch) Reset()

func (*PredChannelParticipantsSearch) String

func (*PredChannelParticipantsSearch) ToType

func (p *PredChannelParticipantsSearch) ToType() TL

func (*PredChannelParticipantsSearch) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelParticipantsSearch) XXX_DiscardUnknown()

func (*PredChannelParticipantsSearch) XXX_Marshal added in v0.4.1

func (m *PredChannelParticipantsSearch) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelParticipantsSearch) XXX_Merge added in v0.4.1

func (dst *PredChannelParticipantsSearch) XXX_Merge(src proto.Message)

func (*PredChannelParticipantsSearch) XXX_Size added in v0.4.1

func (m *PredChannelParticipantsSearch) XXX_Size() int

func (*PredChannelParticipantsSearch) XXX_Unmarshal added in v0.4.1

func (m *PredChannelParticipantsSearch) XXX_Unmarshal(b []byte) error

type PredChannelsAdminLogResults

type PredChannelsAdminLogResults struct {
	// default: Vector<ChannelAdminLogEvent>
	Events []*TypeChannelAdminLogEvent `protobuf:"bytes,1,rep,name=Events" json:"Events,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredChannelsAdminLogResults) Descriptor

func (*PredChannelsAdminLogResults) Descriptor() ([]byte, []int)

func (*PredChannelsAdminLogResults) GetChats

func (m *PredChannelsAdminLogResults) GetChats() []*TypeChat

func (*PredChannelsAdminLogResults) GetEvents

func (*PredChannelsAdminLogResults) GetUsers

func (m *PredChannelsAdminLogResults) GetUsers() []*TypeUser

func (*PredChannelsAdminLogResults) ProtoMessage

func (*PredChannelsAdminLogResults) ProtoMessage()

func (*PredChannelsAdminLogResults) Reset

func (m *PredChannelsAdminLogResults) Reset()

func (*PredChannelsAdminLogResults) String

func (m *PredChannelsAdminLogResults) String() string

func (*PredChannelsAdminLogResults) ToType

func (p *PredChannelsAdminLogResults) ToType() TL

func (*PredChannelsAdminLogResults) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelsAdminLogResults) XXX_DiscardUnknown()

func (*PredChannelsAdminLogResults) XXX_Marshal added in v0.4.1

func (m *PredChannelsAdminLogResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelsAdminLogResults) XXX_Merge added in v0.4.1

func (dst *PredChannelsAdminLogResults) XXX_Merge(src proto.Message)

func (*PredChannelsAdminLogResults) XXX_Size added in v0.4.1

func (m *PredChannelsAdminLogResults) XXX_Size() int

func (*PredChannelsAdminLogResults) XXX_Unmarshal added in v0.4.1

func (m *PredChannelsAdminLogResults) XXX_Unmarshal(b []byte) error

type PredChannelsChannelParticipant

type PredChannelsChannelParticipant struct {
	// default: ChannelParticipant
	Participant *TypeChannelParticipant `protobuf:"bytes,1,opt,name=Participant" json:"Participant,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredChannelsChannelParticipant) Descriptor

func (*PredChannelsChannelParticipant) Descriptor() ([]byte, []int)

func (*PredChannelsChannelParticipant) GetParticipant

func (*PredChannelsChannelParticipant) GetUsers

func (m *PredChannelsChannelParticipant) GetUsers() []*TypeUser

func (*PredChannelsChannelParticipant) ProtoMessage

func (*PredChannelsChannelParticipant) ProtoMessage()

func (*PredChannelsChannelParticipant) Reset

func (m *PredChannelsChannelParticipant) Reset()

func (*PredChannelsChannelParticipant) String

func (*PredChannelsChannelParticipant) ToType

func (p *PredChannelsChannelParticipant) ToType() TL

func (*PredChannelsChannelParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelsChannelParticipant) XXX_DiscardUnknown()

func (*PredChannelsChannelParticipant) XXX_Marshal added in v0.4.1

func (m *PredChannelsChannelParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelsChannelParticipant) XXX_Merge added in v0.4.1

func (dst *PredChannelsChannelParticipant) XXX_Merge(src proto.Message)

func (*PredChannelsChannelParticipant) XXX_Size added in v0.4.1

func (m *PredChannelsChannelParticipant) XXX_Size() int

func (*PredChannelsChannelParticipant) XXX_Unmarshal added in v0.4.1

func (m *PredChannelsChannelParticipant) XXX_Unmarshal(b []byte) error

type PredChannelsChannelParticipants

type PredChannelsChannelParticipants struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<ChannelParticipant>
	Participants []*TypeChannelParticipant `protobuf:"bytes,2,rep,name=Participants" json:"Participants,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredChannelsChannelParticipants) Descriptor

func (*PredChannelsChannelParticipants) Descriptor() ([]byte, []int)

func (*PredChannelsChannelParticipants) GetCount

func (m *PredChannelsChannelParticipants) GetCount() int32

func (*PredChannelsChannelParticipants) GetParticipants

func (*PredChannelsChannelParticipants) GetUsers

func (m *PredChannelsChannelParticipants) GetUsers() []*TypeUser

func (*PredChannelsChannelParticipants) ProtoMessage

func (*PredChannelsChannelParticipants) ProtoMessage()

func (*PredChannelsChannelParticipants) Reset

func (*PredChannelsChannelParticipants) String

func (*PredChannelsChannelParticipants) ToType

func (p *PredChannelsChannelParticipants) ToType() TL

func (*PredChannelsChannelParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *PredChannelsChannelParticipants) XXX_DiscardUnknown()

func (*PredChannelsChannelParticipants) XXX_Marshal added in v0.4.1

func (m *PredChannelsChannelParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChannelsChannelParticipants) XXX_Merge added in v0.4.1

func (dst *PredChannelsChannelParticipants) XXX_Merge(src proto.Message)

func (*PredChannelsChannelParticipants) XXX_Size added in v0.4.1

func (m *PredChannelsChannelParticipants) XXX_Size() int

func (*PredChannelsChannelParticipants) XXX_Unmarshal added in v0.4.1

func (m *PredChannelsChannelParticipants) XXX_Unmarshal(b []byte) error

type PredChat

type PredChat struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Creator	bool // flags.0?true
	// Kicked	bool // flags.1?true
	// Left	bool // flags.2?true
	// AdminsEnabled	bool // flags.3?true
	// Admin	bool // flags.4?true
	// Deactivated	bool // flags.5?true
	Id    int32  `protobuf:"varint,8,opt,name=Id" json:"Id,omitempty"`
	Title string `protobuf:"bytes,9,opt,name=Title" json:"Title,omitempty"`
	// default: ChatPhoto
	Photo             *TypeChatPhoto `protobuf:"bytes,10,opt,name=Photo" json:"Photo,omitempty"`
	ParticipantsCount int32          `protobuf:"varint,11,opt,name=ParticipantsCount" json:"ParticipantsCount,omitempty"`
	Date              int32          `protobuf:"varint,12,opt,name=Date" json:"Date,omitempty"`
	Version           int32          `protobuf:"varint,13,opt,name=Version" json:"Version,omitempty"`
	// default: InputChannel
	MigratedTo           *TypeInputChannel `protobuf:"bytes,14,opt,name=MigratedTo" json:"MigratedTo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredChat) Descriptor

func (*PredChat) Descriptor() ([]byte, []int)

func (*PredChat) GetDate

func (m *PredChat) GetDate() int32

func (*PredChat) GetFlags

func (m *PredChat) GetFlags() int32

func (*PredChat) GetId

func (m *PredChat) GetId() int32

func (*PredChat) GetMigratedTo

func (m *PredChat) GetMigratedTo() *TypeInputChannel

func (*PredChat) GetParticipantsCount

func (m *PredChat) GetParticipantsCount() int32

func (*PredChat) GetPhoto

func (m *PredChat) GetPhoto() *TypeChatPhoto

func (*PredChat) GetTitle

func (m *PredChat) GetTitle() string

func (*PredChat) GetVersion

func (m *PredChat) GetVersion() int32

func (*PredChat) ProtoMessage

func (*PredChat) ProtoMessage()

func (*PredChat) Reset

func (m *PredChat) Reset()

func (*PredChat) String

func (m *PredChat) String() string

func (*PredChat) ToType

func (p *PredChat) ToType() TL

func (*PredChat) XXX_DiscardUnknown added in v0.4.1

func (m *PredChat) XXX_DiscardUnknown()

func (*PredChat) XXX_Marshal added in v0.4.1

func (m *PredChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChat) XXX_Merge added in v0.4.1

func (dst *PredChat) XXX_Merge(src proto.Message)

func (*PredChat) XXX_Size added in v0.4.1

func (m *PredChat) XXX_Size() int

func (*PredChat) XXX_Unmarshal added in v0.4.1

func (m *PredChat) XXX_Unmarshal(b []byte) error

type PredChatEmpty

type PredChatEmpty struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatEmpty) Descriptor

func (*PredChatEmpty) Descriptor() ([]byte, []int)

func (*PredChatEmpty) GetId

func (m *PredChatEmpty) GetId() int32

func (*PredChatEmpty) ProtoMessage

func (*PredChatEmpty) ProtoMessage()

func (*PredChatEmpty) Reset

func (m *PredChatEmpty) Reset()

func (*PredChatEmpty) String

func (m *PredChatEmpty) String() string

func (*PredChatEmpty) ToType

func (p *PredChatEmpty) ToType() TL

func (*PredChatEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatEmpty) XXX_DiscardUnknown()

func (*PredChatEmpty) XXX_Marshal added in v0.4.1

func (m *PredChatEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatEmpty) XXX_Merge added in v0.4.1

func (dst *PredChatEmpty) XXX_Merge(src proto.Message)

func (*PredChatEmpty) XXX_Size added in v0.4.1

func (m *PredChatEmpty) XXX_Size() int

func (*PredChatEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredChatEmpty) XXX_Unmarshal(b []byte) error

type PredChatForbidden

type PredChatForbidden struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Title                string   `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatForbidden) Descriptor

func (*PredChatForbidden) Descriptor() ([]byte, []int)

func (*PredChatForbidden) GetId

func (m *PredChatForbidden) GetId() int32

func (*PredChatForbidden) GetTitle

func (m *PredChatForbidden) GetTitle() string

func (*PredChatForbidden) ProtoMessage

func (*PredChatForbidden) ProtoMessage()

func (*PredChatForbidden) Reset

func (m *PredChatForbidden) Reset()

func (*PredChatForbidden) String

func (m *PredChatForbidden) String() string

func (*PredChatForbidden) ToType

func (p *PredChatForbidden) ToType() TL

func (*PredChatForbidden) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatForbidden) XXX_DiscardUnknown()

func (*PredChatForbidden) XXX_Marshal added in v0.4.1

func (m *PredChatForbidden) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatForbidden) XXX_Merge added in v0.4.1

func (dst *PredChatForbidden) XXX_Merge(src proto.Message)

func (*PredChatForbidden) XXX_Size added in v0.4.1

func (m *PredChatForbidden) XXX_Size() int

func (*PredChatForbidden) XXX_Unmarshal added in v0.4.1

func (m *PredChatForbidden) XXX_Unmarshal(b []byte) error

type PredChatFull

type PredChatFull struct {
	Id int32 `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	// default: ChatParticipants
	Participants *TypeChatParticipants `protobuf:"bytes,2,opt,name=Participants" json:"Participants,omitempty"`
	// default: Photo
	ChatPhoto *TypePhoto `protobuf:"bytes,3,opt,name=ChatPhoto" json:"ChatPhoto,omitempty"`
	// default: PeerNotifySettings
	NotifySettings *TypePeerNotifySettings `protobuf:"bytes,4,opt,name=NotifySettings" json:"NotifySettings,omitempty"`
	// default: ExportedChatInvite
	ExportedInvite *TypeExportedChatInvite `protobuf:"bytes,5,opt,name=ExportedInvite" json:"ExportedInvite,omitempty"`
	// default: Vector<BotInfo>
	BotInfos             []*TypeBotInfo `protobuf:"bytes,6,rep,name=BotInfos" json:"BotInfos,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredChatFull) Descriptor

func (*PredChatFull) Descriptor() ([]byte, []int)

func (*PredChatFull) GetBotInfos

func (m *PredChatFull) GetBotInfos() []*TypeBotInfo

func (*PredChatFull) GetChatPhoto

func (m *PredChatFull) GetChatPhoto() *TypePhoto

func (*PredChatFull) GetExportedInvite

func (m *PredChatFull) GetExportedInvite() *TypeExportedChatInvite

func (*PredChatFull) GetId

func (m *PredChatFull) GetId() int32

func (*PredChatFull) GetNotifySettings

func (m *PredChatFull) GetNotifySettings() *TypePeerNotifySettings

func (*PredChatFull) GetParticipants

func (m *PredChatFull) GetParticipants() *TypeChatParticipants

func (*PredChatFull) ProtoMessage

func (*PredChatFull) ProtoMessage()

func (*PredChatFull) Reset

func (m *PredChatFull) Reset()

func (*PredChatFull) String

func (m *PredChatFull) String() string

func (*PredChatFull) ToType

func (p *PredChatFull) ToType() TL

func (*PredChatFull) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatFull) XXX_DiscardUnknown()

func (*PredChatFull) XXX_Marshal added in v0.4.1

func (m *PredChatFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatFull) XXX_Merge added in v0.4.1

func (dst *PredChatFull) XXX_Merge(src proto.Message)

func (*PredChatFull) XXX_Size added in v0.4.1

func (m *PredChatFull) XXX_Size() int

func (*PredChatFull) XXX_Unmarshal added in v0.4.1

func (m *PredChatFull) XXX_Unmarshal(b []byte) error

type PredChatInvite

type PredChatInvite struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Channel	bool // flags.0?true
	// Broadcast	bool // flags.1?true
	// Public	bool // flags.2?true
	// Megagroup	bool // flags.3?true
	Title string `protobuf:"bytes,6,opt,name=Title" json:"Title,omitempty"`
	// default: ChatPhoto
	Photo             *TypeChatPhoto `protobuf:"bytes,7,opt,name=Photo" json:"Photo,omitempty"`
	ParticipantsCount int32          `protobuf:"varint,8,opt,name=ParticipantsCount" json:"ParticipantsCount,omitempty"`
	// default: Vector<User>
	Participants         []*TypeUser `protobuf:"bytes,9,rep,name=Participants" json:"Participants,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredChatInvite) Descriptor

func (*PredChatInvite) Descriptor() ([]byte, []int)

func (*PredChatInvite) GetFlags

func (m *PredChatInvite) GetFlags() int32

func (*PredChatInvite) GetParticipants

func (m *PredChatInvite) GetParticipants() []*TypeUser

func (*PredChatInvite) GetParticipantsCount

func (m *PredChatInvite) GetParticipantsCount() int32

func (*PredChatInvite) GetPhoto

func (m *PredChatInvite) GetPhoto() *TypeChatPhoto

func (*PredChatInvite) GetTitle

func (m *PredChatInvite) GetTitle() string

func (*PredChatInvite) ProtoMessage

func (*PredChatInvite) ProtoMessage()

func (*PredChatInvite) Reset

func (m *PredChatInvite) Reset()

func (*PredChatInvite) String

func (m *PredChatInvite) String() string

func (*PredChatInvite) ToType

func (p *PredChatInvite) ToType() TL

func (*PredChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatInvite) XXX_DiscardUnknown()

func (*PredChatInvite) XXX_Marshal added in v0.4.1

func (m *PredChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatInvite) XXX_Merge added in v0.4.1

func (dst *PredChatInvite) XXX_Merge(src proto.Message)

func (*PredChatInvite) XXX_Size added in v0.4.1

func (m *PredChatInvite) XXX_Size() int

func (*PredChatInvite) XXX_Unmarshal added in v0.4.1

func (m *PredChatInvite) XXX_Unmarshal(b []byte) error

type PredChatInviteAlready

type PredChatInviteAlready struct {
	// default: Chat
	Chat                 *TypeChat `protobuf:"bytes,1,opt,name=Chat" json:"Chat,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredChatInviteAlready) Descriptor

func (*PredChatInviteAlready) Descriptor() ([]byte, []int)

func (*PredChatInviteAlready) GetChat

func (m *PredChatInviteAlready) GetChat() *TypeChat

func (*PredChatInviteAlready) ProtoMessage

func (*PredChatInviteAlready) ProtoMessage()

func (*PredChatInviteAlready) Reset

func (m *PredChatInviteAlready) Reset()

func (*PredChatInviteAlready) String

func (m *PredChatInviteAlready) String() string

func (*PredChatInviteAlready) ToType

func (p *PredChatInviteAlready) ToType() TL

func (*PredChatInviteAlready) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatInviteAlready) XXX_DiscardUnknown()

func (*PredChatInviteAlready) XXX_Marshal added in v0.4.1

func (m *PredChatInviteAlready) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatInviteAlready) XXX_Merge added in v0.4.1

func (dst *PredChatInviteAlready) XXX_Merge(src proto.Message)

func (*PredChatInviteAlready) XXX_Size added in v0.4.1

func (m *PredChatInviteAlready) XXX_Size() int

func (*PredChatInviteAlready) XXX_Unmarshal added in v0.4.1

func (m *PredChatInviteAlready) XXX_Unmarshal(b []byte) error

type PredChatInviteEmpty

type PredChatInviteEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatInviteEmpty) Descriptor

func (*PredChatInviteEmpty) Descriptor() ([]byte, []int)

func (*PredChatInviteEmpty) ProtoMessage

func (*PredChatInviteEmpty) ProtoMessage()

func (*PredChatInviteEmpty) Reset

func (m *PredChatInviteEmpty) Reset()

func (*PredChatInviteEmpty) String

func (m *PredChatInviteEmpty) String() string

func (*PredChatInviteEmpty) ToType

func (p *PredChatInviteEmpty) ToType() TL

func (*PredChatInviteEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatInviteEmpty) XXX_DiscardUnknown()

func (*PredChatInviteEmpty) XXX_Marshal added in v0.4.1

func (m *PredChatInviteEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatInviteEmpty) XXX_Merge added in v0.4.1

func (dst *PredChatInviteEmpty) XXX_Merge(src proto.Message)

func (*PredChatInviteEmpty) XXX_Size added in v0.4.1

func (m *PredChatInviteEmpty) XXX_Size() int

func (*PredChatInviteEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredChatInviteEmpty) XXX_Unmarshal(b []byte) error

type PredChatInviteExported

type PredChatInviteExported struct {
	Link                 string   `protobuf:"bytes,1,opt,name=Link" json:"Link,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatInviteExported) Descriptor

func (*PredChatInviteExported) Descriptor() ([]byte, []int)
func (m *PredChatInviteExported) GetLink() string

func (*PredChatInviteExported) ProtoMessage

func (*PredChatInviteExported) ProtoMessage()

func (*PredChatInviteExported) Reset

func (m *PredChatInviteExported) Reset()

func (*PredChatInviteExported) String

func (m *PredChatInviteExported) String() string

func (*PredChatInviteExported) ToType

func (p *PredChatInviteExported) ToType() TL

func (*PredChatInviteExported) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatInviteExported) XXX_DiscardUnknown()

func (*PredChatInviteExported) XXX_Marshal added in v0.4.1

func (m *PredChatInviteExported) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatInviteExported) XXX_Merge added in v0.4.1

func (dst *PredChatInviteExported) XXX_Merge(src proto.Message)

func (*PredChatInviteExported) XXX_Size added in v0.4.1

func (m *PredChatInviteExported) XXX_Size() int

func (*PredChatInviteExported) XXX_Unmarshal added in v0.4.1

func (m *PredChatInviteExported) XXX_Unmarshal(b []byte) error

type PredChatParticipant

type PredChatParticipant struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	InviterId            int32    `protobuf:"varint,2,opt,name=InviterId" json:"InviterId,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatParticipant) Descriptor

func (*PredChatParticipant) Descriptor() ([]byte, []int)

func (*PredChatParticipant) GetDate

func (m *PredChatParticipant) GetDate() int32

func (*PredChatParticipant) GetInviterId

func (m *PredChatParticipant) GetInviterId() int32

func (*PredChatParticipant) GetUserId

func (m *PredChatParticipant) GetUserId() int32

func (*PredChatParticipant) ProtoMessage

func (*PredChatParticipant) ProtoMessage()

func (*PredChatParticipant) Reset

func (m *PredChatParticipant) Reset()

func (*PredChatParticipant) String

func (m *PredChatParticipant) String() string

func (*PredChatParticipant) ToType

func (p *PredChatParticipant) ToType() TL

func (*PredChatParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatParticipant) XXX_DiscardUnknown()

func (*PredChatParticipant) XXX_Marshal added in v0.4.1

func (m *PredChatParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatParticipant) XXX_Merge added in v0.4.1

func (dst *PredChatParticipant) XXX_Merge(src proto.Message)

func (*PredChatParticipant) XXX_Size added in v0.4.1

func (m *PredChatParticipant) XXX_Size() int

func (*PredChatParticipant) XXX_Unmarshal added in v0.4.1

func (m *PredChatParticipant) XXX_Unmarshal(b []byte) error

type PredChatParticipantAdmin

type PredChatParticipantAdmin struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	InviterId            int32    `protobuf:"varint,2,opt,name=InviterId" json:"InviterId,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatParticipantAdmin) Descriptor

func (*PredChatParticipantAdmin) Descriptor() ([]byte, []int)

func (*PredChatParticipantAdmin) GetDate

func (m *PredChatParticipantAdmin) GetDate() int32

func (*PredChatParticipantAdmin) GetInviterId

func (m *PredChatParticipantAdmin) GetInviterId() int32

func (*PredChatParticipantAdmin) GetUserId

func (m *PredChatParticipantAdmin) GetUserId() int32

func (*PredChatParticipantAdmin) ProtoMessage

func (*PredChatParticipantAdmin) ProtoMessage()

func (*PredChatParticipantAdmin) Reset

func (m *PredChatParticipantAdmin) Reset()

func (*PredChatParticipantAdmin) String

func (m *PredChatParticipantAdmin) String() string

func (*PredChatParticipantAdmin) ToType

func (p *PredChatParticipantAdmin) ToType() TL

func (*PredChatParticipantAdmin) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatParticipantAdmin) XXX_DiscardUnknown()

func (*PredChatParticipantAdmin) XXX_Marshal added in v0.4.1

func (m *PredChatParticipantAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatParticipantAdmin) XXX_Merge added in v0.4.1

func (dst *PredChatParticipantAdmin) XXX_Merge(src proto.Message)

func (*PredChatParticipantAdmin) XXX_Size added in v0.4.1

func (m *PredChatParticipantAdmin) XXX_Size() int

func (*PredChatParticipantAdmin) XXX_Unmarshal added in v0.4.1

func (m *PredChatParticipantAdmin) XXX_Unmarshal(b []byte) error

type PredChatParticipantCreator

type PredChatParticipantCreator struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatParticipantCreator) Descriptor

func (*PredChatParticipantCreator) Descriptor() ([]byte, []int)

func (*PredChatParticipantCreator) GetUserId

func (m *PredChatParticipantCreator) GetUserId() int32

func (*PredChatParticipantCreator) ProtoMessage

func (*PredChatParticipantCreator) ProtoMessage()

func (*PredChatParticipantCreator) Reset

func (m *PredChatParticipantCreator) Reset()

func (*PredChatParticipantCreator) String

func (m *PredChatParticipantCreator) String() string

func (*PredChatParticipantCreator) ToType

func (p *PredChatParticipantCreator) ToType() TL

func (*PredChatParticipantCreator) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatParticipantCreator) XXX_DiscardUnknown()

func (*PredChatParticipantCreator) XXX_Marshal added in v0.4.1

func (m *PredChatParticipantCreator) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatParticipantCreator) XXX_Merge added in v0.4.1

func (dst *PredChatParticipantCreator) XXX_Merge(src proto.Message)

func (*PredChatParticipantCreator) XXX_Size added in v0.4.1

func (m *PredChatParticipantCreator) XXX_Size() int

func (*PredChatParticipantCreator) XXX_Unmarshal added in v0.4.1

func (m *PredChatParticipantCreator) XXX_Unmarshal(b []byte) error

type PredChatParticipants

type PredChatParticipants struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: Vector<ChatParticipant>
	Participants         []*TypeChatParticipant `protobuf:"bytes,2,rep,name=Participants" json:"Participants,omitempty"`
	Version              int32                  `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredChatParticipants) Descriptor

func (*PredChatParticipants) Descriptor() ([]byte, []int)

func (*PredChatParticipants) GetChatId

func (m *PredChatParticipants) GetChatId() int32

func (*PredChatParticipants) GetParticipants

func (m *PredChatParticipants) GetParticipants() []*TypeChatParticipant

func (*PredChatParticipants) GetVersion

func (m *PredChatParticipants) GetVersion() int32

func (*PredChatParticipants) ProtoMessage

func (*PredChatParticipants) ProtoMessage()

func (*PredChatParticipants) Reset

func (m *PredChatParticipants) Reset()

func (*PredChatParticipants) String

func (m *PredChatParticipants) String() string

func (*PredChatParticipants) ToType

func (p *PredChatParticipants) ToType() TL

func (*PredChatParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatParticipants) XXX_DiscardUnknown()

func (*PredChatParticipants) XXX_Marshal added in v0.4.1

func (m *PredChatParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatParticipants) XXX_Merge added in v0.4.1

func (dst *PredChatParticipants) XXX_Merge(src proto.Message)

func (*PredChatParticipants) XXX_Size added in v0.4.1

func (m *PredChatParticipants) XXX_Size() int

func (*PredChatParticipants) XXX_Unmarshal added in v0.4.1

func (m *PredChatParticipants) XXX_Unmarshal(b []byte) error

type PredChatParticipantsForbidden

type PredChatParticipantsForbidden struct {
	Flags  int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	ChatId int32 `protobuf:"varint,2,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: ChatParticipant
	SelfParticipant      *TypeChatParticipant `protobuf:"bytes,3,opt,name=SelfParticipant" json:"SelfParticipant,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredChatParticipantsForbidden) Descriptor

func (*PredChatParticipantsForbidden) Descriptor() ([]byte, []int)

func (*PredChatParticipantsForbidden) GetChatId

func (m *PredChatParticipantsForbidden) GetChatId() int32

func (*PredChatParticipantsForbidden) GetFlags

func (m *PredChatParticipantsForbidden) GetFlags() int32

func (*PredChatParticipantsForbidden) GetSelfParticipant

func (m *PredChatParticipantsForbidden) GetSelfParticipant() *TypeChatParticipant

func (*PredChatParticipantsForbidden) ProtoMessage

func (*PredChatParticipantsForbidden) ProtoMessage()

func (*PredChatParticipantsForbidden) Reset

func (m *PredChatParticipantsForbidden) Reset()

func (*PredChatParticipantsForbidden) String

func (*PredChatParticipantsForbidden) ToType

func (p *PredChatParticipantsForbidden) ToType() TL

func (*PredChatParticipantsForbidden) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatParticipantsForbidden) XXX_DiscardUnknown()

func (*PredChatParticipantsForbidden) XXX_Marshal added in v0.4.1

func (m *PredChatParticipantsForbidden) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatParticipantsForbidden) XXX_Merge added in v0.4.1

func (dst *PredChatParticipantsForbidden) XXX_Merge(src proto.Message)

func (*PredChatParticipantsForbidden) XXX_Size added in v0.4.1

func (m *PredChatParticipantsForbidden) XXX_Size() int

func (*PredChatParticipantsForbidden) XXX_Unmarshal added in v0.4.1

func (m *PredChatParticipantsForbidden) XXX_Unmarshal(b []byte) error

type PredChatPhoto

type PredChatPhoto struct {
	// default: FileLocation
	PhotoSmall *TypeFileLocation `protobuf:"bytes,1,opt,name=PhotoSmall" json:"PhotoSmall,omitempty"`
	// default: FileLocation
	PhotoBig             *TypeFileLocation `protobuf:"bytes,2,opt,name=PhotoBig" json:"PhotoBig,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredChatPhoto) Descriptor

func (*PredChatPhoto) Descriptor() ([]byte, []int)

func (*PredChatPhoto) GetPhotoBig

func (m *PredChatPhoto) GetPhotoBig() *TypeFileLocation

func (*PredChatPhoto) GetPhotoSmall

func (m *PredChatPhoto) GetPhotoSmall() *TypeFileLocation

func (*PredChatPhoto) ProtoMessage

func (*PredChatPhoto) ProtoMessage()

func (*PredChatPhoto) Reset

func (m *PredChatPhoto) Reset()

func (*PredChatPhoto) String

func (m *PredChatPhoto) String() string

func (*PredChatPhoto) ToType

func (p *PredChatPhoto) ToType() TL

func (*PredChatPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatPhoto) XXX_DiscardUnknown()

func (*PredChatPhoto) XXX_Marshal added in v0.4.1

func (m *PredChatPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatPhoto) XXX_Merge added in v0.4.1

func (dst *PredChatPhoto) XXX_Merge(src proto.Message)

func (*PredChatPhoto) XXX_Size added in v0.4.1

func (m *PredChatPhoto) XXX_Size() int

func (*PredChatPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredChatPhoto) XXX_Unmarshal(b []byte) error

type PredChatPhotoEmpty

type PredChatPhotoEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredChatPhotoEmpty) Descriptor

func (*PredChatPhotoEmpty) Descriptor() ([]byte, []int)

func (*PredChatPhotoEmpty) ProtoMessage

func (*PredChatPhotoEmpty) ProtoMessage()

func (*PredChatPhotoEmpty) Reset

func (m *PredChatPhotoEmpty) Reset()

func (*PredChatPhotoEmpty) String

func (m *PredChatPhotoEmpty) String() string

func (*PredChatPhotoEmpty) ToType

func (p *PredChatPhotoEmpty) ToType() TL

func (*PredChatPhotoEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredChatPhotoEmpty) XXX_DiscardUnknown()

func (*PredChatPhotoEmpty) XXX_Marshal added in v0.4.1

func (m *PredChatPhotoEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredChatPhotoEmpty) XXX_Merge added in v0.4.1

func (dst *PredChatPhotoEmpty) XXX_Merge(src proto.Message)

func (*PredChatPhotoEmpty) XXX_Size added in v0.4.1

func (m *PredChatPhotoEmpty) XXX_Size() int

func (*PredChatPhotoEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredChatPhotoEmpty) XXX_Unmarshal(b []byte) error

type PredConfig

type PredConfig struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// PhonecallsEnabled	bool // flags.1?true
	Date    int32 `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	Expires int32 `protobuf:"varint,4,opt,name=Expires" json:"Expires,omitempty"`
	// default: Bool
	TestMode *TypeBool `protobuf:"bytes,5,opt,name=TestMode" json:"TestMode,omitempty"`
	ThisDc   int32     `protobuf:"varint,6,opt,name=ThisDc" json:"ThisDc,omitempty"`
	// default: Vector<DcOption>
	DcOptions             []*TypeDcOption `protobuf:"bytes,7,rep,name=DcOptions" json:"DcOptions,omitempty"`
	ChatSizeMax           int32           `protobuf:"varint,8,opt,name=ChatSizeMax" json:"ChatSizeMax,omitempty"`
	MegagroupSizeMax      int32           `protobuf:"varint,9,opt,name=MegagroupSizeMax" json:"MegagroupSizeMax,omitempty"`
	ForwardedCountMax     int32           `protobuf:"varint,10,opt,name=ForwardedCountMax" json:"ForwardedCountMax,omitempty"`
	OnlineUpdatePeriodMs  int32           `protobuf:"varint,11,opt,name=OnlineUpdatePeriodMs" json:"OnlineUpdatePeriodMs,omitempty"`
	OfflineBlurTimeoutMs  int32           `protobuf:"varint,12,opt,name=OfflineBlurTimeoutMs" json:"OfflineBlurTimeoutMs,omitempty"`
	OfflineIdleTimeoutMs  int32           `protobuf:"varint,13,opt,name=OfflineIdleTimeoutMs" json:"OfflineIdleTimeoutMs,omitempty"`
	OnlineCloudTimeoutMs  int32           `protobuf:"varint,14,opt,name=OnlineCloudTimeoutMs" json:"OnlineCloudTimeoutMs,omitempty"`
	NotifyCloudDelayMs    int32           `protobuf:"varint,15,opt,name=NotifyCloudDelayMs" json:"NotifyCloudDelayMs,omitempty"`
	NotifyDefaultDelayMs  int32           `protobuf:"varint,16,opt,name=NotifyDefaultDelayMs" json:"NotifyDefaultDelayMs,omitempty"`
	ChatBigSize           int32           `protobuf:"varint,17,opt,name=ChatBigSize" json:"ChatBigSize,omitempty"`
	PushChatPeriodMs      int32           `protobuf:"varint,18,opt,name=PushChatPeriodMs" json:"PushChatPeriodMs,omitempty"`
	PushChatLimit         int32           `protobuf:"varint,19,opt,name=PushChatLimit" json:"PushChatLimit,omitempty"`
	SavedGifsLimit        int32           `protobuf:"varint,20,opt,name=SavedGifsLimit" json:"SavedGifsLimit,omitempty"`
	EditTimeLimit         int32           `protobuf:"varint,21,opt,name=EditTimeLimit" json:"EditTimeLimit,omitempty"`
	RatingEDecay          int32           `protobuf:"varint,22,opt,name=RatingEDecay" json:"RatingEDecay,omitempty"`
	StickersRecentLimit   int32           `protobuf:"varint,23,opt,name=StickersRecentLimit" json:"StickersRecentLimit,omitempty"`
	StickersFavedLimit    int32           `protobuf:"varint,24,opt,name=StickersFavedLimit" json:"StickersFavedLimit,omitempty"`
	TmpSessions           int32           `protobuf:"varint,25,opt,name=TmpSessions" json:"TmpSessions,omitempty"`
	PinnedDialogsCountMax int32           `protobuf:"varint,26,opt,name=PinnedDialogsCountMax" json:"PinnedDialogsCountMax,omitempty"`
	CallReceiveTimeoutMs  int32           `protobuf:"varint,27,opt,name=CallReceiveTimeoutMs" json:"CallReceiveTimeoutMs,omitempty"`
	CallRingTimeoutMs     int32           `protobuf:"varint,28,opt,name=CallRingTimeoutMs" json:"CallRingTimeoutMs,omitempty"`
	CallConnectTimeoutMs  int32           `protobuf:"varint,29,opt,name=CallConnectTimeoutMs" json:"CallConnectTimeoutMs,omitempty"`
	CallPacketTimeoutMs   int32           `protobuf:"varint,30,opt,name=CallPacketTimeoutMs" json:"CallPacketTimeoutMs,omitempty"`
	MeUrlPrefix           string          `protobuf:"bytes,31,opt,name=MeUrlPrefix" json:"MeUrlPrefix,omitempty"`
	SuggestedLangCode     string          `protobuf:"bytes,32,opt,name=SuggestedLangCode" json:"SuggestedLangCode,omitempty"`
	LangPackVersion       int32           `protobuf:"varint,33,opt,name=LangPackVersion" json:"LangPackVersion,omitempty"`
	// default: Vector<DisabledFeature>
	DisabledFeatures     []*TypeDisabledFeature `protobuf:"bytes,34,rep,name=DisabledFeatures" json:"DisabledFeatures,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredConfig) Descriptor

func (*PredConfig) Descriptor() ([]byte, []int)

func (*PredConfig) GetCallConnectTimeoutMs

func (m *PredConfig) GetCallConnectTimeoutMs() int32

func (*PredConfig) GetCallPacketTimeoutMs

func (m *PredConfig) GetCallPacketTimeoutMs() int32

func (*PredConfig) GetCallReceiveTimeoutMs

func (m *PredConfig) GetCallReceiveTimeoutMs() int32

func (*PredConfig) GetCallRingTimeoutMs

func (m *PredConfig) GetCallRingTimeoutMs() int32

func (*PredConfig) GetChatBigSize

func (m *PredConfig) GetChatBigSize() int32

func (*PredConfig) GetChatSizeMax

func (m *PredConfig) GetChatSizeMax() int32

func (*PredConfig) GetDate

func (m *PredConfig) GetDate() int32

func (*PredConfig) GetDcOptions

func (m *PredConfig) GetDcOptions() []*TypeDcOption

func (*PredConfig) GetDisabledFeatures

func (m *PredConfig) GetDisabledFeatures() []*TypeDisabledFeature

func (*PredConfig) GetEditTimeLimit

func (m *PredConfig) GetEditTimeLimit() int32

func (*PredConfig) GetExpires

func (m *PredConfig) GetExpires() int32

func (*PredConfig) GetFlags

func (m *PredConfig) GetFlags() int32

func (*PredConfig) GetForwardedCountMax

func (m *PredConfig) GetForwardedCountMax() int32

func (*PredConfig) GetLangPackVersion

func (m *PredConfig) GetLangPackVersion() int32

func (*PredConfig) GetMeUrlPrefix

func (m *PredConfig) GetMeUrlPrefix() string

func (*PredConfig) GetMegagroupSizeMax

func (m *PredConfig) GetMegagroupSizeMax() int32

func (*PredConfig) GetNotifyCloudDelayMs

func (m *PredConfig) GetNotifyCloudDelayMs() int32

func (*PredConfig) GetNotifyDefaultDelayMs

func (m *PredConfig) GetNotifyDefaultDelayMs() int32

func (*PredConfig) GetOfflineBlurTimeoutMs

func (m *PredConfig) GetOfflineBlurTimeoutMs() int32

func (*PredConfig) GetOfflineIdleTimeoutMs

func (m *PredConfig) GetOfflineIdleTimeoutMs() int32

func (*PredConfig) GetOnlineCloudTimeoutMs

func (m *PredConfig) GetOnlineCloudTimeoutMs() int32

func (*PredConfig) GetOnlineUpdatePeriodMs

func (m *PredConfig) GetOnlineUpdatePeriodMs() int32

func (*PredConfig) GetPinnedDialogsCountMax

func (m *PredConfig) GetPinnedDialogsCountMax() int32

func (*PredConfig) GetPushChatLimit

func (m *PredConfig) GetPushChatLimit() int32

func (*PredConfig) GetPushChatPeriodMs

func (m *PredConfig) GetPushChatPeriodMs() int32

func (*PredConfig) GetRatingEDecay

func (m *PredConfig) GetRatingEDecay() int32

func (*PredConfig) GetSavedGifsLimit

func (m *PredConfig) GetSavedGifsLimit() int32

func (*PredConfig) GetStickersFavedLimit

func (m *PredConfig) GetStickersFavedLimit() int32

func (*PredConfig) GetStickersRecentLimit

func (m *PredConfig) GetStickersRecentLimit() int32

func (*PredConfig) GetSuggestedLangCode

func (m *PredConfig) GetSuggestedLangCode() string

func (*PredConfig) GetTestMode

func (m *PredConfig) GetTestMode() *TypeBool

func (*PredConfig) GetThisDc

func (m *PredConfig) GetThisDc() int32

func (*PredConfig) GetTmpSessions

func (m *PredConfig) GetTmpSessions() int32

func (*PredConfig) ProtoMessage

func (*PredConfig) ProtoMessage()

func (*PredConfig) Reset

func (m *PredConfig) Reset()

func (*PredConfig) String

func (m *PredConfig) String() string

func (*PredConfig) ToType

func (p *PredConfig) ToType() TL

func (*PredConfig) XXX_DiscardUnknown added in v0.4.1

func (m *PredConfig) XXX_DiscardUnknown()

func (*PredConfig) XXX_Marshal added in v0.4.1

func (m *PredConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredConfig) XXX_Merge added in v0.4.1

func (dst *PredConfig) XXX_Merge(src proto.Message)

func (*PredConfig) XXX_Size added in v0.4.1

func (m *PredConfig) XXX_Size() int

func (*PredConfig) XXX_Unmarshal added in v0.4.1

func (m *PredConfig) XXX_Unmarshal(b []byte) error

type PredContact

type PredContact struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: Bool
	Mutual               *TypeBool `protobuf:"bytes,2,opt,name=Mutual" json:"Mutual,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredContact) Descriptor

func (*PredContact) Descriptor() ([]byte, []int)

func (*PredContact) GetMutual

func (m *PredContact) GetMutual() *TypeBool

func (*PredContact) GetUserId

func (m *PredContact) GetUserId() int32

func (*PredContact) ProtoMessage

func (*PredContact) ProtoMessage()

func (*PredContact) Reset

func (m *PredContact) Reset()

func (*PredContact) String

func (m *PredContact) String() string

func (*PredContact) ToType

func (p *PredContact) ToType() TL

func (*PredContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredContact) XXX_DiscardUnknown()

func (*PredContact) XXX_Marshal added in v0.4.1

func (m *PredContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContact) XXX_Merge added in v0.4.1

func (dst *PredContact) XXX_Merge(src proto.Message)

func (*PredContact) XXX_Size added in v0.4.1

func (m *PredContact) XXX_Size() int

func (*PredContact) XXX_Unmarshal added in v0.4.1

func (m *PredContact) XXX_Unmarshal(b []byte) error

type PredContactBlocked

type PredContactBlocked struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Date                 int32    `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactBlocked) Descriptor

func (*PredContactBlocked) Descriptor() ([]byte, []int)

func (*PredContactBlocked) GetDate

func (m *PredContactBlocked) GetDate() int32

func (*PredContactBlocked) GetUserId

func (m *PredContactBlocked) GetUserId() int32

func (*PredContactBlocked) ProtoMessage

func (*PredContactBlocked) ProtoMessage()

func (*PredContactBlocked) Reset

func (m *PredContactBlocked) Reset()

func (*PredContactBlocked) String

func (m *PredContactBlocked) String() string

func (*PredContactBlocked) ToType

func (p *PredContactBlocked) ToType() TL

func (*PredContactBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactBlocked) XXX_DiscardUnknown()

func (*PredContactBlocked) XXX_Marshal added in v0.4.1

func (m *PredContactBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactBlocked) XXX_Merge added in v0.4.1

func (dst *PredContactBlocked) XXX_Merge(src proto.Message)

func (*PredContactBlocked) XXX_Size added in v0.4.1

func (m *PredContactBlocked) XXX_Size() int

func (*PredContactBlocked) XXX_Unmarshal added in v0.4.1

func (m *PredContactBlocked) XXX_Unmarshal(b []byte) error

type PredContactLinkContact

type PredContactLinkContact struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactLinkContact) Descriptor

func (*PredContactLinkContact) Descriptor() ([]byte, []int)

func (*PredContactLinkContact) ProtoMessage

func (*PredContactLinkContact) ProtoMessage()

func (*PredContactLinkContact) Reset

func (m *PredContactLinkContact) Reset()

func (*PredContactLinkContact) String

func (m *PredContactLinkContact) String() string

func (*PredContactLinkContact) ToType

func (p *PredContactLinkContact) ToType() TL

func (*PredContactLinkContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactLinkContact) XXX_DiscardUnknown()

func (*PredContactLinkContact) XXX_Marshal added in v0.4.1

func (m *PredContactLinkContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactLinkContact) XXX_Merge added in v0.4.1

func (dst *PredContactLinkContact) XXX_Merge(src proto.Message)

func (*PredContactLinkContact) XXX_Size added in v0.4.1

func (m *PredContactLinkContact) XXX_Size() int

func (*PredContactLinkContact) XXX_Unmarshal added in v0.4.1

func (m *PredContactLinkContact) XXX_Unmarshal(b []byte) error

type PredContactLinkHasPhone

type PredContactLinkHasPhone struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactLinkHasPhone) Descriptor

func (*PredContactLinkHasPhone) Descriptor() ([]byte, []int)

func (*PredContactLinkHasPhone) ProtoMessage

func (*PredContactLinkHasPhone) ProtoMessage()

func (*PredContactLinkHasPhone) Reset

func (m *PredContactLinkHasPhone) Reset()

func (*PredContactLinkHasPhone) String

func (m *PredContactLinkHasPhone) String() string

func (*PredContactLinkHasPhone) ToType

func (p *PredContactLinkHasPhone) ToType() TL

func (*PredContactLinkHasPhone) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactLinkHasPhone) XXX_DiscardUnknown()

func (*PredContactLinkHasPhone) XXX_Marshal added in v0.4.1

func (m *PredContactLinkHasPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactLinkHasPhone) XXX_Merge added in v0.4.1

func (dst *PredContactLinkHasPhone) XXX_Merge(src proto.Message)

func (*PredContactLinkHasPhone) XXX_Size added in v0.4.1

func (m *PredContactLinkHasPhone) XXX_Size() int

func (*PredContactLinkHasPhone) XXX_Unmarshal added in v0.4.1

func (m *PredContactLinkHasPhone) XXX_Unmarshal(b []byte) error

type PredContactLinkNone

type PredContactLinkNone struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactLinkNone) Descriptor

func (*PredContactLinkNone) Descriptor() ([]byte, []int)

func (*PredContactLinkNone) ProtoMessage

func (*PredContactLinkNone) ProtoMessage()

func (*PredContactLinkNone) Reset

func (m *PredContactLinkNone) Reset()

func (*PredContactLinkNone) String

func (m *PredContactLinkNone) String() string

func (*PredContactLinkNone) ToType

func (p *PredContactLinkNone) ToType() TL

func (*PredContactLinkNone) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactLinkNone) XXX_DiscardUnknown()

func (*PredContactLinkNone) XXX_Marshal added in v0.4.1

func (m *PredContactLinkNone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactLinkNone) XXX_Merge added in v0.4.1

func (dst *PredContactLinkNone) XXX_Merge(src proto.Message)

func (*PredContactLinkNone) XXX_Size added in v0.4.1

func (m *PredContactLinkNone) XXX_Size() int

func (*PredContactLinkNone) XXX_Unmarshal added in v0.4.1

func (m *PredContactLinkNone) XXX_Unmarshal(b []byte) error

type PredContactLinkUnknown

type PredContactLinkUnknown struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactLinkUnknown) Descriptor

func (*PredContactLinkUnknown) Descriptor() ([]byte, []int)

func (*PredContactLinkUnknown) ProtoMessage

func (*PredContactLinkUnknown) ProtoMessage()

func (*PredContactLinkUnknown) Reset

func (m *PredContactLinkUnknown) Reset()

func (*PredContactLinkUnknown) String

func (m *PredContactLinkUnknown) String() string

func (*PredContactLinkUnknown) ToType

func (p *PredContactLinkUnknown) ToType() TL

func (*PredContactLinkUnknown) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactLinkUnknown) XXX_DiscardUnknown()

func (*PredContactLinkUnknown) XXX_Marshal added in v0.4.1

func (m *PredContactLinkUnknown) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactLinkUnknown) XXX_Merge added in v0.4.1

func (dst *PredContactLinkUnknown) XXX_Merge(src proto.Message)

func (*PredContactLinkUnknown) XXX_Size added in v0.4.1

func (m *PredContactLinkUnknown) XXX_Size() int

func (*PredContactLinkUnknown) XXX_Unmarshal added in v0.4.1

func (m *PredContactLinkUnknown) XXX_Unmarshal(b []byte) error

type PredContactStatus

type PredContactStatus struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: UserStatus
	Status               *TypeUserStatus `protobuf:"bytes,2,opt,name=Status" json:"Status,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredContactStatus) Descriptor

func (*PredContactStatus) Descriptor() ([]byte, []int)

func (*PredContactStatus) GetStatus

func (m *PredContactStatus) GetStatus() *TypeUserStatus

func (*PredContactStatus) GetUserId

func (m *PredContactStatus) GetUserId() int32

func (*PredContactStatus) ProtoMessage

func (*PredContactStatus) ProtoMessage()

func (*PredContactStatus) Reset

func (m *PredContactStatus) Reset()

func (*PredContactStatus) String

func (m *PredContactStatus) String() string

func (*PredContactStatus) ToType

func (p *PredContactStatus) ToType() TL

func (*PredContactStatus) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactStatus) XXX_DiscardUnknown()

func (*PredContactStatus) XXX_Marshal added in v0.4.1

func (m *PredContactStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactStatus) XXX_Merge added in v0.4.1

func (dst *PredContactStatus) XXX_Merge(src proto.Message)

func (*PredContactStatus) XXX_Size added in v0.4.1

func (m *PredContactStatus) XXX_Size() int

func (*PredContactStatus) XXX_Unmarshal added in v0.4.1

func (m *PredContactStatus) XXX_Unmarshal(b []byte) error

type PredContactsBlocked

type PredContactsBlocked struct {
	// default: Vector<ContactBlocked>
	Blocked []*TypeContactBlocked `protobuf:"bytes,1,rep,name=Blocked" json:"Blocked,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsBlocked) Descriptor

func (*PredContactsBlocked) Descriptor() ([]byte, []int)

func (*PredContactsBlocked) GetBlocked

func (m *PredContactsBlocked) GetBlocked() []*TypeContactBlocked

func (*PredContactsBlocked) GetUsers

func (m *PredContactsBlocked) GetUsers() []*TypeUser

func (*PredContactsBlocked) ProtoMessage

func (*PredContactsBlocked) ProtoMessage()

func (*PredContactsBlocked) Reset

func (m *PredContactsBlocked) Reset()

func (*PredContactsBlocked) String

func (m *PredContactsBlocked) String() string

func (*PredContactsBlocked) ToType

func (p *PredContactsBlocked) ToType() TL

func (*PredContactsBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsBlocked) XXX_DiscardUnknown()

func (*PredContactsBlocked) XXX_Marshal added in v0.4.1

func (m *PredContactsBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsBlocked) XXX_Merge added in v0.4.1

func (dst *PredContactsBlocked) XXX_Merge(src proto.Message)

func (*PredContactsBlocked) XXX_Size added in v0.4.1

func (m *PredContactsBlocked) XXX_Size() int

func (*PredContactsBlocked) XXX_Unmarshal added in v0.4.1

func (m *PredContactsBlocked) XXX_Unmarshal(b []byte) error

type PredContactsBlockedSlice

type PredContactsBlockedSlice struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<ContactBlocked>
	Blocked []*TypeContactBlocked `protobuf:"bytes,2,rep,name=Blocked" json:"Blocked,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsBlockedSlice) Descriptor

func (*PredContactsBlockedSlice) Descriptor() ([]byte, []int)

func (*PredContactsBlockedSlice) GetBlocked

func (m *PredContactsBlockedSlice) GetBlocked() []*TypeContactBlocked

func (*PredContactsBlockedSlice) GetCount

func (m *PredContactsBlockedSlice) GetCount() int32

func (*PredContactsBlockedSlice) GetUsers

func (m *PredContactsBlockedSlice) GetUsers() []*TypeUser

func (*PredContactsBlockedSlice) ProtoMessage

func (*PredContactsBlockedSlice) ProtoMessage()

func (*PredContactsBlockedSlice) Reset

func (m *PredContactsBlockedSlice) Reset()

func (*PredContactsBlockedSlice) String

func (m *PredContactsBlockedSlice) String() string

func (*PredContactsBlockedSlice) ToType

func (p *PredContactsBlockedSlice) ToType() TL

func (*PredContactsBlockedSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsBlockedSlice) XXX_DiscardUnknown()

func (*PredContactsBlockedSlice) XXX_Marshal added in v0.4.1

func (m *PredContactsBlockedSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsBlockedSlice) XXX_Merge added in v0.4.1

func (dst *PredContactsBlockedSlice) XXX_Merge(src proto.Message)

func (*PredContactsBlockedSlice) XXX_Size added in v0.4.1

func (m *PredContactsBlockedSlice) XXX_Size() int

func (*PredContactsBlockedSlice) XXX_Unmarshal added in v0.4.1

func (m *PredContactsBlockedSlice) XXX_Unmarshal(b []byte) error

type PredContactsContacts

type PredContactsContacts struct {
	// default: Vector<Contact>
	Contacts   []*TypeContact `protobuf:"bytes,1,rep,name=Contacts" json:"Contacts,omitempty"`
	SavedCount int32          `protobuf:"varint,2,opt,name=SavedCount" json:"SavedCount,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsContacts) Descriptor

func (*PredContactsContacts) Descriptor() ([]byte, []int)

func (*PredContactsContacts) GetContacts

func (m *PredContactsContacts) GetContacts() []*TypeContact

func (*PredContactsContacts) GetSavedCount

func (m *PredContactsContacts) GetSavedCount() int32

func (*PredContactsContacts) GetUsers

func (m *PredContactsContacts) GetUsers() []*TypeUser

func (*PredContactsContacts) ProtoMessage

func (*PredContactsContacts) ProtoMessage()

func (*PredContactsContacts) Reset

func (m *PredContactsContacts) Reset()

func (*PredContactsContacts) String

func (m *PredContactsContacts) String() string

func (*PredContactsContacts) ToType

func (p *PredContactsContacts) ToType() TL

func (*PredContactsContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsContacts) XXX_DiscardUnknown()

func (*PredContactsContacts) XXX_Marshal added in v0.4.1

func (m *PredContactsContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsContacts) XXX_Merge added in v0.4.1

func (dst *PredContactsContacts) XXX_Merge(src proto.Message)

func (*PredContactsContacts) XXX_Size added in v0.4.1

func (m *PredContactsContacts) XXX_Size() int

func (*PredContactsContacts) XXX_Unmarshal added in v0.4.1

func (m *PredContactsContacts) XXX_Unmarshal(b []byte) error

type PredContactsContactsNotModified

type PredContactsContactsNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactsContactsNotModified) Descriptor

func (*PredContactsContactsNotModified) Descriptor() ([]byte, []int)

func (*PredContactsContactsNotModified) ProtoMessage

func (*PredContactsContactsNotModified) ProtoMessage()

func (*PredContactsContactsNotModified) Reset

func (*PredContactsContactsNotModified) String

func (*PredContactsContactsNotModified) ToType

func (p *PredContactsContactsNotModified) ToType() TL

func (*PredContactsContactsNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsContactsNotModified) XXX_DiscardUnknown()

func (*PredContactsContactsNotModified) XXX_Marshal added in v0.4.1

func (m *PredContactsContactsNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsContactsNotModified) XXX_Merge added in v0.4.1

func (dst *PredContactsContactsNotModified) XXX_Merge(src proto.Message)

func (*PredContactsContactsNotModified) XXX_Size added in v0.4.1

func (m *PredContactsContactsNotModified) XXX_Size() int

func (*PredContactsContactsNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredContactsContactsNotModified) XXX_Unmarshal(b []byte) error

type PredContactsFound

type PredContactsFound struct {
	// default: Vector<Peer>
	Results []*TypePeer `protobuf:"bytes,1,rep,name=Results" json:"Results,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsFound) Descriptor

func (*PredContactsFound) Descriptor() ([]byte, []int)

func (*PredContactsFound) GetChats

func (m *PredContactsFound) GetChats() []*TypeChat

func (*PredContactsFound) GetResults

func (m *PredContactsFound) GetResults() []*TypePeer

func (*PredContactsFound) GetUsers

func (m *PredContactsFound) GetUsers() []*TypeUser

func (*PredContactsFound) ProtoMessage

func (*PredContactsFound) ProtoMessage()

func (*PredContactsFound) Reset

func (m *PredContactsFound) Reset()

func (*PredContactsFound) String

func (m *PredContactsFound) String() string

func (*PredContactsFound) ToType

func (p *PredContactsFound) ToType() TL

func (*PredContactsFound) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsFound) XXX_DiscardUnknown()

func (*PredContactsFound) XXX_Marshal added in v0.4.1

func (m *PredContactsFound) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsFound) XXX_Merge added in v0.4.1

func (dst *PredContactsFound) XXX_Merge(src proto.Message)

func (*PredContactsFound) XXX_Size added in v0.4.1

func (m *PredContactsFound) XXX_Size() int

func (*PredContactsFound) XXX_Unmarshal added in v0.4.1

func (m *PredContactsFound) XXX_Unmarshal(b []byte) error

type PredContactsImportedContacts

type PredContactsImportedContacts struct {
	// default: Vector<ImportedContact>
	Imported []*TypeImportedContact `protobuf:"bytes,1,rep,name=Imported" json:"Imported,omitempty"`
	// default: Vector<PopularContact>
	PopularInvites []*TypePopularContact `protobuf:"bytes,2,rep,name=PopularInvites" json:"PopularInvites,omitempty"`
	RetryContacts  []int64               `protobuf:"varint,3,rep,packed,name=RetryContacts" json:"RetryContacts,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,4,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsImportedContacts) Descriptor

func (*PredContactsImportedContacts) Descriptor() ([]byte, []int)

func (*PredContactsImportedContacts) GetImported

func (*PredContactsImportedContacts) GetPopularInvites

func (m *PredContactsImportedContacts) GetPopularInvites() []*TypePopularContact

func (*PredContactsImportedContacts) GetRetryContacts

func (m *PredContactsImportedContacts) GetRetryContacts() []int64

func (*PredContactsImportedContacts) GetUsers

func (m *PredContactsImportedContacts) GetUsers() []*TypeUser

func (*PredContactsImportedContacts) ProtoMessage

func (*PredContactsImportedContacts) ProtoMessage()

func (*PredContactsImportedContacts) Reset

func (m *PredContactsImportedContacts) Reset()

func (*PredContactsImportedContacts) String

func (*PredContactsImportedContacts) ToType

func (p *PredContactsImportedContacts) ToType() TL

func (*PredContactsImportedContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsImportedContacts) XXX_DiscardUnknown()

func (*PredContactsImportedContacts) XXX_Marshal added in v0.4.1

func (m *PredContactsImportedContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsImportedContacts) XXX_Merge added in v0.4.1

func (dst *PredContactsImportedContacts) XXX_Merge(src proto.Message)

func (*PredContactsImportedContacts) XXX_Size added in v0.4.1

func (m *PredContactsImportedContacts) XXX_Size() int

func (*PredContactsImportedContacts) XXX_Unmarshal added in v0.4.1

func (m *PredContactsImportedContacts) XXX_Unmarshal(b []byte) error
type PredContactsLink struct {
	// default: ContactLink
	MyLink *TypeContactLink `protobuf:"bytes,1,opt,name=MyLink" json:"MyLink,omitempty"`
	// default: ContactLink
	ForeignLink *TypeContactLink `protobuf:"bytes,2,opt,name=ForeignLink" json:"ForeignLink,omitempty"`
	// default: User
	User                 *TypeUser `protobuf:"bytes,3,opt,name=User" json:"User,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredContactsLink) Descriptor

func (*PredContactsLink) Descriptor() ([]byte, []int)
func (m *PredContactsLink) GetForeignLink() *TypeContactLink
func (m *PredContactsLink) GetMyLink() *TypeContactLink

func (*PredContactsLink) GetUser

func (m *PredContactsLink) GetUser() *TypeUser

func (*PredContactsLink) ProtoMessage

func (*PredContactsLink) ProtoMessage()

func (*PredContactsLink) Reset

func (m *PredContactsLink) Reset()

func (*PredContactsLink) String

func (m *PredContactsLink) String() string

func (*PredContactsLink) ToType

func (p *PredContactsLink) ToType() TL

func (*PredContactsLink) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsLink) XXX_DiscardUnknown()

func (*PredContactsLink) XXX_Marshal added in v0.4.1

func (m *PredContactsLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsLink) XXX_Merge added in v0.4.1

func (dst *PredContactsLink) XXX_Merge(src proto.Message)

func (*PredContactsLink) XXX_Size added in v0.4.1

func (m *PredContactsLink) XXX_Size() int

func (*PredContactsLink) XXX_Unmarshal added in v0.4.1

func (m *PredContactsLink) XXX_Unmarshal(b []byte) error

type PredContactsResolvedPeer

type PredContactsResolvedPeer struct {
	// default: Peer
	Peer *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsResolvedPeer) Descriptor

func (*PredContactsResolvedPeer) Descriptor() ([]byte, []int)

func (*PredContactsResolvedPeer) GetChats

func (m *PredContactsResolvedPeer) GetChats() []*TypeChat

func (*PredContactsResolvedPeer) GetPeer

func (m *PredContactsResolvedPeer) GetPeer() *TypePeer

func (*PredContactsResolvedPeer) GetUsers

func (m *PredContactsResolvedPeer) GetUsers() []*TypeUser

func (*PredContactsResolvedPeer) ProtoMessage

func (*PredContactsResolvedPeer) ProtoMessage()

func (*PredContactsResolvedPeer) Reset

func (m *PredContactsResolvedPeer) Reset()

func (*PredContactsResolvedPeer) String

func (m *PredContactsResolvedPeer) String() string

func (*PredContactsResolvedPeer) ToType

func (p *PredContactsResolvedPeer) ToType() TL

func (*PredContactsResolvedPeer) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsResolvedPeer) XXX_DiscardUnknown()

func (*PredContactsResolvedPeer) XXX_Marshal added in v0.4.1

func (m *PredContactsResolvedPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsResolvedPeer) XXX_Merge added in v0.4.1

func (dst *PredContactsResolvedPeer) XXX_Merge(src proto.Message)

func (*PredContactsResolvedPeer) XXX_Size added in v0.4.1

func (m *PredContactsResolvedPeer) XXX_Size() int

func (*PredContactsResolvedPeer) XXX_Unmarshal added in v0.4.1

func (m *PredContactsResolvedPeer) XXX_Unmarshal(b []byte) error

type PredContactsTopPeers

type PredContactsTopPeers struct {
	// default: Vector<TopPeerCategoryPeers>
	Categories []*TypeTopPeerCategoryPeers `protobuf:"bytes,1,rep,name=Categories" json:"Categories,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredContactsTopPeers) Descriptor

func (*PredContactsTopPeers) Descriptor() ([]byte, []int)

func (*PredContactsTopPeers) GetCategories

func (m *PredContactsTopPeers) GetCategories() []*TypeTopPeerCategoryPeers

func (*PredContactsTopPeers) GetChats

func (m *PredContactsTopPeers) GetChats() []*TypeChat

func (*PredContactsTopPeers) GetUsers

func (m *PredContactsTopPeers) GetUsers() []*TypeUser

func (*PredContactsTopPeers) ProtoMessage

func (*PredContactsTopPeers) ProtoMessage()

func (*PredContactsTopPeers) Reset

func (m *PredContactsTopPeers) Reset()

func (*PredContactsTopPeers) String

func (m *PredContactsTopPeers) String() string

func (*PredContactsTopPeers) ToType

func (p *PredContactsTopPeers) ToType() TL

func (*PredContactsTopPeers) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsTopPeers) XXX_DiscardUnknown()

func (*PredContactsTopPeers) XXX_Marshal added in v0.4.1

func (m *PredContactsTopPeers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsTopPeers) XXX_Merge added in v0.4.1

func (dst *PredContactsTopPeers) XXX_Merge(src proto.Message)

func (*PredContactsTopPeers) XXX_Size added in v0.4.1

func (m *PredContactsTopPeers) XXX_Size() int

func (*PredContactsTopPeers) XXX_Unmarshal added in v0.4.1

func (m *PredContactsTopPeers) XXX_Unmarshal(b []byte) error

type PredContactsTopPeersNotModified

type PredContactsTopPeersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredContactsTopPeersNotModified) Descriptor

func (*PredContactsTopPeersNotModified) Descriptor() ([]byte, []int)

func (*PredContactsTopPeersNotModified) ProtoMessage

func (*PredContactsTopPeersNotModified) ProtoMessage()

func (*PredContactsTopPeersNotModified) Reset

func (*PredContactsTopPeersNotModified) String

func (*PredContactsTopPeersNotModified) ToType

func (p *PredContactsTopPeersNotModified) ToType() TL

func (*PredContactsTopPeersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredContactsTopPeersNotModified) XXX_DiscardUnknown()

func (*PredContactsTopPeersNotModified) XXX_Marshal added in v0.4.1

func (m *PredContactsTopPeersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredContactsTopPeersNotModified) XXX_Merge added in v0.4.1

func (dst *PredContactsTopPeersNotModified) XXX_Merge(src proto.Message)

func (*PredContactsTopPeersNotModified) XXX_Size added in v0.4.1

func (m *PredContactsTopPeersNotModified) XXX_Size() int

func (*PredContactsTopPeersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredContactsTopPeersNotModified) XXX_Unmarshal(b []byte) error

type PredDataJSON

type PredDataJSON struct {
	Data                 string   `protobuf:"bytes,1,opt,name=Data" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDataJSON) Descriptor

func (*PredDataJSON) Descriptor() ([]byte, []int)

func (*PredDataJSON) GetData

func (m *PredDataJSON) GetData() string

func (*PredDataJSON) ProtoMessage

func (*PredDataJSON) ProtoMessage()

func (*PredDataJSON) Reset

func (m *PredDataJSON) Reset()

func (*PredDataJSON) String

func (m *PredDataJSON) String() string

func (*PredDataJSON) ToType

func (p *PredDataJSON) ToType() TL

func (*PredDataJSON) XXX_DiscardUnknown added in v0.4.1

func (m *PredDataJSON) XXX_DiscardUnknown()

func (*PredDataJSON) XXX_Marshal added in v0.4.1

func (m *PredDataJSON) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDataJSON) XXX_Merge added in v0.4.1

func (dst *PredDataJSON) XXX_Merge(src proto.Message)

func (*PredDataJSON) XXX_Size added in v0.4.1

func (m *PredDataJSON) XXX_Size() int

func (*PredDataJSON) XXX_Unmarshal added in v0.4.1

func (m *PredDataJSON) XXX_Unmarshal(b []byte) error

type PredDcOption

type PredDcOption struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Ipv6	bool // flags.0?true
	// MediaOnly	bool // flags.1?true
	// TcpoOnly	bool // flags.2?true
	// Cdn	bool // flags.3?true
	// Static	bool // flags.4?true
	Id                   int32    `protobuf:"varint,7,opt,name=Id" json:"Id,omitempty"`
	IpAddress            string   `protobuf:"bytes,8,opt,name=IpAddress" json:"IpAddress,omitempty"`
	Port                 int32    `protobuf:"varint,9,opt,name=Port" json:"Port,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDcOption) Descriptor

func (*PredDcOption) Descriptor() ([]byte, []int)

func (*PredDcOption) GetFlags

func (m *PredDcOption) GetFlags() int32

func (*PredDcOption) GetId

func (m *PredDcOption) GetId() int32

func (*PredDcOption) GetIpAddress

func (m *PredDcOption) GetIpAddress() string

func (*PredDcOption) GetPort

func (m *PredDcOption) GetPort() int32

func (*PredDcOption) ProtoMessage

func (*PredDcOption) ProtoMessage()

func (*PredDcOption) Reset

func (m *PredDcOption) Reset()

func (*PredDcOption) String

func (m *PredDcOption) String() string

func (*PredDcOption) ToType

func (p *PredDcOption) ToType() TL

func (*PredDcOption) XXX_DiscardUnknown added in v0.4.1

func (m *PredDcOption) XXX_DiscardUnknown()

func (*PredDcOption) XXX_Marshal added in v0.4.1

func (m *PredDcOption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDcOption) XXX_Merge added in v0.4.1

func (dst *PredDcOption) XXX_Merge(src proto.Message)

func (*PredDcOption) XXX_Size added in v0.4.1

func (m *PredDcOption) XXX_Size() int

func (*PredDcOption) XXX_Unmarshal added in v0.4.1

func (m *PredDcOption) XXX_Unmarshal(b []byte) error

type PredDialog

type PredDialog struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Pinned	bool // flags.2?true
	// default: Peer
	Peer                *TypePeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	TopMessage          int32     `protobuf:"varint,4,opt,name=TopMessage" json:"TopMessage,omitempty"`
	ReadInboxMaxId      int32     `protobuf:"varint,5,opt,name=ReadInboxMaxId" json:"ReadInboxMaxId,omitempty"`
	ReadOutboxMaxId     int32     `protobuf:"varint,6,opt,name=ReadOutboxMaxId" json:"ReadOutboxMaxId,omitempty"`
	UnreadCount         int32     `protobuf:"varint,7,opt,name=UnreadCount" json:"UnreadCount,omitempty"`
	UnreadMentionsCount int32     `protobuf:"varint,8,opt,name=UnreadMentionsCount" json:"UnreadMentionsCount,omitempty"`
	// default: PeerNotifySettings
	NotifySettings *TypePeerNotifySettings `protobuf:"bytes,9,opt,name=NotifySettings" json:"NotifySettings,omitempty"`
	Pts            int32                   `protobuf:"varint,10,opt,name=Pts" json:"Pts,omitempty"`
	// default: DraftMessage
	Draft                *TypeDraftMessage `protobuf:"bytes,11,opt,name=Draft" json:"Draft,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredDialog) Descriptor

func (*PredDialog) Descriptor() ([]byte, []int)

func (*PredDialog) GetDraft

func (m *PredDialog) GetDraft() *TypeDraftMessage

func (*PredDialog) GetFlags

func (m *PredDialog) GetFlags() int32

func (*PredDialog) GetNotifySettings

func (m *PredDialog) GetNotifySettings() *TypePeerNotifySettings

func (*PredDialog) GetPeer

func (m *PredDialog) GetPeer() *TypePeer

func (*PredDialog) GetPts

func (m *PredDialog) GetPts() int32

func (*PredDialog) GetReadInboxMaxId

func (m *PredDialog) GetReadInboxMaxId() int32

func (*PredDialog) GetReadOutboxMaxId

func (m *PredDialog) GetReadOutboxMaxId() int32

func (*PredDialog) GetTopMessage

func (m *PredDialog) GetTopMessage() int32

func (*PredDialog) GetUnreadCount

func (m *PredDialog) GetUnreadCount() int32

func (*PredDialog) GetUnreadMentionsCount

func (m *PredDialog) GetUnreadMentionsCount() int32

func (*PredDialog) ProtoMessage

func (*PredDialog) ProtoMessage()

func (*PredDialog) Reset

func (m *PredDialog) Reset()

func (*PredDialog) String

func (m *PredDialog) String() string

func (*PredDialog) ToType

func (p *PredDialog) ToType() TL

func (*PredDialog) XXX_DiscardUnknown added in v0.4.1

func (m *PredDialog) XXX_DiscardUnknown()

func (*PredDialog) XXX_Marshal added in v0.4.1

func (m *PredDialog) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDialog) XXX_Merge added in v0.4.1

func (dst *PredDialog) XXX_Merge(src proto.Message)

func (*PredDialog) XXX_Size added in v0.4.1

func (m *PredDialog) XXX_Size() int

func (*PredDialog) XXX_Unmarshal added in v0.4.1

func (m *PredDialog) XXX_Unmarshal(b []byte) error

type PredDisabledFeature

type PredDisabledFeature struct {
	Feature              string   `protobuf:"bytes,1,opt,name=Feature" json:"Feature,omitempty"`
	Description          string   `protobuf:"bytes,2,opt,name=Description" json:"Description,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDisabledFeature) Descriptor

func (*PredDisabledFeature) Descriptor() ([]byte, []int)

func (*PredDisabledFeature) GetDescription

func (m *PredDisabledFeature) GetDescription() string

func (*PredDisabledFeature) GetFeature

func (m *PredDisabledFeature) GetFeature() string

func (*PredDisabledFeature) ProtoMessage

func (*PredDisabledFeature) ProtoMessage()

func (*PredDisabledFeature) Reset

func (m *PredDisabledFeature) Reset()

func (*PredDisabledFeature) String

func (m *PredDisabledFeature) String() string

func (*PredDisabledFeature) ToType

func (p *PredDisabledFeature) ToType() TL

func (*PredDisabledFeature) XXX_DiscardUnknown added in v0.4.1

func (m *PredDisabledFeature) XXX_DiscardUnknown()

func (*PredDisabledFeature) XXX_Marshal added in v0.4.1

func (m *PredDisabledFeature) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDisabledFeature) XXX_Merge added in v0.4.1

func (dst *PredDisabledFeature) XXX_Merge(src proto.Message)

func (*PredDisabledFeature) XXX_Size added in v0.4.1

func (m *PredDisabledFeature) XXX_Size() int

func (*PredDisabledFeature) XXX_Unmarshal added in v0.4.1

func (m *PredDisabledFeature) XXX_Unmarshal(b []byte) error

type PredDocument

type PredDocument struct {
	Id         int64  `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash int64  `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date       int32  `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	MimeType   string `protobuf:"bytes,4,opt,name=MimeType" json:"MimeType,omitempty"`
	Size       int32  `protobuf:"varint,5,opt,name=Size" json:"Size,omitempty"`
	// default: PhotoSize
	Thumb   *TypePhotoSize `protobuf:"bytes,6,opt,name=Thumb" json:"Thumb,omitempty"`
	DcId    int32          `protobuf:"varint,7,opt,name=DcId" json:"DcId,omitempty"`
	Version int32          `protobuf:"varint,8,opt,name=Version" json:"Version,omitempty"`
	// default: Vector<DocumentAttribute>
	Attributes           []*TypeDocumentAttribute `protobuf:"bytes,9,rep,name=Attributes" json:"Attributes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredDocument) Descriptor

func (*PredDocument) Descriptor() ([]byte, []int)

func (*PredDocument) GetAccessHash

func (m *PredDocument) GetAccessHash() int64

func (*PredDocument) GetAttributes

func (m *PredDocument) GetAttributes() []*TypeDocumentAttribute

func (*PredDocument) GetDate

func (m *PredDocument) GetDate() int32

func (*PredDocument) GetDcId

func (m *PredDocument) GetDcId() int32

func (*PredDocument) GetId

func (m *PredDocument) GetId() int64

func (*PredDocument) GetMimeType

func (m *PredDocument) GetMimeType() string

func (*PredDocument) GetSize

func (m *PredDocument) GetSize() int32

func (*PredDocument) GetThumb

func (m *PredDocument) GetThumb() *TypePhotoSize

func (*PredDocument) GetVersion

func (m *PredDocument) GetVersion() int32

func (*PredDocument) ProtoMessage

func (*PredDocument) ProtoMessage()

func (*PredDocument) Reset

func (m *PredDocument) Reset()

func (*PredDocument) String

func (m *PredDocument) String() string

func (*PredDocument) ToType

func (p *PredDocument) ToType() TL

func (*PredDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocument) XXX_DiscardUnknown()

func (*PredDocument) XXX_Marshal added in v0.4.1

func (m *PredDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocument) XXX_Merge added in v0.4.1

func (dst *PredDocument) XXX_Merge(src proto.Message)

func (*PredDocument) XXX_Size added in v0.4.1

func (m *PredDocument) XXX_Size() int

func (*PredDocument) XXX_Unmarshal added in v0.4.1

func (m *PredDocument) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeAnimated

type PredDocumentAttributeAnimated struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeAnimated) Descriptor

func (*PredDocumentAttributeAnimated) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeAnimated) ProtoMessage

func (*PredDocumentAttributeAnimated) ProtoMessage()

func (*PredDocumentAttributeAnimated) Reset

func (m *PredDocumentAttributeAnimated) Reset()

func (*PredDocumentAttributeAnimated) String

func (*PredDocumentAttributeAnimated) ToType

func (p *PredDocumentAttributeAnimated) ToType() TL

func (*PredDocumentAttributeAnimated) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeAnimated) XXX_DiscardUnknown()

func (*PredDocumentAttributeAnimated) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeAnimated) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeAnimated) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeAnimated) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeAnimated) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeAnimated) XXX_Size() int

func (*PredDocumentAttributeAnimated) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeAnimated) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeAudio

type PredDocumentAttributeAudio struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Voice	bool // flags.10?true
	Duration             int32    `protobuf:"varint,3,opt,name=Duration" json:"Duration,omitempty"`
	Title                string   `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	Performer            string   `protobuf:"bytes,5,opt,name=Performer" json:"Performer,omitempty"`
	Waveform             []byte   `protobuf:"bytes,6,opt,name=Waveform,proto3" json:"Waveform,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeAudio) Descriptor

func (*PredDocumentAttributeAudio) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeAudio) GetDuration

func (m *PredDocumentAttributeAudio) GetDuration() int32

func (*PredDocumentAttributeAudio) GetFlags

func (m *PredDocumentAttributeAudio) GetFlags() int32

func (*PredDocumentAttributeAudio) GetPerformer

func (m *PredDocumentAttributeAudio) GetPerformer() string

func (*PredDocumentAttributeAudio) GetTitle

func (m *PredDocumentAttributeAudio) GetTitle() string

func (*PredDocumentAttributeAudio) GetWaveform

func (m *PredDocumentAttributeAudio) GetWaveform() []byte

func (*PredDocumentAttributeAudio) ProtoMessage

func (*PredDocumentAttributeAudio) ProtoMessage()

func (*PredDocumentAttributeAudio) Reset

func (m *PredDocumentAttributeAudio) Reset()

func (*PredDocumentAttributeAudio) String

func (m *PredDocumentAttributeAudio) String() string

func (*PredDocumentAttributeAudio) ToType

func (p *PredDocumentAttributeAudio) ToType() TL

func (*PredDocumentAttributeAudio) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeAudio) XXX_DiscardUnknown()

func (*PredDocumentAttributeAudio) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeAudio) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeAudio) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeAudio) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeAudio) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeAudio) XXX_Size() int

func (*PredDocumentAttributeAudio) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeAudio) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeFilename

type PredDocumentAttributeFilename struct {
	FileName             string   `protobuf:"bytes,1,opt,name=FileName" json:"FileName,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeFilename) Descriptor

func (*PredDocumentAttributeFilename) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeFilename) GetFileName

func (m *PredDocumentAttributeFilename) GetFileName() string

func (*PredDocumentAttributeFilename) ProtoMessage

func (*PredDocumentAttributeFilename) ProtoMessage()

func (*PredDocumentAttributeFilename) Reset

func (m *PredDocumentAttributeFilename) Reset()

func (*PredDocumentAttributeFilename) String

func (*PredDocumentAttributeFilename) ToType

func (p *PredDocumentAttributeFilename) ToType() TL

func (*PredDocumentAttributeFilename) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeFilename) XXX_DiscardUnknown()

func (*PredDocumentAttributeFilename) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeFilename) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeFilename) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeFilename) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeFilename) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeFilename) XXX_Size() int

func (*PredDocumentAttributeFilename) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeFilename) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeHasStickers

type PredDocumentAttributeHasStickers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeHasStickers) Descriptor

func (*PredDocumentAttributeHasStickers) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeHasStickers) ProtoMessage

func (*PredDocumentAttributeHasStickers) ProtoMessage()

func (*PredDocumentAttributeHasStickers) Reset

func (*PredDocumentAttributeHasStickers) String

func (*PredDocumentAttributeHasStickers) ToType

func (*PredDocumentAttributeHasStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeHasStickers) XXX_DiscardUnknown()

func (*PredDocumentAttributeHasStickers) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeHasStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeHasStickers) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeHasStickers) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeHasStickers) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeHasStickers) XXX_Size() int

func (*PredDocumentAttributeHasStickers) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeHasStickers) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeImageSize

type PredDocumentAttributeImageSize struct {
	W                    int32    `protobuf:"varint,1,opt,name=W" json:"W,omitempty"`
	H                    int32    `protobuf:"varint,2,opt,name=H" json:"H,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeImageSize) Descriptor

func (*PredDocumentAttributeImageSize) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeImageSize) GetH

func (*PredDocumentAttributeImageSize) GetW

func (*PredDocumentAttributeImageSize) ProtoMessage

func (*PredDocumentAttributeImageSize) ProtoMessage()

func (*PredDocumentAttributeImageSize) Reset

func (m *PredDocumentAttributeImageSize) Reset()

func (*PredDocumentAttributeImageSize) String

func (*PredDocumentAttributeImageSize) ToType

func (p *PredDocumentAttributeImageSize) ToType() TL

func (*PredDocumentAttributeImageSize) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeImageSize) XXX_DiscardUnknown()

func (*PredDocumentAttributeImageSize) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeImageSize) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeImageSize) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeImageSize) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeImageSize) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeImageSize) XXX_Size() int

func (*PredDocumentAttributeImageSize) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeImageSize) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeSticker

type PredDocumentAttributeSticker struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Mask	bool // flags.1?true
	Alt string `protobuf:"bytes,3,opt,name=Alt" json:"Alt,omitempty"`
	// default: InputStickerSet
	Stickerset *TypeInputStickerSet `protobuf:"bytes,4,opt,name=Stickerset" json:"Stickerset,omitempty"`
	// default: MaskCoords
	MaskCoords           *TypeMaskCoords `protobuf:"bytes,5,opt,name=MaskCoords" json:"MaskCoords,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredDocumentAttributeSticker) Descriptor

func (*PredDocumentAttributeSticker) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeSticker) GetAlt

func (*PredDocumentAttributeSticker) GetFlags

func (m *PredDocumentAttributeSticker) GetFlags() int32

func (*PredDocumentAttributeSticker) GetMaskCoords

func (m *PredDocumentAttributeSticker) GetMaskCoords() *TypeMaskCoords

func (*PredDocumentAttributeSticker) GetStickerset

func (*PredDocumentAttributeSticker) ProtoMessage

func (*PredDocumentAttributeSticker) ProtoMessage()

func (*PredDocumentAttributeSticker) Reset

func (m *PredDocumentAttributeSticker) Reset()

func (*PredDocumentAttributeSticker) String

func (*PredDocumentAttributeSticker) ToType

func (p *PredDocumentAttributeSticker) ToType() TL

func (*PredDocumentAttributeSticker) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeSticker) XXX_DiscardUnknown()

func (*PredDocumentAttributeSticker) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeSticker) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeSticker) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeSticker) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeSticker) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeSticker) XXX_Size() int

func (*PredDocumentAttributeSticker) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeSticker) XXX_Unmarshal(b []byte) error

type PredDocumentAttributeVideo

type PredDocumentAttributeVideo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// RoundMessage	bool // flags.0?true
	Duration             int32    `protobuf:"varint,3,opt,name=Duration" json:"Duration,omitempty"`
	W                    int32    `protobuf:"varint,4,opt,name=W" json:"W,omitempty"`
	H                    int32    `protobuf:"varint,5,opt,name=H" json:"H,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentAttributeVideo) Descriptor

func (*PredDocumentAttributeVideo) Descriptor() ([]byte, []int)

func (*PredDocumentAttributeVideo) GetDuration

func (m *PredDocumentAttributeVideo) GetDuration() int32

func (*PredDocumentAttributeVideo) GetFlags

func (m *PredDocumentAttributeVideo) GetFlags() int32

func (*PredDocumentAttributeVideo) GetH

func (*PredDocumentAttributeVideo) GetW

func (*PredDocumentAttributeVideo) ProtoMessage

func (*PredDocumentAttributeVideo) ProtoMessage()

func (*PredDocumentAttributeVideo) Reset

func (m *PredDocumentAttributeVideo) Reset()

func (*PredDocumentAttributeVideo) String

func (m *PredDocumentAttributeVideo) String() string

func (*PredDocumentAttributeVideo) ToType

func (p *PredDocumentAttributeVideo) ToType() TL

func (*PredDocumentAttributeVideo) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentAttributeVideo) XXX_DiscardUnknown()

func (*PredDocumentAttributeVideo) XXX_Marshal added in v0.4.1

func (m *PredDocumentAttributeVideo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentAttributeVideo) XXX_Merge added in v0.4.1

func (dst *PredDocumentAttributeVideo) XXX_Merge(src proto.Message)

func (*PredDocumentAttributeVideo) XXX_Size added in v0.4.1

func (m *PredDocumentAttributeVideo) XXX_Size() int

func (*PredDocumentAttributeVideo) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentAttributeVideo) XXX_Unmarshal(b []byte) error

type PredDocumentEmpty

type PredDocumentEmpty struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDocumentEmpty) Descriptor

func (*PredDocumentEmpty) Descriptor() ([]byte, []int)

func (*PredDocumentEmpty) GetId

func (m *PredDocumentEmpty) GetId() int64

func (*PredDocumentEmpty) ProtoMessage

func (*PredDocumentEmpty) ProtoMessage()

func (*PredDocumentEmpty) Reset

func (m *PredDocumentEmpty) Reset()

func (*PredDocumentEmpty) String

func (m *PredDocumentEmpty) String() string

func (*PredDocumentEmpty) ToType

func (p *PredDocumentEmpty) ToType() TL

func (*PredDocumentEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredDocumentEmpty) XXX_DiscardUnknown()

func (*PredDocumentEmpty) XXX_Marshal added in v0.4.1

func (m *PredDocumentEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDocumentEmpty) XXX_Merge added in v0.4.1

func (dst *PredDocumentEmpty) XXX_Merge(src proto.Message)

func (*PredDocumentEmpty) XXX_Size added in v0.4.1

func (m *PredDocumentEmpty) XXX_Size() int

func (*PredDocumentEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredDocumentEmpty) XXX_Unmarshal(b []byte) error

type PredDraftMessage

type PredDraftMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.1?true
	ReplyToMsgId int32  `protobuf:"varint,3,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	Message      string `protobuf:"bytes,4,opt,name=Message" json:"Message,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,5,rep,name=Entities" json:"Entities,omitempty"`
	Date                 int32                `protobuf:"varint,6,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredDraftMessage) Descriptor

func (*PredDraftMessage) Descriptor() ([]byte, []int)

func (*PredDraftMessage) GetDate

func (m *PredDraftMessage) GetDate() int32

func (*PredDraftMessage) GetEntities

func (m *PredDraftMessage) GetEntities() []*TypeMessageEntity

func (*PredDraftMessage) GetFlags

func (m *PredDraftMessage) GetFlags() int32

func (*PredDraftMessage) GetMessage

func (m *PredDraftMessage) GetMessage() string

func (*PredDraftMessage) GetReplyToMsgId

func (m *PredDraftMessage) GetReplyToMsgId() int32

func (*PredDraftMessage) ProtoMessage

func (*PredDraftMessage) ProtoMessage()

func (*PredDraftMessage) Reset

func (m *PredDraftMessage) Reset()

func (*PredDraftMessage) String

func (m *PredDraftMessage) String() string

func (*PredDraftMessage) ToType

func (p *PredDraftMessage) ToType() TL

func (*PredDraftMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredDraftMessage) XXX_DiscardUnknown()

func (*PredDraftMessage) XXX_Marshal added in v0.4.1

func (m *PredDraftMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDraftMessage) XXX_Merge added in v0.4.1

func (dst *PredDraftMessage) XXX_Merge(src proto.Message)

func (*PredDraftMessage) XXX_Size added in v0.4.1

func (m *PredDraftMessage) XXX_Size() int

func (*PredDraftMessage) XXX_Unmarshal added in v0.4.1

func (m *PredDraftMessage) XXX_Unmarshal(b []byte) error

type PredDraftMessageEmpty

type PredDraftMessageEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredDraftMessageEmpty) Descriptor

func (*PredDraftMessageEmpty) Descriptor() ([]byte, []int)

func (*PredDraftMessageEmpty) ProtoMessage

func (*PredDraftMessageEmpty) ProtoMessage()

func (*PredDraftMessageEmpty) Reset

func (m *PredDraftMessageEmpty) Reset()

func (*PredDraftMessageEmpty) String

func (m *PredDraftMessageEmpty) String() string

func (*PredDraftMessageEmpty) ToType

func (p *PredDraftMessageEmpty) ToType() TL

func (*PredDraftMessageEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredDraftMessageEmpty) XXX_DiscardUnknown()

func (*PredDraftMessageEmpty) XXX_Marshal added in v0.4.1

func (m *PredDraftMessageEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredDraftMessageEmpty) XXX_Merge added in v0.4.1

func (dst *PredDraftMessageEmpty) XXX_Merge(src proto.Message)

func (*PredDraftMessageEmpty) XXX_Size added in v0.4.1

func (m *PredDraftMessageEmpty) XXX_Size() int

func (*PredDraftMessageEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredDraftMessageEmpty) XXX_Unmarshal(b []byte) error

type PredEncryptedChat

type PredEncryptedChat struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId              int32    `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId        int32    `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	GAOrB                []byte   `protobuf:"bytes,6,opt,name=GAOrB,proto3" json:"GAOrB,omitempty"`
	KeyFingerprint       int64    `protobuf:"varint,7,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedChat) Descriptor

func (*PredEncryptedChat) Descriptor() ([]byte, []int)

func (*PredEncryptedChat) GetAccessHash

func (m *PredEncryptedChat) GetAccessHash() int64

func (*PredEncryptedChat) GetAdminId

func (m *PredEncryptedChat) GetAdminId() int32

func (*PredEncryptedChat) GetDate

func (m *PredEncryptedChat) GetDate() int32

func (*PredEncryptedChat) GetGAOrB

func (m *PredEncryptedChat) GetGAOrB() []byte

func (*PredEncryptedChat) GetId

func (m *PredEncryptedChat) GetId() int32

func (*PredEncryptedChat) GetKeyFingerprint

func (m *PredEncryptedChat) GetKeyFingerprint() int64

func (*PredEncryptedChat) GetParticipantId

func (m *PredEncryptedChat) GetParticipantId() int32

func (*PredEncryptedChat) ProtoMessage

func (*PredEncryptedChat) ProtoMessage()

func (*PredEncryptedChat) Reset

func (m *PredEncryptedChat) Reset()

func (*PredEncryptedChat) String

func (m *PredEncryptedChat) String() string

func (*PredEncryptedChat) ToType

func (p *PredEncryptedChat) ToType() TL

func (*PredEncryptedChat) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedChat) XXX_DiscardUnknown()

func (*PredEncryptedChat) XXX_Marshal added in v0.4.1

func (m *PredEncryptedChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedChat) XXX_Merge added in v0.4.1

func (dst *PredEncryptedChat) XXX_Merge(src proto.Message)

func (*PredEncryptedChat) XXX_Size added in v0.4.1

func (m *PredEncryptedChat) XXX_Size() int

func (*PredEncryptedChat) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedChat) XXX_Unmarshal(b []byte) error

type PredEncryptedChatDiscarded

type PredEncryptedChatDiscarded struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedChatDiscarded) Descriptor

func (*PredEncryptedChatDiscarded) Descriptor() ([]byte, []int)

func (*PredEncryptedChatDiscarded) GetId

func (m *PredEncryptedChatDiscarded) GetId() int32

func (*PredEncryptedChatDiscarded) ProtoMessage

func (*PredEncryptedChatDiscarded) ProtoMessage()

func (*PredEncryptedChatDiscarded) Reset

func (m *PredEncryptedChatDiscarded) Reset()

func (*PredEncryptedChatDiscarded) String

func (m *PredEncryptedChatDiscarded) String() string

func (*PredEncryptedChatDiscarded) ToType

func (p *PredEncryptedChatDiscarded) ToType() TL

func (*PredEncryptedChatDiscarded) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedChatDiscarded) XXX_DiscardUnknown()

func (*PredEncryptedChatDiscarded) XXX_Marshal added in v0.4.1

func (m *PredEncryptedChatDiscarded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedChatDiscarded) XXX_Merge added in v0.4.1

func (dst *PredEncryptedChatDiscarded) XXX_Merge(src proto.Message)

func (*PredEncryptedChatDiscarded) XXX_Size added in v0.4.1

func (m *PredEncryptedChatDiscarded) XXX_Size() int

func (*PredEncryptedChatDiscarded) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedChatDiscarded) XXX_Unmarshal(b []byte) error

type PredEncryptedChatEmpty

type PredEncryptedChatEmpty struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedChatEmpty) Descriptor

func (*PredEncryptedChatEmpty) Descriptor() ([]byte, []int)

func (*PredEncryptedChatEmpty) GetId

func (m *PredEncryptedChatEmpty) GetId() int32

func (*PredEncryptedChatEmpty) ProtoMessage

func (*PredEncryptedChatEmpty) ProtoMessage()

func (*PredEncryptedChatEmpty) Reset

func (m *PredEncryptedChatEmpty) Reset()

func (*PredEncryptedChatEmpty) String

func (m *PredEncryptedChatEmpty) String() string

func (*PredEncryptedChatEmpty) ToType

func (p *PredEncryptedChatEmpty) ToType() TL

func (*PredEncryptedChatEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedChatEmpty) XXX_DiscardUnknown()

func (*PredEncryptedChatEmpty) XXX_Marshal added in v0.4.1

func (m *PredEncryptedChatEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedChatEmpty) XXX_Merge added in v0.4.1

func (dst *PredEncryptedChatEmpty) XXX_Merge(src proto.Message)

func (*PredEncryptedChatEmpty) XXX_Size added in v0.4.1

func (m *PredEncryptedChatEmpty) XXX_Size() int

func (*PredEncryptedChatEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedChatEmpty) XXX_Unmarshal(b []byte) error

type PredEncryptedChatRequested

type PredEncryptedChatRequested struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId              int32    `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId        int32    `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	GA                   []byte   `protobuf:"bytes,6,opt,name=GA,proto3" json:"GA,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedChatRequested) Descriptor

func (*PredEncryptedChatRequested) Descriptor() ([]byte, []int)

func (*PredEncryptedChatRequested) GetAccessHash

func (m *PredEncryptedChatRequested) GetAccessHash() int64

func (*PredEncryptedChatRequested) GetAdminId

func (m *PredEncryptedChatRequested) GetAdminId() int32

func (*PredEncryptedChatRequested) GetDate

func (m *PredEncryptedChatRequested) GetDate() int32

func (*PredEncryptedChatRequested) GetGA

func (m *PredEncryptedChatRequested) GetGA() []byte

func (*PredEncryptedChatRequested) GetId

func (m *PredEncryptedChatRequested) GetId() int32

func (*PredEncryptedChatRequested) GetParticipantId

func (m *PredEncryptedChatRequested) GetParticipantId() int32

func (*PredEncryptedChatRequested) ProtoMessage

func (*PredEncryptedChatRequested) ProtoMessage()

func (*PredEncryptedChatRequested) Reset

func (m *PredEncryptedChatRequested) Reset()

func (*PredEncryptedChatRequested) String

func (m *PredEncryptedChatRequested) String() string

func (*PredEncryptedChatRequested) ToType

func (p *PredEncryptedChatRequested) ToType() TL

func (*PredEncryptedChatRequested) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedChatRequested) XXX_DiscardUnknown()

func (*PredEncryptedChatRequested) XXX_Marshal added in v0.4.1

func (m *PredEncryptedChatRequested) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedChatRequested) XXX_Merge added in v0.4.1

func (dst *PredEncryptedChatRequested) XXX_Merge(src proto.Message)

func (*PredEncryptedChatRequested) XXX_Size added in v0.4.1

func (m *PredEncryptedChatRequested) XXX_Size() int

func (*PredEncryptedChatRequested) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedChatRequested) XXX_Unmarshal(b []byte) error

type PredEncryptedChatWaiting

type PredEncryptedChatWaiting struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId              int32    `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId        int32    `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedChatWaiting) Descriptor

func (*PredEncryptedChatWaiting) Descriptor() ([]byte, []int)

func (*PredEncryptedChatWaiting) GetAccessHash

func (m *PredEncryptedChatWaiting) GetAccessHash() int64

func (*PredEncryptedChatWaiting) GetAdminId

func (m *PredEncryptedChatWaiting) GetAdminId() int32

func (*PredEncryptedChatWaiting) GetDate

func (m *PredEncryptedChatWaiting) GetDate() int32

func (*PredEncryptedChatWaiting) GetId

func (m *PredEncryptedChatWaiting) GetId() int32

func (*PredEncryptedChatWaiting) GetParticipantId

func (m *PredEncryptedChatWaiting) GetParticipantId() int32

func (*PredEncryptedChatWaiting) ProtoMessage

func (*PredEncryptedChatWaiting) ProtoMessage()

func (*PredEncryptedChatWaiting) Reset

func (m *PredEncryptedChatWaiting) Reset()

func (*PredEncryptedChatWaiting) String

func (m *PredEncryptedChatWaiting) String() string

func (*PredEncryptedChatWaiting) ToType

func (p *PredEncryptedChatWaiting) ToType() TL

func (*PredEncryptedChatWaiting) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedChatWaiting) XXX_DiscardUnknown()

func (*PredEncryptedChatWaiting) XXX_Marshal added in v0.4.1

func (m *PredEncryptedChatWaiting) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedChatWaiting) XXX_Merge added in v0.4.1

func (dst *PredEncryptedChatWaiting) XXX_Merge(src proto.Message)

func (*PredEncryptedChatWaiting) XXX_Size added in v0.4.1

func (m *PredEncryptedChatWaiting) XXX_Size() int

func (*PredEncryptedChatWaiting) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedChatWaiting) XXX_Unmarshal(b []byte) error

type PredEncryptedFile

type PredEncryptedFile struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Size                 int32    `protobuf:"varint,3,opt,name=Size" json:"Size,omitempty"`
	DcId                 int32    `protobuf:"varint,4,opt,name=DcId" json:"DcId,omitempty"`
	KeyFingerprint       int32    `protobuf:"varint,5,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedFile) Descriptor

func (*PredEncryptedFile) Descriptor() ([]byte, []int)

func (*PredEncryptedFile) GetAccessHash

func (m *PredEncryptedFile) GetAccessHash() int64

func (*PredEncryptedFile) GetDcId

func (m *PredEncryptedFile) GetDcId() int32

func (*PredEncryptedFile) GetId

func (m *PredEncryptedFile) GetId() int64

func (*PredEncryptedFile) GetKeyFingerprint

func (m *PredEncryptedFile) GetKeyFingerprint() int32

func (*PredEncryptedFile) GetSize

func (m *PredEncryptedFile) GetSize() int32

func (*PredEncryptedFile) ProtoMessage

func (*PredEncryptedFile) ProtoMessage()

func (*PredEncryptedFile) Reset

func (m *PredEncryptedFile) Reset()

func (*PredEncryptedFile) String

func (m *PredEncryptedFile) String() string

func (*PredEncryptedFile) ToType

func (p *PredEncryptedFile) ToType() TL

func (*PredEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedFile) XXX_DiscardUnknown()

func (*PredEncryptedFile) XXX_Marshal added in v0.4.1

func (m *PredEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedFile) XXX_Merge added in v0.4.1

func (dst *PredEncryptedFile) XXX_Merge(src proto.Message)

func (*PredEncryptedFile) XXX_Size added in v0.4.1

func (m *PredEncryptedFile) XXX_Size() int

func (*PredEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedFile) XXX_Unmarshal(b []byte) error

type PredEncryptedFileEmpty

type PredEncryptedFileEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedFileEmpty) Descriptor

func (*PredEncryptedFileEmpty) Descriptor() ([]byte, []int)

func (*PredEncryptedFileEmpty) ProtoMessage

func (*PredEncryptedFileEmpty) ProtoMessage()

func (*PredEncryptedFileEmpty) Reset

func (m *PredEncryptedFileEmpty) Reset()

func (*PredEncryptedFileEmpty) String

func (m *PredEncryptedFileEmpty) String() string

func (*PredEncryptedFileEmpty) ToType

func (p *PredEncryptedFileEmpty) ToType() TL

func (*PredEncryptedFileEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedFileEmpty) XXX_DiscardUnknown()

func (*PredEncryptedFileEmpty) XXX_Marshal added in v0.4.1

func (m *PredEncryptedFileEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedFileEmpty) XXX_Merge added in v0.4.1

func (dst *PredEncryptedFileEmpty) XXX_Merge(src proto.Message)

func (*PredEncryptedFileEmpty) XXX_Size added in v0.4.1

func (m *PredEncryptedFileEmpty) XXX_Size() int

func (*PredEncryptedFileEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedFileEmpty) XXX_Unmarshal(b []byte) error

type PredEncryptedMessage

type PredEncryptedMessage struct {
	RandomId int64  `protobuf:"varint,1,opt,name=RandomId" json:"RandomId,omitempty"`
	ChatId   int32  `protobuf:"varint,2,opt,name=ChatId" json:"ChatId,omitempty"`
	Date     int32  `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	Bytes    []byte `protobuf:"bytes,4,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	// default: EncryptedFile
	File                 *TypeEncryptedFile `protobuf:"bytes,5,opt,name=File" json:"File,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredEncryptedMessage) Descriptor

func (*PredEncryptedMessage) Descriptor() ([]byte, []int)

func (*PredEncryptedMessage) GetBytes

func (m *PredEncryptedMessage) GetBytes() []byte

func (*PredEncryptedMessage) GetChatId

func (m *PredEncryptedMessage) GetChatId() int32

func (*PredEncryptedMessage) GetDate

func (m *PredEncryptedMessage) GetDate() int32

func (*PredEncryptedMessage) GetFile

func (*PredEncryptedMessage) GetRandomId

func (m *PredEncryptedMessage) GetRandomId() int64

func (*PredEncryptedMessage) ProtoMessage

func (*PredEncryptedMessage) ProtoMessage()

func (*PredEncryptedMessage) Reset

func (m *PredEncryptedMessage) Reset()

func (*PredEncryptedMessage) String

func (m *PredEncryptedMessage) String() string

func (*PredEncryptedMessage) ToType

func (p *PredEncryptedMessage) ToType() TL

func (*PredEncryptedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedMessage) XXX_DiscardUnknown()

func (*PredEncryptedMessage) XXX_Marshal added in v0.4.1

func (m *PredEncryptedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedMessage) XXX_Merge added in v0.4.1

func (dst *PredEncryptedMessage) XXX_Merge(src proto.Message)

func (*PredEncryptedMessage) XXX_Size added in v0.4.1

func (m *PredEncryptedMessage) XXX_Size() int

func (*PredEncryptedMessage) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedMessage) XXX_Unmarshal(b []byte) error

type PredEncryptedMessageService

type PredEncryptedMessageService struct {
	RandomId             int64    `protobuf:"varint,1,opt,name=RandomId" json:"RandomId,omitempty"`
	ChatId               int32    `protobuf:"varint,2,opt,name=ChatId" json:"ChatId,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	Bytes                []byte   `protobuf:"bytes,4,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredEncryptedMessageService) Descriptor

func (*PredEncryptedMessageService) Descriptor() ([]byte, []int)

func (*PredEncryptedMessageService) GetBytes

func (m *PredEncryptedMessageService) GetBytes() []byte

func (*PredEncryptedMessageService) GetChatId

func (m *PredEncryptedMessageService) GetChatId() int32

func (*PredEncryptedMessageService) GetDate

func (m *PredEncryptedMessageService) GetDate() int32

func (*PredEncryptedMessageService) GetRandomId

func (m *PredEncryptedMessageService) GetRandomId() int64

func (*PredEncryptedMessageService) ProtoMessage

func (*PredEncryptedMessageService) ProtoMessage()

func (*PredEncryptedMessageService) Reset

func (m *PredEncryptedMessageService) Reset()

func (*PredEncryptedMessageService) String

func (m *PredEncryptedMessageService) String() string

func (*PredEncryptedMessageService) ToType

func (p *PredEncryptedMessageService) ToType() TL

func (*PredEncryptedMessageService) XXX_DiscardUnknown added in v0.4.1

func (m *PredEncryptedMessageService) XXX_DiscardUnknown()

func (*PredEncryptedMessageService) XXX_Marshal added in v0.4.1

func (m *PredEncryptedMessageService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredEncryptedMessageService) XXX_Merge added in v0.4.1

func (dst *PredEncryptedMessageService) XXX_Merge(src proto.Message)

func (*PredEncryptedMessageService) XXX_Size added in v0.4.1

func (m *PredEncryptedMessageService) XXX_Size() int

func (*PredEncryptedMessageService) XXX_Unmarshal added in v0.4.1

func (m *PredEncryptedMessageService) XXX_Unmarshal(b []byte) error

type PredError

type PredError struct {
	Code                 int32    `protobuf:"varint,1,opt,name=Code" json:"Code,omitempty"`
	Text                 string   `protobuf:"bytes,2,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredError) Descriptor

func (*PredError) Descriptor() ([]byte, []int)

func (*PredError) GetCode

func (m *PredError) GetCode() int32

func (*PredError) GetText

func (m *PredError) GetText() string

func (*PredError) ProtoMessage

func (*PredError) ProtoMessage()

func (*PredError) Reset

func (m *PredError) Reset()

func (*PredError) String

func (m *PredError) String() string

func (*PredError) ToType

func (p *PredError) ToType() TL

func (*PredError) XXX_DiscardUnknown added in v0.4.1

func (m *PredError) XXX_DiscardUnknown()

func (*PredError) XXX_Marshal added in v0.4.1

func (m *PredError) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredError) XXX_Merge added in v0.4.1

func (dst *PredError) XXX_Merge(src proto.Message)

func (*PredError) XXX_Size added in v0.4.1

func (m *PredError) XXX_Size() int

func (*PredError) XXX_Unmarshal added in v0.4.1

func (m *PredError) XXX_Unmarshal(b []byte) error
type PredExportedMessageLink struct {
	Link                 string   `protobuf:"bytes,1,opt,name=Link" json:"Link,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredExportedMessageLink) Descriptor

func (*PredExportedMessageLink) Descriptor() ([]byte, []int)
func (m *PredExportedMessageLink) GetLink() string

func (*PredExportedMessageLink) ProtoMessage

func (*PredExportedMessageLink) ProtoMessage()

func (*PredExportedMessageLink) Reset

func (m *PredExportedMessageLink) Reset()

func (*PredExportedMessageLink) String

func (m *PredExportedMessageLink) String() string

func (*PredExportedMessageLink) ToType

func (p *PredExportedMessageLink) ToType() TL

func (*PredExportedMessageLink) XXX_DiscardUnknown added in v0.4.1

func (m *PredExportedMessageLink) XXX_DiscardUnknown()

func (*PredExportedMessageLink) XXX_Marshal added in v0.4.1

func (m *PredExportedMessageLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredExportedMessageLink) XXX_Merge added in v0.4.1

func (dst *PredExportedMessageLink) XXX_Merge(src proto.Message)

func (*PredExportedMessageLink) XXX_Size added in v0.4.1

func (m *PredExportedMessageLink) XXX_Size() int

func (*PredExportedMessageLink) XXX_Unmarshal added in v0.4.1

func (m *PredExportedMessageLink) XXX_Unmarshal(b []byte) error

type PredFileLocation

type PredFileLocation struct {
	DcId                 int32    `protobuf:"varint,1,opt,name=DcId" json:"DcId,omitempty"`
	VolumeId             int64    `protobuf:"varint,2,opt,name=VolumeId" json:"VolumeId,omitempty"`
	LocalId              int32    `protobuf:"varint,3,opt,name=LocalId" json:"LocalId,omitempty"`
	Secret               int64    `protobuf:"varint,4,opt,name=Secret" json:"Secret,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredFileLocation) Descriptor

func (*PredFileLocation) Descriptor() ([]byte, []int)

func (*PredFileLocation) GetDcId

func (m *PredFileLocation) GetDcId() int32

func (*PredFileLocation) GetLocalId

func (m *PredFileLocation) GetLocalId() int32

func (*PredFileLocation) GetSecret

func (m *PredFileLocation) GetSecret() int64

func (*PredFileLocation) GetVolumeId

func (m *PredFileLocation) GetVolumeId() int64

func (*PredFileLocation) ProtoMessage

func (*PredFileLocation) ProtoMessage()

func (*PredFileLocation) Reset

func (m *PredFileLocation) Reset()

func (*PredFileLocation) String

func (m *PredFileLocation) String() string

func (*PredFileLocation) ToType

func (p *PredFileLocation) ToType() TL

func (*PredFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredFileLocation) XXX_DiscardUnknown()

func (*PredFileLocation) XXX_Marshal added in v0.4.1

func (m *PredFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredFileLocation) XXX_Merge added in v0.4.1

func (dst *PredFileLocation) XXX_Merge(src proto.Message)

func (*PredFileLocation) XXX_Size added in v0.4.1

func (m *PredFileLocation) XXX_Size() int

func (*PredFileLocation) XXX_Unmarshal added in v0.4.1

func (m *PredFileLocation) XXX_Unmarshal(b []byte) error

type PredFileLocationUnavailable

type PredFileLocationUnavailable struct {
	VolumeId             int64    `protobuf:"varint,1,opt,name=VolumeId" json:"VolumeId,omitempty"`
	LocalId              int32    `protobuf:"varint,2,opt,name=LocalId" json:"LocalId,omitempty"`
	Secret               int64    `protobuf:"varint,3,opt,name=Secret" json:"Secret,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredFileLocationUnavailable) Descriptor

func (*PredFileLocationUnavailable) Descriptor() ([]byte, []int)

func (*PredFileLocationUnavailable) GetLocalId

func (m *PredFileLocationUnavailable) GetLocalId() int32

func (*PredFileLocationUnavailable) GetSecret

func (m *PredFileLocationUnavailable) GetSecret() int64

func (*PredFileLocationUnavailable) GetVolumeId

func (m *PredFileLocationUnavailable) GetVolumeId() int64

func (*PredFileLocationUnavailable) ProtoMessage

func (*PredFileLocationUnavailable) ProtoMessage()

func (*PredFileLocationUnavailable) Reset

func (m *PredFileLocationUnavailable) Reset()

func (*PredFileLocationUnavailable) String

func (m *PredFileLocationUnavailable) String() string

func (*PredFileLocationUnavailable) ToType

func (p *PredFileLocationUnavailable) ToType() TL

func (*PredFileLocationUnavailable) XXX_DiscardUnknown added in v0.4.1

func (m *PredFileLocationUnavailable) XXX_DiscardUnknown()

func (*PredFileLocationUnavailable) XXX_Marshal added in v0.4.1

func (m *PredFileLocationUnavailable) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredFileLocationUnavailable) XXX_Merge added in v0.4.1

func (dst *PredFileLocationUnavailable) XXX_Merge(src proto.Message)

func (*PredFileLocationUnavailable) XXX_Size added in v0.4.1

func (m *PredFileLocationUnavailable) XXX_Size() int

func (*PredFileLocationUnavailable) XXX_Unmarshal added in v0.4.1

func (m *PredFileLocationUnavailable) XXX_Unmarshal(b []byte) error

type PredFoundGif

type PredFoundGif struct {
	Url                  string   `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	ThumbUrl             string   `protobuf:"bytes,2,opt,name=ThumbUrl" json:"ThumbUrl,omitempty"`
	ContentUrl           string   `protobuf:"bytes,3,opt,name=ContentUrl" json:"ContentUrl,omitempty"`
	ContentType          string   `protobuf:"bytes,4,opt,name=ContentType" json:"ContentType,omitempty"`
	W                    int32    `protobuf:"varint,5,opt,name=W" json:"W,omitempty"`
	H                    int32    `protobuf:"varint,6,opt,name=H" json:"H,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredFoundGif) Descriptor

func (*PredFoundGif) Descriptor() ([]byte, []int)

func (*PredFoundGif) GetContentType

func (m *PredFoundGif) GetContentType() string

func (*PredFoundGif) GetContentUrl

func (m *PredFoundGif) GetContentUrl() string

func (*PredFoundGif) GetH

func (m *PredFoundGif) GetH() int32

func (*PredFoundGif) GetThumbUrl

func (m *PredFoundGif) GetThumbUrl() string

func (*PredFoundGif) GetUrl

func (m *PredFoundGif) GetUrl() string

func (*PredFoundGif) GetW

func (m *PredFoundGif) GetW() int32

func (*PredFoundGif) ProtoMessage

func (*PredFoundGif) ProtoMessage()

func (*PredFoundGif) Reset

func (m *PredFoundGif) Reset()

func (*PredFoundGif) String

func (m *PredFoundGif) String() string

func (*PredFoundGif) ToType

func (p *PredFoundGif) ToType() TL

func (*PredFoundGif) XXX_DiscardUnknown added in v0.4.1

func (m *PredFoundGif) XXX_DiscardUnknown()

func (*PredFoundGif) XXX_Marshal added in v0.4.1

func (m *PredFoundGif) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredFoundGif) XXX_Merge added in v0.4.1

func (dst *PredFoundGif) XXX_Merge(src proto.Message)

func (*PredFoundGif) XXX_Size added in v0.4.1

func (m *PredFoundGif) XXX_Size() int

func (*PredFoundGif) XXX_Unmarshal added in v0.4.1

func (m *PredFoundGif) XXX_Unmarshal(b []byte) error

type PredFoundGifCached

type PredFoundGifCached struct {
	Url string `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	// default: Photo
	Photo *TypePhoto `protobuf:"bytes,2,opt,name=Photo" json:"Photo,omitempty"`
	// default: Document
	Document             *TypeDocument `protobuf:"bytes,3,opt,name=Document" json:"Document,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredFoundGifCached) Descriptor

func (*PredFoundGifCached) Descriptor() ([]byte, []int)

func (*PredFoundGifCached) GetDocument

func (m *PredFoundGifCached) GetDocument() *TypeDocument

func (*PredFoundGifCached) GetPhoto

func (m *PredFoundGifCached) GetPhoto() *TypePhoto

func (*PredFoundGifCached) GetUrl

func (m *PredFoundGifCached) GetUrl() string

func (*PredFoundGifCached) ProtoMessage

func (*PredFoundGifCached) ProtoMessage()

func (*PredFoundGifCached) Reset

func (m *PredFoundGifCached) Reset()

func (*PredFoundGifCached) String

func (m *PredFoundGifCached) String() string

func (*PredFoundGifCached) ToType

func (p *PredFoundGifCached) ToType() TL

func (*PredFoundGifCached) XXX_DiscardUnknown added in v0.4.1

func (m *PredFoundGifCached) XXX_DiscardUnknown()

func (*PredFoundGifCached) XXX_Marshal added in v0.4.1

func (m *PredFoundGifCached) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredFoundGifCached) XXX_Merge added in v0.4.1

func (dst *PredFoundGifCached) XXX_Merge(src proto.Message)

func (*PredFoundGifCached) XXX_Size added in v0.4.1

func (m *PredFoundGifCached) XXX_Size() int

func (*PredFoundGifCached) XXX_Unmarshal added in v0.4.1

func (m *PredFoundGifCached) XXX_Unmarshal(b []byte) error

type PredGame

type PredGame struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id          int64  `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	AccessHash  int64  `protobuf:"varint,3,opt,name=AccessHash" json:"AccessHash,omitempty"`
	ShortName   string `protobuf:"bytes,4,opt,name=ShortName" json:"ShortName,omitempty"`
	Title       string `protobuf:"bytes,5,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,6,opt,name=Description" json:"Description,omitempty"`
	// default: Photo
	Photo *TypePhoto `protobuf:"bytes,7,opt,name=Photo" json:"Photo,omitempty"`
	// default: Document
	Document             *TypeDocument `protobuf:"bytes,8,opt,name=Document" json:"Document,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredGame) Descriptor

func (*PredGame) Descriptor() ([]byte, []int)

func (*PredGame) GetAccessHash

func (m *PredGame) GetAccessHash() int64

func (*PredGame) GetDescription

func (m *PredGame) GetDescription() string

func (*PredGame) GetDocument

func (m *PredGame) GetDocument() *TypeDocument

func (*PredGame) GetFlags

func (m *PredGame) GetFlags() int32

func (*PredGame) GetId

func (m *PredGame) GetId() int64

func (*PredGame) GetPhoto

func (m *PredGame) GetPhoto() *TypePhoto

func (*PredGame) GetShortName

func (m *PredGame) GetShortName() string

func (*PredGame) GetTitle

func (m *PredGame) GetTitle() string

func (*PredGame) ProtoMessage

func (*PredGame) ProtoMessage()

func (*PredGame) Reset

func (m *PredGame) Reset()

func (*PredGame) String

func (m *PredGame) String() string

func (*PredGame) ToType

func (p *PredGame) ToType() TL

func (*PredGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredGame) XXX_DiscardUnknown()

func (*PredGame) XXX_Marshal added in v0.4.1

func (m *PredGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredGame) XXX_Merge added in v0.4.1

func (dst *PredGame) XXX_Merge(src proto.Message)

func (*PredGame) XXX_Size added in v0.4.1

func (m *PredGame) XXX_Size() int

func (*PredGame) XXX_Unmarshal added in v0.4.1

func (m *PredGame) XXX_Unmarshal(b []byte) error

type PredGeoPoint

type PredGeoPoint struct {
	Long                 float64  `protobuf:"fixed64,1,opt,name=Long" json:"Long,omitempty"`
	Lat                  float64  `protobuf:"fixed64,2,opt,name=Lat" json:"Lat,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredGeoPoint) Descriptor

func (*PredGeoPoint) Descriptor() ([]byte, []int)

func (*PredGeoPoint) GetLat

func (m *PredGeoPoint) GetLat() float64

func (*PredGeoPoint) GetLong

func (m *PredGeoPoint) GetLong() float64

func (*PredGeoPoint) ProtoMessage

func (*PredGeoPoint) ProtoMessage()

func (*PredGeoPoint) Reset

func (m *PredGeoPoint) Reset()

func (*PredGeoPoint) String

func (m *PredGeoPoint) String() string

func (*PredGeoPoint) ToType

func (p *PredGeoPoint) ToType() TL

func (*PredGeoPoint) XXX_DiscardUnknown added in v0.4.1

func (m *PredGeoPoint) XXX_DiscardUnknown()

func (*PredGeoPoint) XXX_Marshal added in v0.4.1

func (m *PredGeoPoint) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredGeoPoint) XXX_Merge added in v0.4.1

func (dst *PredGeoPoint) XXX_Merge(src proto.Message)

func (*PredGeoPoint) XXX_Size added in v0.4.1

func (m *PredGeoPoint) XXX_Size() int

func (*PredGeoPoint) XXX_Unmarshal added in v0.4.1

func (m *PredGeoPoint) XXX_Unmarshal(b []byte) error

type PredGeoPointEmpty

type PredGeoPointEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredGeoPointEmpty) Descriptor

func (*PredGeoPointEmpty) Descriptor() ([]byte, []int)

func (*PredGeoPointEmpty) ProtoMessage

func (*PredGeoPointEmpty) ProtoMessage()

func (*PredGeoPointEmpty) Reset

func (m *PredGeoPointEmpty) Reset()

func (*PredGeoPointEmpty) String

func (m *PredGeoPointEmpty) String() string

func (*PredGeoPointEmpty) ToType

func (p *PredGeoPointEmpty) ToType() TL

func (*PredGeoPointEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredGeoPointEmpty) XXX_DiscardUnknown()

func (*PredGeoPointEmpty) XXX_Marshal added in v0.4.1

func (m *PredGeoPointEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredGeoPointEmpty) XXX_Merge added in v0.4.1

func (dst *PredGeoPointEmpty) XXX_Merge(src proto.Message)

func (*PredGeoPointEmpty) XXX_Size added in v0.4.1

func (m *PredGeoPointEmpty) XXX_Size() int

func (*PredGeoPointEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredGeoPointEmpty) XXX_Unmarshal(b []byte) error

type PredHelpAppUpdate

type PredHelpAppUpdate struct {
	Id int32 `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	// default: Bool
	Critical             *TypeBool `protobuf:"bytes,2,opt,name=Critical" json:"Critical,omitempty"`
	Url                  string    `protobuf:"bytes,3,opt,name=Url" json:"Url,omitempty"`
	Text                 string    `protobuf:"bytes,4,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredHelpAppUpdate) Descriptor

func (*PredHelpAppUpdate) Descriptor() ([]byte, []int)

func (*PredHelpAppUpdate) GetCritical

func (m *PredHelpAppUpdate) GetCritical() *TypeBool

func (*PredHelpAppUpdate) GetId

func (m *PredHelpAppUpdate) GetId() int32

func (*PredHelpAppUpdate) GetText

func (m *PredHelpAppUpdate) GetText() string

func (*PredHelpAppUpdate) GetUrl

func (m *PredHelpAppUpdate) GetUrl() string

func (*PredHelpAppUpdate) ProtoMessage

func (*PredHelpAppUpdate) ProtoMessage()

func (*PredHelpAppUpdate) Reset

func (m *PredHelpAppUpdate) Reset()

func (*PredHelpAppUpdate) String

func (m *PredHelpAppUpdate) String() string

func (*PredHelpAppUpdate) ToType

func (p *PredHelpAppUpdate) ToType() TL

func (*PredHelpAppUpdate) XXX_DiscardUnknown added in v0.4.1

func (m *PredHelpAppUpdate) XXX_DiscardUnknown()

func (*PredHelpAppUpdate) XXX_Marshal added in v0.4.1

func (m *PredHelpAppUpdate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHelpAppUpdate) XXX_Merge added in v0.4.1

func (dst *PredHelpAppUpdate) XXX_Merge(src proto.Message)

func (*PredHelpAppUpdate) XXX_Size added in v0.4.1

func (m *PredHelpAppUpdate) XXX_Size() int

func (*PredHelpAppUpdate) XXX_Unmarshal added in v0.4.1

func (m *PredHelpAppUpdate) XXX_Unmarshal(b []byte) error

type PredHelpInviteText

type PredHelpInviteText struct {
	Message              string   `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredHelpInviteText) Descriptor

func (*PredHelpInviteText) Descriptor() ([]byte, []int)

func (*PredHelpInviteText) GetMessage

func (m *PredHelpInviteText) GetMessage() string

func (*PredHelpInviteText) ProtoMessage

func (*PredHelpInviteText) ProtoMessage()

func (*PredHelpInviteText) Reset

func (m *PredHelpInviteText) Reset()

func (*PredHelpInviteText) String

func (m *PredHelpInviteText) String() string

func (*PredHelpInviteText) ToType

func (p *PredHelpInviteText) ToType() TL

func (*PredHelpInviteText) XXX_DiscardUnknown added in v0.4.1

func (m *PredHelpInviteText) XXX_DiscardUnknown()

func (*PredHelpInviteText) XXX_Marshal added in v0.4.1

func (m *PredHelpInviteText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHelpInviteText) XXX_Merge added in v0.4.1

func (dst *PredHelpInviteText) XXX_Merge(src proto.Message)

func (*PredHelpInviteText) XXX_Size added in v0.4.1

func (m *PredHelpInviteText) XXX_Size() int

func (*PredHelpInviteText) XXX_Unmarshal added in v0.4.1

func (m *PredHelpInviteText) XXX_Unmarshal(b []byte) error

type PredHelpNoAppUpdate

type PredHelpNoAppUpdate struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredHelpNoAppUpdate) Descriptor

func (*PredHelpNoAppUpdate) Descriptor() ([]byte, []int)

func (*PredHelpNoAppUpdate) ProtoMessage

func (*PredHelpNoAppUpdate) ProtoMessage()

func (*PredHelpNoAppUpdate) Reset

func (m *PredHelpNoAppUpdate) Reset()

func (*PredHelpNoAppUpdate) String

func (m *PredHelpNoAppUpdate) String() string

func (*PredHelpNoAppUpdate) ToType

func (p *PredHelpNoAppUpdate) ToType() TL

func (*PredHelpNoAppUpdate) XXX_DiscardUnknown added in v0.4.1

func (m *PredHelpNoAppUpdate) XXX_DiscardUnknown()

func (*PredHelpNoAppUpdate) XXX_Marshal added in v0.4.1

func (m *PredHelpNoAppUpdate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHelpNoAppUpdate) XXX_Merge added in v0.4.1

func (dst *PredHelpNoAppUpdate) XXX_Merge(src proto.Message)

func (*PredHelpNoAppUpdate) XXX_Size added in v0.4.1

func (m *PredHelpNoAppUpdate) XXX_Size() int

func (*PredHelpNoAppUpdate) XXX_Unmarshal added in v0.4.1

func (m *PredHelpNoAppUpdate) XXX_Unmarshal(b []byte) error

type PredHelpSupport

type PredHelpSupport struct {
	PhoneNumber string `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	// default: User
	User                 *TypeUser `protobuf:"bytes,2,opt,name=User" json:"User,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredHelpSupport) Descriptor

func (*PredHelpSupport) Descriptor() ([]byte, []int)

func (*PredHelpSupport) GetPhoneNumber

func (m *PredHelpSupport) GetPhoneNumber() string

func (*PredHelpSupport) GetUser

func (m *PredHelpSupport) GetUser() *TypeUser

func (*PredHelpSupport) ProtoMessage

func (*PredHelpSupport) ProtoMessage()

func (*PredHelpSupport) Reset

func (m *PredHelpSupport) Reset()

func (*PredHelpSupport) String

func (m *PredHelpSupport) String() string

func (*PredHelpSupport) ToType

func (p *PredHelpSupport) ToType() TL

func (*PredHelpSupport) XXX_DiscardUnknown added in v0.4.1

func (m *PredHelpSupport) XXX_DiscardUnknown()

func (*PredHelpSupport) XXX_Marshal added in v0.4.1

func (m *PredHelpSupport) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHelpSupport) XXX_Merge added in v0.4.1

func (dst *PredHelpSupport) XXX_Merge(src proto.Message)

func (*PredHelpSupport) XXX_Size added in v0.4.1

func (m *PredHelpSupport) XXX_Size() int

func (*PredHelpSupport) XXX_Unmarshal added in v0.4.1

func (m *PredHelpSupport) XXX_Unmarshal(b []byte) error

type PredHelpTermsOfService

type PredHelpTermsOfService struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredHelpTermsOfService) Descriptor

func (*PredHelpTermsOfService) Descriptor() ([]byte, []int)

func (*PredHelpTermsOfService) GetText

func (m *PredHelpTermsOfService) GetText() string

func (*PredHelpTermsOfService) ProtoMessage

func (*PredHelpTermsOfService) ProtoMessage()

func (*PredHelpTermsOfService) Reset

func (m *PredHelpTermsOfService) Reset()

func (*PredHelpTermsOfService) String

func (m *PredHelpTermsOfService) String() string

func (*PredHelpTermsOfService) ToType

func (p *PredHelpTermsOfService) ToType() TL

func (*PredHelpTermsOfService) XXX_DiscardUnknown added in v0.4.1

func (m *PredHelpTermsOfService) XXX_DiscardUnknown()

func (*PredHelpTermsOfService) XXX_Marshal added in v0.4.1

func (m *PredHelpTermsOfService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHelpTermsOfService) XXX_Merge added in v0.4.1

func (dst *PredHelpTermsOfService) XXX_Merge(src proto.Message)

func (*PredHelpTermsOfService) XXX_Size added in v0.4.1

func (m *PredHelpTermsOfService) XXX_Size() int

func (*PredHelpTermsOfService) XXX_Unmarshal added in v0.4.1

func (m *PredHelpTermsOfService) XXX_Unmarshal(b []byte) error

type PredHighScore

type PredHighScore struct {
	Pos                  int32    `protobuf:"varint,1,opt,name=Pos" json:"Pos,omitempty"`
	UserId               int32    `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	Score                int32    `protobuf:"varint,3,opt,name=Score" json:"Score,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredHighScore) Descriptor

func (*PredHighScore) Descriptor() ([]byte, []int)

func (*PredHighScore) GetPos

func (m *PredHighScore) GetPos() int32

func (*PredHighScore) GetScore

func (m *PredHighScore) GetScore() int32

func (*PredHighScore) GetUserId

func (m *PredHighScore) GetUserId() int32

func (*PredHighScore) ProtoMessage

func (*PredHighScore) ProtoMessage()

func (*PredHighScore) Reset

func (m *PredHighScore) Reset()

func (*PredHighScore) String

func (m *PredHighScore) String() string

func (*PredHighScore) ToType

func (p *PredHighScore) ToType() TL

func (*PredHighScore) XXX_DiscardUnknown added in v0.4.1

func (m *PredHighScore) XXX_DiscardUnknown()

func (*PredHighScore) XXX_Marshal added in v0.4.1

func (m *PredHighScore) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredHighScore) XXX_Merge added in v0.4.1

func (dst *PredHighScore) XXX_Merge(src proto.Message)

func (*PredHighScore) XXX_Size added in v0.4.1

func (m *PredHighScore) XXX_Size() int

func (*PredHighScore) XXX_Unmarshal added in v0.4.1

func (m *PredHighScore) XXX_Unmarshal(b []byte) error

type PredImportedContact

type PredImportedContact struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	ClientId             int64    `protobuf:"varint,2,opt,name=ClientId" json:"ClientId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredImportedContact) Descriptor

func (*PredImportedContact) Descriptor() ([]byte, []int)

func (*PredImportedContact) GetClientId

func (m *PredImportedContact) GetClientId() int64

func (*PredImportedContact) GetUserId

func (m *PredImportedContact) GetUserId() int32

func (*PredImportedContact) ProtoMessage

func (*PredImportedContact) ProtoMessage()

func (*PredImportedContact) Reset

func (m *PredImportedContact) Reset()

func (*PredImportedContact) String

func (m *PredImportedContact) String() string

func (*PredImportedContact) ToType

func (p *PredImportedContact) ToType() TL

func (*PredImportedContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredImportedContact) XXX_DiscardUnknown()

func (*PredImportedContact) XXX_Marshal added in v0.4.1

func (m *PredImportedContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredImportedContact) XXX_Merge added in v0.4.1

func (dst *PredImportedContact) XXX_Merge(src proto.Message)

func (*PredImportedContact) XXX_Size added in v0.4.1

func (m *PredImportedContact) XXX_Size() int

func (*PredImportedContact) XXX_Unmarshal added in v0.4.1

func (m *PredImportedContact) XXX_Unmarshal(b []byte) error

type PredInlineBotSwitchPM

type PredInlineBotSwitchPM struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	StartParam           string   `protobuf:"bytes,2,opt,name=StartParam" json:"StartParam,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInlineBotSwitchPM) Descriptor

func (*PredInlineBotSwitchPM) Descriptor() ([]byte, []int)

func (*PredInlineBotSwitchPM) GetStartParam

func (m *PredInlineBotSwitchPM) GetStartParam() string

func (*PredInlineBotSwitchPM) GetText

func (m *PredInlineBotSwitchPM) GetText() string

func (*PredInlineBotSwitchPM) ProtoMessage

func (*PredInlineBotSwitchPM) ProtoMessage()

func (*PredInlineBotSwitchPM) Reset

func (m *PredInlineBotSwitchPM) Reset()

func (*PredInlineBotSwitchPM) String

func (m *PredInlineBotSwitchPM) String() string

func (*PredInlineBotSwitchPM) ToType

func (p *PredInlineBotSwitchPM) ToType() TL

func (*PredInlineBotSwitchPM) XXX_DiscardUnknown added in v0.4.1

func (m *PredInlineBotSwitchPM) XXX_DiscardUnknown()

func (*PredInlineBotSwitchPM) XXX_Marshal added in v0.4.1

func (m *PredInlineBotSwitchPM) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInlineBotSwitchPM) XXX_Merge added in v0.4.1

func (dst *PredInlineBotSwitchPM) XXX_Merge(src proto.Message)

func (*PredInlineBotSwitchPM) XXX_Size added in v0.4.1

func (m *PredInlineBotSwitchPM) XXX_Size() int

func (*PredInlineBotSwitchPM) XXX_Unmarshal added in v0.4.1

func (m *PredInlineBotSwitchPM) XXX_Unmarshal(b []byte) error

type PredInputAppEvent

type PredInputAppEvent struct {
	Time                 float64  `protobuf:"fixed64,1,opt,name=Time" json:"Time,omitempty"`
	Type                 string   `protobuf:"bytes,2,opt,name=Type" json:"Type,omitempty"`
	Peer                 int64    `protobuf:"varint,3,opt,name=Peer" json:"Peer,omitempty"`
	Data                 string   `protobuf:"bytes,4,opt,name=Data" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputAppEvent) Descriptor

func (*PredInputAppEvent) Descriptor() ([]byte, []int)

func (*PredInputAppEvent) GetData

func (m *PredInputAppEvent) GetData() string

func (*PredInputAppEvent) GetPeer

func (m *PredInputAppEvent) GetPeer() int64

func (*PredInputAppEvent) GetTime

func (m *PredInputAppEvent) GetTime() float64

func (*PredInputAppEvent) GetType

func (m *PredInputAppEvent) GetType() string

func (*PredInputAppEvent) ProtoMessage

func (*PredInputAppEvent) ProtoMessage()

func (*PredInputAppEvent) Reset

func (m *PredInputAppEvent) Reset()

func (*PredInputAppEvent) String

func (m *PredInputAppEvent) String() string

func (*PredInputAppEvent) ToType

func (p *PredInputAppEvent) ToType() TL

func (*PredInputAppEvent) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputAppEvent) XXX_DiscardUnknown()

func (*PredInputAppEvent) XXX_Marshal added in v0.4.1

func (m *PredInputAppEvent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputAppEvent) XXX_Merge added in v0.4.1

func (dst *PredInputAppEvent) XXX_Merge(src proto.Message)

func (*PredInputAppEvent) XXX_Size added in v0.4.1

func (m *PredInputAppEvent) XXX_Size() int

func (*PredInputAppEvent) XXX_Unmarshal added in v0.4.1

func (m *PredInputAppEvent) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageGame

type PredInputBotInlineMessageGame struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,2,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageGame) Descriptor

func (*PredInputBotInlineMessageGame) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageGame) GetFlags

func (m *PredInputBotInlineMessageGame) GetFlags() int32

func (*PredInputBotInlineMessageGame) GetReplyMarkup

func (m *PredInputBotInlineMessageGame) GetReplyMarkup() *TypeReplyMarkup

func (*PredInputBotInlineMessageGame) ProtoMessage

func (*PredInputBotInlineMessageGame) ProtoMessage()

func (*PredInputBotInlineMessageGame) Reset

func (m *PredInputBotInlineMessageGame) Reset()

func (*PredInputBotInlineMessageGame) String

func (*PredInputBotInlineMessageGame) ToType

func (p *PredInputBotInlineMessageGame) ToType() TL

func (*PredInputBotInlineMessageGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageGame) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageGame) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageGame) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineMessageGame) XXX_Merge(src proto.Message)

func (*PredInputBotInlineMessageGame) XXX_Size added in v0.4.1

func (m *PredInputBotInlineMessageGame) XXX_Size() int

func (*PredInputBotInlineMessageGame) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageGame) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageID

type PredInputBotInlineMessageID struct {
	DcId                 int32    `protobuf:"varint,1,opt,name=DcId" json:"DcId,omitempty"`
	Id                   int64    `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,3,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputBotInlineMessageID) Descriptor

func (*PredInputBotInlineMessageID) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageID) GetAccessHash

func (m *PredInputBotInlineMessageID) GetAccessHash() int64

func (*PredInputBotInlineMessageID) GetDcId

func (m *PredInputBotInlineMessageID) GetDcId() int32

func (*PredInputBotInlineMessageID) GetId

func (*PredInputBotInlineMessageID) ProtoMessage

func (*PredInputBotInlineMessageID) ProtoMessage()

func (*PredInputBotInlineMessageID) Reset

func (m *PredInputBotInlineMessageID) Reset()

func (*PredInputBotInlineMessageID) String

func (m *PredInputBotInlineMessageID) String() string

func (*PredInputBotInlineMessageID) ToType

func (p *PredInputBotInlineMessageID) ToType() TL

func (*PredInputBotInlineMessageID) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageID) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageID) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageID) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageID) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineMessageID) XXX_Merge(src proto.Message)

func (*PredInputBotInlineMessageID) XXX_Size added in v0.4.1

func (m *PredInputBotInlineMessageID) XXX_Size() int

func (*PredInputBotInlineMessageID) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageID) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageMediaAuto

type PredInputBotInlineMessageMediaAuto struct {
	Flags   int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Caption string `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,3,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageMediaAuto) Descriptor

func (*PredInputBotInlineMessageMediaAuto) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageMediaAuto) GetCaption

func (*PredInputBotInlineMessageMediaAuto) GetFlags

func (*PredInputBotInlineMessageMediaAuto) GetReplyMarkup

func (*PredInputBotInlineMessageMediaAuto) ProtoMessage

func (*PredInputBotInlineMessageMediaAuto) ProtoMessage()

func (*PredInputBotInlineMessageMediaAuto) Reset

func (*PredInputBotInlineMessageMediaAuto) String

func (*PredInputBotInlineMessageMediaAuto) ToType

func (*PredInputBotInlineMessageMediaAuto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageMediaAuto) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageMediaAuto) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaAuto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageMediaAuto) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineMessageMediaAuto) XXX_Merge(src proto.Message)

func (*PredInputBotInlineMessageMediaAuto) XXX_Size added in v0.4.1

func (*PredInputBotInlineMessageMediaAuto) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaAuto) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageMediaContact

type PredInputBotInlineMessageMediaContact struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	PhoneNumber string `protobuf:"bytes,2,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	FirstName   string `protobuf:"bytes,3,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName    string `protobuf:"bytes,4,opt,name=LastName" json:"LastName,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,5,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageMediaContact) Descriptor

func (*PredInputBotInlineMessageMediaContact) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageMediaContact) GetFirstName

func (*PredInputBotInlineMessageMediaContact) GetFlags

func (*PredInputBotInlineMessageMediaContact) GetLastName

func (*PredInputBotInlineMessageMediaContact) GetPhoneNumber

func (m *PredInputBotInlineMessageMediaContact) GetPhoneNumber() string

func (*PredInputBotInlineMessageMediaContact) GetReplyMarkup

func (*PredInputBotInlineMessageMediaContact) ProtoMessage

func (*PredInputBotInlineMessageMediaContact) ProtoMessage()

func (*PredInputBotInlineMessageMediaContact) Reset

func (*PredInputBotInlineMessageMediaContact) String

func (*PredInputBotInlineMessageMediaContact) ToType

func (*PredInputBotInlineMessageMediaContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageMediaContact) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageMediaContact) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageMediaContact) XXX_Merge added in v0.4.1

func (*PredInputBotInlineMessageMediaContact) XXX_Size added in v0.4.1

func (*PredInputBotInlineMessageMediaContact) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaContact) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageMediaGeo

type PredInputBotInlineMessageMediaGeo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputGeoPoint
	GeoPoint *TypeInputGeoPoint `protobuf:"bytes,2,opt,name=GeoPoint" json:"GeoPoint,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,3,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageMediaGeo) Descriptor

func (*PredInputBotInlineMessageMediaGeo) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageMediaGeo) GetFlags

func (*PredInputBotInlineMessageMediaGeo) GetGeoPoint

func (*PredInputBotInlineMessageMediaGeo) GetReplyMarkup

func (*PredInputBotInlineMessageMediaGeo) ProtoMessage

func (*PredInputBotInlineMessageMediaGeo) ProtoMessage()

func (*PredInputBotInlineMessageMediaGeo) Reset

func (*PredInputBotInlineMessageMediaGeo) String

func (*PredInputBotInlineMessageMediaGeo) ToType

func (*PredInputBotInlineMessageMediaGeo) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageMediaGeo) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageMediaGeo) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaGeo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageMediaGeo) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineMessageMediaGeo) XXX_Merge(src proto.Message)

func (*PredInputBotInlineMessageMediaGeo) XXX_Size added in v0.4.1

func (m *PredInputBotInlineMessageMediaGeo) XXX_Size() int

func (*PredInputBotInlineMessageMediaGeo) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaGeo) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageMediaVenue

type PredInputBotInlineMessageMediaVenue struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputGeoPoint
	GeoPoint *TypeInputGeoPoint `protobuf:"bytes,2,opt,name=GeoPoint" json:"GeoPoint,omitempty"`
	Title    string             `protobuf:"bytes,3,opt,name=Title" json:"Title,omitempty"`
	Address  string             `protobuf:"bytes,4,opt,name=Address" json:"Address,omitempty"`
	Provider string             `protobuf:"bytes,5,opt,name=Provider" json:"Provider,omitempty"`
	VenueId  string             `protobuf:"bytes,6,opt,name=VenueId" json:"VenueId,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,7,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageMediaVenue) Descriptor

func (*PredInputBotInlineMessageMediaVenue) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageMediaVenue) GetAddress

func (*PredInputBotInlineMessageMediaVenue) GetFlags

func (*PredInputBotInlineMessageMediaVenue) GetGeoPoint

func (*PredInputBotInlineMessageMediaVenue) GetProvider

func (*PredInputBotInlineMessageMediaVenue) GetReplyMarkup

func (*PredInputBotInlineMessageMediaVenue) GetTitle

func (*PredInputBotInlineMessageMediaVenue) GetVenueId

func (*PredInputBotInlineMessageMediaVenue) ProtoMessage

func (*PredInputBotInlineMessageMediaVenue) ProtoMessage()

func (*PredInputBotInlineMessageMediaVenue) Reset

func (*PredInputBotInlineMessageMediaVenue) String

func (*PredInputBotInlineMessageMediaVenue) ToType

func (*PredInputBotInlineMessageMediaVenue) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageMediaVenue) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageMediaVenue) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaVenue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageMediaVenue) XXX_Merge added in v0.4.1

func (*PredInputBotInlineMessageMediaVenue) XXX_Size added in v0.4.1

func (*PredInputBotInlineMessageMediaVenue) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageMediaVenue) XXX_Unmarshal(b []byte) error

type PredInputBotInlineMessageText

type PredInputBotInlineMessageText struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.0?true
	Message string `protobuf:"bytes,3,opt,name=Message" json:"Message,omitempty"`
	// default: Vector<MessageEntity>
	Entities []*TypeMessageEntity `protobuf:"bytes,4,rep,name=Entities" json:"Entities,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,5,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputBotInlineMessageText) Descriptor

func (*PredInputBotInlineMessageText) Descriptor() ([]byte, []int)

func (*PredInputBotInlineMessageText) GetEntities

func (*PredInputBotInlineMessageText) GetFlags

func (m *PredInputBotInlineMessageText) GetFlags() int32

func (*PredInputBotInlineMessageText) GetMessage

func (m *PredInputBotInlineMessageText) GetMessage() string

func (*PredInputBotInlineMessageText) GetReplyMarkup

func (m *PredInputBotInlineMessageText) GetReplyMarkup() *TypeReplyMarkup

func (*PredInputBotInlineMessageText) ProtoMessage

func (*PredInputBotInlineMessageText) ProtoMessage()

func (*PredInputBotInlineMessageText) Reset

func (m *PredInputBotInlineMessageText) Reset()

func (*PredInputBotInlineMessageText) String

func (*PredInputBotInlineMessageText) ToType

func (p *PredInputBotInlineMessageText) ToType() TL

func (*PredInputBotInlineMessageText) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineMessageText) XXX_DiscardUnknown()

func (*PredInputBotInlineMessageText) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineMessageText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineMessageText) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineMessageText) XXX_Merge(src proto.Message)

func (*PredInputBotInlineMessageText) XXX_Size added in v0.4.1

func (m *PredInputBotInlineMessageText) XXX_Size() int

func (*PredInputBotInlineMessageText) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineMessageText) XXX_Unmarshal(b []byte) error

type PredInputBotInlineResult

type PredInputBotInlineResult struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id          string `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Type        string `protobuf:"bytes,3,opt,name=Type" json:"Type,omitempty"`
	Title       string `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,5,opt,name=Description" json:"Description,omitempty"`
	Url         string `protobuf:"bytes,6,opt,name=Url" json:"Url,omitempty"`
	ThumbUrl    string `protobuf:"bytes,7,opt,name=ThumbUrl" json:"ThumbUrl,omitempty"`
	ContentUrl  string `protobuf:"bytes,8,opt,name=ContentUrl" json:"ContentUrl,omitempty"`
	ContentType string `protobuf:"bytes,9,opt,name=ContentType" json:"ContentType,omitempty"`
	W           int32  `protobuf:"varint,10,opt,name=W" json:"W,omitempty"`
	H           int32  `protobuf:"varint,11,opt,name=H" json:"H,omitempty"`
	Duration    int32  `protobuf:"varint,12,opt,name=Duration" json:"Duration,omitempty"`
	// default: InputBotInlineMessage
	SendMessage          *TypeInputBotInlineMessage `protobuf:"bytes,13,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*PredInputBotInlineResult) Descriptor

func (*PredInputBotInlineResult) Descriptor() ([]byte, []int)

func (*PredInputBotInlineResult) GetContentType

func (m *PredInputBotInlineResult) GetContentType() string

func (*PredInputBotInlineResult) GetContentUrl

func (m *PredInputBotInlineResult) GetContentUrl() string

func (*PredInputBotInlineResult) GetDescription

func (m *PredInputBotInlineResult) GetDescription() string

func (*PredInputBotInlineResult) GetDuration

func (m *PredInputBotInlineResult) GetDuration() int32

func (*PredInputBotInlineResult) GetFlags

func (m *PredInputBotInlineResult) GetFlags() int32

func (*PredInputBotInlineResult) GetH

func (m *PredInputBotInlineResult) GetH() int32

func (*PredInputBotInlineResult) GetId

func (m *PredInputBotInlineResult) GetId() string

func (*PredInputBotInlineResult) GetSendMessage

func (*PredInputBotInlineResult) GetThumbUrl

func (m *PredInputBotInlineResult) GetThumbUrl() string

func (*PredInputBotInlineResult) GetTitle

func (m *PredInputBotInlineResult) GetTitle() string

func (*PredInputBotInlineResult) GetType

func (m *PredInputBotInlineResult) GetType() string

func (*PredInputBotInlineResult) GetUrl

func (m *PredInputBotInlineResult) GetUrl() string

func (*PredInputBotInlineResult) GetW

func (m *PredInputBotInlineResult) GetW() int32

func (*PredInputBotInlineResult) ProtoMessage

func (*PredInputBotInlineResult) ProtoMessage()

func (*PredInputBotInlineResult) Reset

func (m *PredInputBotInlineResult) Reset()

func (*PredInputBotInlineResult) String

func (m *PredInputBotInlineResult) String() string

func (*PredInputBotInlineResult) ToType

func (p *PredInputBotInlineResult) ToType() TL

func (*PredInputBotInlineResult) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineResult) XXX_DiscardUnknown()

func (*PredInputBotInlineResult) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineResult) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineResult) XXX_Merge(src proto.Message)

func (*PredInputBotInlineResult) XXX_Size added in v0.4.1

func (m *PredInputBotInlineResult) XXX_Size() int

func (*PredInputBotInlineResult) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineResult) XXX_Unmarshal(b []byte) error

type PredInputBotInlineResultDocument

type PredInputBotInlineResultDocument struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id          string `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Type        string `protobuf:"bytes,3,opt,name=Type" json:"Type,omitempty"`
	Title       string `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,5,opt,name=Description" json:"Description,omitempty"`
	// default: InputDocument
	Document *TypeInputDocument `protobuf:"bytes,6,opt,name=Document" json:"Document,omitempty"`
	// default: InputBotInlineMessage
	SendMessage          *TypeInputBotInlineMessage `protobuf:"bytes,7,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*PredInputBotInlineResultDocument) Descriptor

func (*PredInputBotInlineResultDocument) Descriptor() ([]byte, []int)

func (*PredInputBotInlineResultDocument) GetDescription

func (m *PredInputBotInlineResultDocument) GetDescription() string

func (*PredInputBotInlineResultDocument) GetDocument

func (*PredInputBotInlineResultDocument) GetFlags

func (*PredInputBotInlineResultDocument) GetId

func (*PredInputBotInlineResultDocument) GetSendMessage

func (*PredInputBotInlineResultDocument) GetTitle

func (*PredInputBotInlineResultDocument) GetType

func (*PredInputBotInlineResultDocument) ProtoMessage

func (*PredInputBotInlineResultDocument) ProtoMessage()

func (*PredInputBotInlineResultDocument) Reset

func (*PredInputBotInlineResultDocument) String

func (*PredInputBotInlineResultDocument) ToType

func (*PredInputBotInlineResultDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineResultDocument) XXX_DiscardUnknown()

func (*PredInputBotInlineResultDocument) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineResultDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineResultDocument) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineResultDocument) XXX_Merge(src proto.Message)

func (*PredInputBotInlineResultDocument) XXX_Size added in v0.4.1

func (m *PredInputBotInlineResultDocument) XXX_Size() int

func (*PredInputBotInlineResultDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineResultDocument) XXX_Unmarshal(b []byte) error

type PredInputBotInlineResultGame

type PredInputBotInlineResultGame struct {
	Id        string `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	ShortName string `protobuf:"bytes,2,opt,name=ShortName" json:"ShortName,omitempty"`
	// default: InputBotInlineMessage
	SendMessage          *TypeInputBotInlineMessage `protobuf:"bytes,3,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*PredInputBotInlineResultGame) Descriptor

func (*PredInputBotInlineResultGame) Descriptor() ([]byte, []int)

func (*PredInputBotInlineResultGame) GetId

func (*PredInputBotInlineResultGame) GetSendMessage

func (*PredInputBotInlineResultGame) GetShortName

func (m *PredInputBotInlineResultGame) GetShortName() string

func (*PredInputBotInlineResultGame) ProtoMessage

func (*PredInputBotInlineResultGame) ProtoMessage()

func (*PredInputBotInlineResultGame) Reset

func (m *PredInputBotInlineResultGame) Reset()

func (*PredInputBotInlineResultGame) String

func (*PredInputBotInlineResultGame) ToType

func (p *PredInputBotInlineResultGame) ToType() TL

func (*PredInputBotInlineResultGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineResultGame) XXX_DiscardUnknown()

func (*PredInputBotInlineResultGame) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineResultGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineResultGame) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineResultGame) XXX_Merge(src proto.Message)

func (*PredInputBotInlineResultGame) XXX_Size added in v0.4.1

func (m *PredInputBotInlineResultGame) XXX_Size() int

func (*PredInputBotInlineResultGame) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineResultGame) XXX_Unmarshal(b []byte) error

type PredInputBotInlineResultPhoto

type PredInputBotInlineResultPhoto struct {
	Id   string `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	Type string `protobuf:"bytes,2,opt,name=Type" json:"Type,omitempty"`
	// default: InputPhoto
	Photo *TypeInputPhoto `protobuf:"bytes,3,opt,name=Photo" json:"Photo,omitempty"`
	// default: InputBotInlineMessage
	SendMessage          *TypeInputBotInlineMessage `protobuf:"bytes,4,opt,name=SendMessage" json:"SendMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*PredInputBotInlineResultPhoto) Descriptor

func (*PredInputBotInlineResultPhoto) Descriptor() ([]byte, []int)

func (*PredInputBotInlineResultPhoto) GetId

func (*PredInputBotInlineResultPhoto) GetPhoto

func (*PredInputBotInlineResultPhoto) GetSendMessage

func (*PredInputBotInlineResultPhoto) GetType

func (*PredInputBotInlineResultPhoto) ProtoMessage

func (*PredInputBotInlineResultPhoto) ProtoMessage()

func (*PredInputBotInlineResultPhoto) Reset

func (m *PredInputBotInlineResultPhoto) Reset()

func (*PredInputBotInlineResultPhoto) String

func (*PredInputBotInlineResultPhoto) ToType

func (p *PredInputBotInlineResultPhoto) ToType() TL

func (*PredInputBotInlineResultPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputBotInlineResultPhoto) XXX_DiscardUnknown()

func (*PredInputBotInlineResultPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputBotInlineResultPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputBotInlineResultPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputBotInlineResultPhoto) XXX_Merge(src proto.Message)

func (*PredInputBotInlineResultPhoto) XXX_Size added in v0.4.1

func (m *PredInputBotInlineResultPhoto) XXX_Size() int

func (*PredInputBotInlineResultPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputBotInlineResultPhoto) XXX_Unmarshal(b []byte) error

type PredInputChannel

type PredInputChannel struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputChannel) Descriptor

func (*PredInputChannel) Descriptor() ([]byte, []int)

func (*PredInputChannel) GetAccessHash

func (m *PredInputChannel) GetAccessHash() int64

func (*PredInputChannel) GetChannelId

func (m *PredInputChannel) GetChannelId() int32

func (*PredInputChannel) ProtoMessage

func (*PredInputChannel) ProtoMessage()

func (*PredInputChannel) Reset

func (m *PredInputChannel) Reset()

func (*PredInputChannel) String

func (m *PredInputChannel) String() string

func (*PredInputChannel) ToType

func (p *PredInputChannel) ToType() TL

func (*PredInputChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputChannel) XXX_DiscardUnknown()

func (*PredInputChannel) XXX_Marshal added in v0.4.1

func (m *PredInputChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputChannel) XXX_Merge added in v0.4.1

func (dst *PredInputChannel) XXX_Merge(src proto.Message)

func (*PredInputChannel) XXX_Size added in v0.4.1

func (m *PredInputChannel) XXX_Size() int

func (*PredInputChannel) XXX_Unmarshal added in v0.4.1

func (m *PredInputChannel) XXX_Unmarshal(b []byte) error

type PredInputChannelEmpty

type PredInputChannelEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputChannelEmpty) Descriptor

func (*PredInputChannelEmpty) Descriptor() ([]byte, []int)

func (*PredInputChannelEmpty) ProtoMessage

func (*PredInputChannelEmpty) ProtoMessage()

func (*PredInputChannelEmpty) Reset

func (m *PredInputChannelEmpty) Reset()

func (*PredInputChannelEmpty) String

func (m *PredInputChannelEmpty) String() string

func (*PredInputChannelEmpty) ToType

func (p *PredInputChannelEmpty) ToType() TL

func (*PredInputChannelEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputChannelEmpty) XXX_DiscardUnknown()

func (*PredInputChannelEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputChannelEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputChannelEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputChannelEmpty) XXX_Merge(src proto.Message)

func (*PredInputChannelEmpty) XXX_Size added in v0.4.1

func (m *PredInputChannelEmpty) XXX_Size() int

func (*PredInputChannelEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputChannelEmpty) XXX_Unmarshal(b []byte) error

type PredInputChatPhoto

type PredInputChatPhoto struct {
	// default: InputPhoto
	Id                   *TypeInputPhoto `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredInputChatPhoto) Descriptor

func (*PredInputChatPhoto) Descriptor() ([]byte, []int)

func (*PredInputChatPhoto) GetId

func (m *PredInputChatPhoto) GetId() *TypeInputPhoto

func (*PredInputChatPhoto) ProtoMessage

func (*PredInputChatPhoto) ProtoMessage()

func (*PredInputChatPhoto) Reset

func (m *PredInputChatPhoto) Reset()

func (*PredInputChatPhoto) String

func (m *PredInputChatPhoto) String() string

func (*PredInputChatPhoto) ToType

func (p *PredInputChatPhoto) ToType() TL

func (*PredInputChatPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputChatPhoto) XXX_DiscardUnknown()

func (*PredInputChatPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputChatPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputChatPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputChatPhoto) XXX_Merge(src proto.Message)

func (*PredInputChatPhoto) XXX_Size added in v0.4.1

func (m *PredInputChatPhoto) XXX_Size() int

func (*PredInputChatPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputChatPhoto) XXX_Unmarshal(b []byte) error

type PredInputChatPhotoEmpty

type PredInputChatPhotoEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputChatPhotoEmpty) Descriptor

func (*PredInputChatPhotoEmpty) Descriptor() ([]byte, []int)

func (*PredInputChatPhotoEmpty) ProtoMessage

func (*PredInputChatPhotoEmpty) ProtoMessage()

func (*PredInputChatPhotoEmpty) Reset

func (m *PredInputChatPhotoEmpty) Reset()

func (*PredInputChatPhotoEmpty) String

func (m *PredInputChatPhotoEmpty) String() string

func (*PredInputChatPhotoEmpty) ToType

func (p *PredInputChatPhotoEmpty) ToType() TL

func (*PredInputChatPhotoEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputChatPhotoEmpty) XXX_DiscardUnknown()

func (*PredInputChatPhotoEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputChatPhotoEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputChatPhotoEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputChatPhotoEmpty) XXX_Merge(src proto.Message)

func (*PredInputChatPhotoEmpty) XXX_Size added in v0.4.1

func (m *PredInputChatPhotoEmpty) XXX_Size() int

func (*PredInputChatPhotoEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputChatPhotoEmpty) XXX_Unmarshal(b []byte) error

type PredInputChatUploadedPhoto

type PredInputChatUploadedPhoto struct {
	// default: InputFile
	File                 *TypeInputFile `protobuf:"bytes,1,opt,name=File" json:"File,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredInputChatUploadedPhoto) Descriptor

func (*PredInputChatUploadedPhoto) Descriptor() ([]byte, []int)

func (*PredInputChatUploadedPhoto) GetFile

func (*PredInputChatUploadedPhoto) ProtoMessage

func (*PredInputChatUploadedPhoto) ProtoMessage()

func (*PredInputChatUploadedPhoto) Reset

func (m *PredInputChatUploadedPhoto) Reset()

func (*PredInputChatUploadedPhoto) String

func (m *PredInputChatUploadedPhoto) String() string

func (*PredInputChatUploadedPhoto) ToType

func (p *PredInputChatUploadedPhoto) ToType() TL

func (*PredInputChatUploadedPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputChatUploadedPhoto) XXX_DiscardUnknown()

func (*PredInputChatUploadedPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputChatUploadedPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputChatUploadedPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputChatUploadedPhoto) XXX_Merge(src proto.Message)

func (*PredInputChatUploadedPhoto) XXX_Size added in v0.4.1

func (m *PredInputChatUploadedPhoto) XXX_Size() int

func (*PredInputChatUploadedPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputChatUploadedPhoto) XXX_Unmarshal(b []byte) error

type PredInputDocument

type PredInputDocument struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputDocument) Descriptor

func (*PredInputDocument) Descriptor() ([]byte, []int)

func (*PredInputDocument) GetAccessHash

func (m *PredInputDocument) GetAccessHash() int64

func (*PredInputDocument) GetId

func (m *PredInputDocument) GetId() int64

func (*PredInputDocument) ProtoMessage

func (*PredInputDocument) ProtoMessage()

func (*PredInputDocument) Reset

func (m *PredInputDocument) Reset()

func (*PredInputDocument) String

func (m *PredInputDocument) String() string

func (*PredInputDocument) ToType

func (p *PredInputDocument) ToType() TL

func (*PredInputDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputDocument) XXX_DiscardUnknown()

func (*PredInputDocument) XXX_Marshal added in v0.4.1

func (m *PredInputDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputDocument) XXX_Merge added in v0.4.1

func (dst *PredInputDocument) XXX_Merge(src proto.Message)

func (*PredInputDocument) XXX_Size added in v0.4.1

func (m *PredInputDocument) XXX_Size() int

func (*PredInputDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputDocument) XXX_Unmarshal(b []byte) error

type PredInputDocumentEmpty

type PredInputDocumentEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputDocumentEmpty) Descriptor

func (*PredInputDocumentEmpty) Descriptor() ([]byte, []int)

func (*PredInputDocumentEmpty) ProtoMessage

func (*PredInputDocumentEmpty) ProtoMessage()

func (*PredInputDocumentEmpty) Reset

func (m *PredInputDocumentEmpty) Reset()

func (*PredInputDocumentEmpty) String

func (m *PredInputDocumentEmpty) String() string

func (*PredInputDocumentEmpty) ToType

func (p *PredInputDocumentEmpty) ToType() TL

func (*PredInputDocumentEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputDocumentEmpty) XXX_DiscardUnknown()

func (*PredInputDocumentEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputDocumentEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputDocumentEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputDocumentEmpty) XXX_Merge(src proto.Message)

func (*PredInputDocumentEmpty) XXX_Size added in v0.4.1

func (m *PredInputDocumentEmpty) XXX_Size() int

func (*PredInputDocumentEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputDocumentEmpty) XXX_Unmarshal(b []byte) error

type PredInputDocumentFileLocation

type PredInputDocumentFileLocation struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Version              int32    `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputDocumentFileLocation) Descriptor

func (*PredInputDocumentFileLocation) Descriptor() ([]byte, []int)

func (*PredInputDocumentFileLocation) GetAccessHash

func (m *PredInputDocumentFileLocation) GetAccessHash() int64

func (*PredInputDocumentFileLocation) GetId

func (*PredInputDocumentFileLocation) GetVersion

func (m *PredInputDocumentFileLocation) GetVersion() int32

func (*PredInputDocumentFileLocation) ProtoMessage

func (*PredInputDocumentFileLocation) ProtoMessage()

func (*PredInputDocumentFileLocation) Reset

func (m *PredInputDocumentFileLocation) Reset()

func (*PredInputDocumentFileLocation) String

func (*PredInputDocumentFileLocation) ToType

func (p *PredInputDocumentFileLocation) ToType() TL

func (*PredInputDocumentFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputDocumentFileLocation) XXX_DiscardUnknown()

func (*PredInputDocumentFileLocation) XXX_Marshal added in v0.4.1

func (m *PredInputDocumentFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputDocumentFileLocation) XXX_Merge added in v0.4.1

func (dst *PredInputDocumentFileLocation) XXX_Merge(src proto.Message)

func (*PredInputDocumentFileLocation) XXX_Size added in v0.4.1

func (m *PredInputDocumentFileLocation) XXX_Size() int

func (*PredInputDocumentFileLocation) XXX_Unmarshal added in v0.4.1

func (m *PredInputDocumentFileLocation) XXX_Unmarshal(b []byte) error

type PredInputEncryptedChat

type PredInputEncryptedChat struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedChat) Descriptor

func (*PredInputEncryptedChat) Descriptor() ([]byte, []int)

func (*PredInputEncryptedChat) GetAccessHash

func (m *PredInputEncryptedChat) GetAccessHash() int64

func (*PredInputEncryptedChat) GetChatId

func (m *PredInputEncryptedChat) GetChatId() int32

func (*PredInputEncryptedChat) ProtoMessage

func (*PredInputEncryptedChat) ProtoMessage()

func (*PredInputEncryptedChat) Reset

func (m *PredInputEncryptedChat) Reset()

func (*PredInputEncryptedChat) String

func (m *PredInputEncryptedChat) String() string

func (*PredInputEncryptedChat) ToType

func (p *PredInputEncryptedChat) ToType() TL

func (*PredInputEncryptedChat) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedChat) XXX_DiscardUnknown()

func (*PredInputEncryptedChat) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedChat) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedChat) XXX_Merge(src proto.Message)

func (*PredInputEncryptedChat) XXX_Size added in v0.4.1

func (m *PredInputEncryptedChat) XXX_Size() int

func (*PredInputEncryptedChat) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedChat) XXX_Unmarshal(b []byte) error

type PredInputEncryptedFile

type PredInputEncryptedFile struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedFile) Descriptor

func (*PredInputEncryptedFile) Descriptor() ([]byte, []int)

func (*PredInputEncryptedFile) GetAccessHash

func (m *PredInputEncryptedFile) GetAccessHash() int64

func (*PredInputEncryptedFile) GetId

func (m *PredInputEncryptedFile) GetId() int64

func (*PredInputEncryptedFile) ProtoMessage

func (*PredInputEncryptedFile) ProtoMessage()

func (*PredInputEncryptedFile) Reset

func (m *PredInputEncryptedFile) Reset()

func (*PredInputEncryptedFile) String

func (m *PredInputEncryptedFile) String() string

func (*PredInputEncryptedFile) ToType

func (p *PredInputEncryptedFile) ToType() TL

func (*PredInputEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedFile) XXX_DiscardUnknown()

func (*PredInputEncryptedFile) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedFile) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedFile) XXX_Merge(src proto.Message)

func (*PredInputEncryptedFile) XXX_Size added in v0.4.1

func (m *PredInputEncryptedFile) XXX_Size() int

func (*PredInputEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedFile) XXX_Unmarshal(b []byte) error

type PredInputEncryptedFileBigUploaded

type PredInputEncryptedFileBigUploaded struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Parts                int32    `protobuf:"varint,2,opt,name=Parts" json:"Parts,omitempty"`
	KeyFingerprint       int32    `protobuf:"varint,3,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedFileBigUploaded) Descriptor

func (*PredInputEncryptedFileBigUploaded) Descriptor() ([]byte, []int)

func (*PredInputEncryptedFileBigUploaded) GetId

func (*PredInputEncryptedFileBigUploaded) GetKeyFingerprint

func (m *PredInputEncryptedFileBigUploaded) GetKeyFingerprint() int32

func (*PredInputEncryptedFileBigUploaded) GetParts

func (*PredInputEncryptedFileBigUploaded) ProtoMessage

func (*PredInputEncryptedFileBigUploaded) ProtoMessage()

func (*PredInputEncryptedFileBigUploaded) Reset

func (*PredInputEncryptedFileBigUploaded) String

func (*PredInputEncryptedFileBigUploaded) ToType

func (*PredInputEncryptedFileBigUploaded) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedFileBigUploaded) XXX_DiscardUnknown()

func (*PredInputEncryptedFileBigUploaded) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedFileBigUploaded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedFileBigUploaded) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedFileBigUploaded) XXX_Merge(src proto.Message)

func (*PredInputEncryptedFileBigUploaded) XXX_Size added in v0.4.1

func (m *PredInputEncryptedFileBigUploaded) XXX_Size() int

func (*PredInputEncryptedFileBigUploaded) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedFileBigUploaded) XXX_Unmarshal(b []byte) error

type PredInputEncryptedFileEmpty

type PredInputEncryptedFileEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedFileEmpty) Descriptor

func (*PredInputEncryptedFileEmpty) Descriptor() ([]byte, []int)

func (*PredInputEncryptedFileEmpty) ProtoMessage

func (*PredInputEncryptedFileEmpty) ProtoMessage()

func (*PredInputEncryptedFileEmpty) Reset

func (m *PredInputEncryptedFileEmpty) Reset()

func (*PredInputEncryptedFileEmpty) String

func (m *PredInputEncryptedFileEmpty) String() string

func (*PredInputEncryptedFileEmpty) ToType

func (p *PredInputEncryptedFileEmpty) ToType() TL

func (*PredInputEncryptedFileEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedFileEmpty) XXX_DiscardUnknown()

func (*PredInputEncryptedFileEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedFileEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedFileEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedFileEmpty) XXX_Merge(src proto.Message)

func (*PredInputEncryptedFileEmpty) XXX_Size added in v0.4.1

func (m *PredInputEncryptedFileEmpty) XXX_Size() int

func (*PredInputEncryptedFileEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedFileEmpty) XXX_Unmarshal(b []byte) error

type PredInputEncryptedFileLocation

type PredInputEncryptedFileLocation struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedFileLocation) Descriptor

func (*PredInputEncryptedFileLocation) Descriptor() ([]byte, []int)

func (*PredInputEncryptedFileLocation) GetAccessHash

func (m *PredInputEncryptedFileLocation) GetAccessHash() int64

func (*PredInputEncryptedFileLocation) GetId

func (*PredInputEncryptedFileLocation) ProtoMessage

func (*PredInputEncryptedFileLocation) ProtoMessage()

func (*PredInputEncryptedFileLocation) Reset

func (m *PredInputEncryptedFileLocation) Reset()

func (*PredInputEncryptedFileLocation) String

func (*PredInputEncryptedFileLocation) ToType

func (p *PredInputEncryptedFileLocation) ToType() TL

func (*PredInputEncryptedFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedFileLocation) XXX_DiscardUnknown()

func (*PredInputEncryptedFileLocation) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedFileLocation) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedFileLocation) XXX_Merge(src proto.Message)

func (*PredInputEncryptedFileLocation) XXX_Size added in v0.4.1

func (m *PredInputEncryptedFileLocation) XXX_Size() int

func (*PredInputEncryptedFileLocation) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedFileLocation) XXX_Unmarshal(b []byte) error

type PredInputEncryptedFileUploaded

type PredInputEncryptedFileUploaded struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Parts                int32    `protobuf:"varint,2,opt,name=Parts" json:"Parts,omitempty"`
	Md5Checksum          string   `protobuf:"bytes,3,opt,name=Md5Checksum" json:"Md5Checksum,omitempty"`
	KeyFingerprint       int32    `protobuf:"varint,4,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputEncryptedFileUploaded) Descriptor

func (*PredInputEncryptedFileUploaded) Descriptor() ([]byte, []int)

func (*PredInputEncryptedFileUploaded) GetId

func (*PredInputEncryptedFileUploaded) GetKeyFingerprint

func (m *PredInputEncryptedFileUploaded) GetKeyFingerprint() int32

func (*PredInputEncryptedFileUploaded) GetMd5Checksum

func (m *PredInputEncryptedFileUploaded) GetMd5Checksum() string

func (*PredInputEncryptedFileUploaded) GetParts

func (m *PredInputEncryptedFileUploaded) GetParts() int32

func (*PredInputEncryptedFileUploaded) ProtoMessage

func (*PredInputEncryptedFileUploaded) ProtoMessage()

func (*PredInputEncryptedFileUploaded) Reset

func (m *PredInputEncryptedFileUploaded) Reset()

func (*PredInputEncryptedFileUploaded) String

func (*PredInputEncryptedFileUploaded) ToType

func (p *PredInputEncryptedFileUploaded) ToType() TL

func (*PredInputEncryptedFileUploaded) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputEncryptedFileUploaded) XXX_DiscardUnknown()

func (*PredInputEncryptedFileUploaded) XXX_Marshal added in v0.4.1

func (m *PredInputEncryptedFileUploaded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputEncryptedFileUploaded) XXX_Merge added in v0.4.1

func (dst *PredInputEncryptedFileUploaded) XXX_Merge(src proto.Message)

func (*PredInputEncryptedFileUploaded) XXX_Size added in v0.4.1

func (m *PredInputEncryptedFileUploaded) XXX_Size() int

func (*PredInputEncryptedFileUploaded) XXX_Unmarshal added in v0.4.1

func (m *PredInputEncryptedFileUploaded) XXX_Unmarshal(b []byte) error

type PredInputFile

type PredInputFile struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Parts                int32    `protobuf:"varint,2,opt,name=Parts" json:"Parts,omitempty"`
	Name                 string   `protobuf:"bytes,3,opt,name=Name" json:"Name,omitempty"`
	Md5Checksum          string   `protobuf:"bytes,4,opt,name=Md5Checksum" json:"Md5Checksum,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputFile) Descriptor

func (*PredInputFile) Descriptor() ([]byte, []int)

func (*PredInputFile) GetId

func (m *PredInputFile) GetId() int64

func (*PredInputFile) GetMd5Checksum

func (m *PredInputFile) GetMd5Checksum() string

func (*PredInputFile) GetName

func (m *PredInputFile) GetName() string

func (*PredInputFile) GetParts

func (m *PredInputFile) GetParts() int32

func (*PredInputFile) ProtoMessage

func (*PredInputFile) ProtoMessage()

func (*PredInputFile) Reset

func (m *PredInputFile) Reset()

func (*PredInputFile) String

func (m *PredInputFile) String() string

func (*PredInputFile) ToType

func (p *PredInputFile) ToType() TL

func (*PredInputFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputFile) XXX_DiscardUnknown()

func (*PredInputFile) XXX_Marshal added in v0.4.1

func (m *PredInputFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputFile) XXX_Merge added in v0.4.1

func (dst *PredInputFile) XXX_Merge(src proto.Message)

func (*PredInputFile) XXX_Size added in v0.4.1

func (m *PredInputFile) XXX_Size() int

func (*PredInputFile) XXX_Unmarshal added in v0.4.1

func (m *PredInputFile) XXX_Unmarshal(b []byte) error

type PredInputFileBig

type PredInputFileBig struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Parts                int32    `protobuf:"varint,2,opt,name=Parts" json:"Parts,omitempty"`
	Name                 string   `protobuf:"bytes,3,opt,name=Name" json:"Name,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputFileBig) Descriptor

func (*PredInputFileBig) Descriptor() ([]byte, []int)

func (*PredInputFileBig) GetId

func (m *PredInputFileBig) GetId() int64

func (*PredInputFileBig) GetName

func (m *PredInputFileBig) GetName() string

func (*PredInputFileBig) GetParts

func (m *PredInputFileBig) GetParts() int32

func (*PredInputFileBig) ProtoMessage

func (*PredInputFileBig) ProtoMessage()

func (*PredInputFileBig) Reset

func (m *PredInputFileBig) Reset()

func (*PredInputFileBig) String

func (m *PredInputFileBig) String() string

func (*PredInputFileBig) ToType

func (p *PredInputFileBig) ToType() TL

func (*PredInputFileBig) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputFileBig) XXX_DiscardUnknown()

func (*PredInputFileBig) XXX_Marshal added in v0.4.1

func (m *PredInputFileBig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputFileBig) XXX_Merge added in v0.4.1

func (dst *PredInputFileBig) XXX_Merge(src proto.Message)

func (*PredInputFileBig) XXX_Size added in v0.4.1

func (m *PredInputFileBig) XXX_Size() int

func (*PredInputFileBig) XXX_Unmarshal added in v0.4.1

func (m *PredInputFileBig) XXX_Unmarshal(b []byte) error

type PredInputFileLocation

type PredInputFileLocation struct {
	VolumeId             int64    `protobuf:"varint,1,opt,name=VolumeId" json:"VolumeId,omitempty"`
	LocalId              int32    `protobuf:"varint,2,opt,name=LocalId" json:"LocalId,omitempty"`
	Secret               int64    `protobuf:"varint,3,opt,name=Secret" json:"Secret,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputFileLocation) Descriptor

func (*PredInputFileLocation) Descriptor() ([]byte, []int)

func (*PredInputFileLocation) GetLocalId

func (m *PredInputFileLocation) GetLocalId() int32

func (*PredInputFileLocation) GetSecret

func (m *PredInputFileLocation) GetSecret() int64

func (*PredInputFileLocation) GetVolumeId

func (m *PredInputFileLocation) GetVolumeId() int64

func (*PredInputFileLocation) ProtoMessage

func (*PredInputFileLocation) ProtoMessage()

func (*PredInputFileLocation) Reset

func (m *PredInputFileLocation) Reset()

func (*PredInputFileLocation) String

func (m *PredInputFileLocation) String() string

func (*PredInputFileLocation) ToType

func (p *PredInputFileLocation) ToType() TL

func (*PredInputFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputFileLocation) XXX_DiscardUnknown()

func (*PredInputFileLocation) XXX_Marshal added in v0.4.1

func (m *PredInputFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputFileLocation) XXX_Merge added in v0.4.1

func (dst *PredInputFileLocation) XXX_Merge(src proto.Message)

func (*PredInputFileLocation) XXX_Size added in v0.4.1

func (m *PredInputFileLocation) XXX_Size() int

func (*PredInputFileLocation) XXX_Unmarshal added in v0.4.1

func (m *PredInputFileLocation) XXX_Unmarshal(b []byte) error

type PredInputGameID

type PredInputGameID struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputGameID) Descriptor

func (*PredInputGameID) Descriptor() ([]byte, []int)

func (*PredInputGameID) GetAccessHash

func (m *PredInputGameID) GetAccessHash() int64

func (*PredInputGameID) GetId

func (m *PredInputGameID) GetId() int64

func (*PredInputGameID) ProtoMessage

func (*PredInputGameID) ProtoMessage()

func (*PredInputGameID) Reset

func (m *PredInputGameID) Reset()

func (*PredInputGameID) String

func (m *PredInputGameID) String() string

func (*PredInputGameID) ToType

func (p *PredInputGameID) ToType() TL

func (*PredInputGameID) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputGameID) XXX_DiscardUnknown()

func (*PredInputGameID) XXX_Marshal added in v0.4.1

func (m *PredInputGameID) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputGameID) XXX_Merge added in v0.4.1

func (dst *PredInputGameID) XXX_Merge(src proto.Message)

func (*PredInputGameID) XXX_Size added in v0.4.1

func (m *PredInputGameID) XXX_Size() int

func (*PredInputGameID) XXX_Unmarshal added in v0.4.1

func (m *PredInputGameID) XXX_Unmarshal(b []byte) error

type PredInputGameShortName

type PredInputGameShortName struct {
	// default: InputUser
	BotId                *TypeInputUser `protobuf:"bytes,1,opt,name=BotId" json:"BotId,omitempty"`
	ShortName            string         `protobuf:"bytes,2,opt,name=ShortName" json:"ShortName,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredInputGameShortName) Descriptor

func (*PredInputGameShortName) Descriptor() ([]byte, []int)

func (*PredInputGameShortName) GetBotId

func (m *PredInputGameShortName) GetBotId() *TypeInputUser

func (*PredInputGameShortName) GetShortName

func (m *PredInputGameShortName) GetShortName() string

func (*PredInputGameShortName) ProtoMessage

func (*PredInputGameShortName) ProtoMessage()

func (*PredInputGameShortName) Reset

func (m *PredInputGameShortName) Reset()

func (*PredInputGameShortName) String

func (m *PredInputGameShortName) String() string

func (*PredInputGameShortName) ToType

func (p *PredInputGameShortName) ToType() TL

func (*PredInputGameShortName) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputGameShortName) XXX_DiscardUnknown()

func (*PredInputGameShortName) XXX_Marshal added in v0.4.1

func (m *PredInputGameShortName) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputGameShortName) XXX_Merge added in v0.4.1

func (dst *PredInputGameShortName) XXX_Merge(src proto.Message)

func (*PredInputGameShortName) XXX_Size added in v0.4.1

func (m *PredInputGameShortName) XXX_Size() int

func (*PredInputGameShortName) XXX_Unmarshal added in v0.4.1

func (m *PredInputGameShortName) XXX_Unmarshal(b []byte) error

type PredInputGeoPoint

type PredInputGeoPoint struct {
	Lat                  float64  `protobuf:"fixed64,1,opt,name=Lat" json:"Lat,omitempty"`
	Long                 float64  `protobuf:"fixed64,2,opt,name=Long" json:"Long,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputGeoPoint) Descriptor

func (*PredInputGeoPoint) Descriptor() ([]byte, []int)

func (*PredInputGeoPoint) GetLat

func (m *PredInputGeoPoint) GetLat() float64

func (*PredInputGeoPoint) GetLong

func (m *PredInputGeoPoint) GetLong() float64

func (*PredInputGeoPoint) ProtoMessage

func (*PredInputGeoPoint) ProtoMessage()

func (*PredInputGeoPoint) Reset

func (m *PredInputGeoPoint) Reset()

func (*PredInputGeoPoint) String

func (m *PredInputGeoPoint) String() string

func (*PredInputGeoPoint) ToType

func (p *PredInputGeoPoint) ToType() TL

func (*PredInputGeoPoint) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputGeoPoint) XXX_DiscardUnknown()

func (*PredInputGeoPoint) XXX_Marshal added in v0.4.1

func (m *PredInputGeoPoint) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputGeoPoint) XXX_Merge added in v0.4.1

func (dst *PredInputGeoPoint) XXX_Merge(src proto.Message)

func (*PredInputGeoPoint) XXX_Size added in v0.4.1

func (m *PredInputGeoPoint) XXX_Size() int

func (*PredInputGeoPoint) XXX_Unmarshal added in v0.4.1

func (m *PredInputGeoPoint) XXX_Unmarshal(b []byte) error

type PredInputGeoPointEmpty

type PredInputGeoPointEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputGeoPointEmpty) Descriptor

func (*PredInputGeoPointEmpty) Descriptor() ([]byte, []int)

func (*PredInputGeoPointEmpty) ProtoMessage

func (*PredInputGeoPointEmpty) ProtoMessage()

func (*PredInputGeoPointEmpty) Reset

func (m *PredInputGeoPointEmpty) Reset()

func (*PredInputGeoPointEmpty) String

func (m *PredInputGeoPointEmpty) String() string

func (*PredInputGeoPointEmpty) ToType

func (p *PredInputGeoPointEmpty) ToType() TL

func (*PredInputGeoPointEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputGeoPointEmpty) XXX_DiscardUnknown()

func (*PredInputGeoPointEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputGeoPointEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputGeoPointEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputGeoPointEmpty) XXX_Merge(src proto.Message)

func (*PredInputGeoPointEmpty) XXX_Size added in v0.4.1

func (m *PredInputGeoPointEmpty) XXX_Size() int

func (*PredInputGeoPointEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputGeoPointEmpty) XXX_Unmarshal(b []byte) error

type PredInputMediaContact

type PredInputMediaContact struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	FirstName            string   `protobuf:"bytes,2,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,3,opt,name=LastName" json:"LastName,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMediaContact) Descriptor

func (*PredInputMediaContact) Descriptor() ([]byte, []int)

func (*PredInputMediaContact) GetFirstName

func (m *PredInputMediaContact) GetFirstName() string

func (*PredInputMediaContact) GetLastName

func (m *PredInputMediaContact) GetLastName() string

func (*PredInputMediaContact) GetPhoneNumber

func (m *PredInputMediaContact) GetPhoneNumber() string

func (*PredInputMediaContact) ProtoMessage

func (*PredInputMediaContact) ProtoMessage()

func (*PredInputMediaContact) Reset

func (m *PredInputMediaContact) Reset()

func (*PredInputMediaContact) String

func (m *PredInputMediaContact) String() string

func (*PredInputMediaContact) ToType

func (p *PredInputMediaContact) ToType() TL

func (*PredInputMediaContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaContact) XXX_DiscardUnknown()

func (*PredInputMediaContact) XXX_Marshal added in v0.4.1

func (m *PredInputMediaContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaContact) XXX_Merge added in v0.4.1

func (dst *PredInputMediaContact) XXX_Merge(src proto.Message)

func (*PredInputMediaContact) XXX_Size added in v0.4.1

func (m *PredInputMediaContact) XXX_Size() int

func (*PredInputMediaContact) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaContact) XXX_Unmarshal(b []byte) error

type PredInputMediaDocument

type PredInputMediaDocument struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputDocument
	Id                   *TypeInputDocument `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Caption              string             `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32              `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredInputMediaDocument) Descriptor

func (*PredInputMediaDocument) Descriptor() ([]byte, []int)

func (*PredInputMediaDocument) GetCaption

func (m *PredInputMediaDocument) GetCaption() string

func (*PredInputMediaDocument) GetFlags

func (m *PredInputMediaDocument) GetFlags() int32

func (*PredInputMediaDocument) GetId

func (*PredInputMediaDocument) GetTtlSeconds

func (m *PredInputMediaDocument) GetTtlSeconds() int32

func (*PredInputMediaDocument) ProtoMessage

func (*PredInputMediaDocument) ProtoMessage()

func (*PredInputMediaDocument) Reset

func (m *PredInputMediaDocument) Reset()

func (*PredInputMediaDocument) String

func (m *PredInputMediaDocument) String() string

func (*PredInputMediaDocument) ToType

func (p *PredInputMediaDocument) ToType() TL

func (*PredInputMediaDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaDocument) XXX_DiscardUnknown()

func (*PredInputMediaDocument) XXX_Marshal added in v0.4.1

func (m *PredInputMediaDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaDocument) XXX_Merge added in v0.4.1

func (dst *PredInputMediaDocument) XXX_Merge(src proto.Message)

func (*PredInputMediaDocument) XXX_Size added in v0.4.1

func (m *PredInputMediaDocument) XXX_Size() int

func (*PredInputMediaDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaDocument) XXX_Unmarshal(b []byte) error

type PredInputMediaDocumentExternal

type PredInputMediaDocumentExternal struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Url                  string   `protobuf:"bytes,2,opt,name=Url" json:"Url,omitempty"`
	Caption              string   `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32    `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMediaDocumentExternal) Descriptor

func (*PredInputMediaDocumentExternal) Descriptor() ([]byte, []int)

func (*PredInputMediaDocumentExternal) GetCaption

func (m *PredInputMediaDocumentExternal) GetCaption() string

func (*PredInputMediaDocumentExternal) GetFlags

func (m *PredInputMediaDocumentExternal) GetFlags() int32

func (*PredInputMediaDocumentExternal) GetTtlSeconds

func (m *PredInputMediaDocumentExternal) GetTtlSeconds() int32

func (*PredInputMediaDocumentExternal) GetUrl

func (*PredInputMediaDocumentExternal) ProtoMessage

func (*PredInputMediaDocumentExternal) ProtoMessage()

func (*PredInputMediaDocumentExternal) Reset

func (m *PredInputMediaDocumentExternal) Reset()

func (*PredInputMediaDocumentExternal) String

func (*PredInputMediaDocumentExternal) ToType

func (p *PredInputMediaDocumentExternal) ToType() TL

func (*PredInputMediaDocumentExternal) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaDocumentExternal) XXX_DiscardUnknown()

func (*PredInputMediaDocumentExternal) XXX_Marshal added in v0.4.1

func (m *PredInputMediaDocumentExternal) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaDocumentExternal) XXX_Merge added in v0.4.1

func (dst *PredInputMediaDocumentExternal) XXX_Merge(src proto.Message)

func (*PredInputMediaDocumentExternal) XXX_Size added in v0.4.1

func (m *PredInputMediaDocumentExternal) XXX_Size() int

func (*PredInputMediaDocumentExternal) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaDocumentExternal) XXX_Unmarshal(b []byte) error

type PredInputMediaEmpty

type PredInputMediaEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMediaEmpty) Descriptor

func (*PredInputMediaEmpty) Descriptor() ([]byte, []int)

func (*PredInputMediaEmpty) ProtoMessage

func (*PredInputMediaEmpty) ProtoMessage()

func (*PredInputMediaEmpty) Reset

func (m *PredInputMediaEmpty) Reset()

func (*PredInputMediaEmpty) String

func (m *PredInputMediaEmpty) String() string

func (*PredInputMediaEmpty) ToType

func (p *PredInputMediaEmpty) ToType() TL

func (*PredInputMediaEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaEmpty) XXX_DiscardUnknown()

func (*PredInputMediaEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputMediaEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputMediaEmpty) XXX_Merge(src proto.Message)

func (*PredInputMediaEmpty) XXX_Size added in v0.4.1

func (m *PredInputMediaEmpty) XXX_Size() int

func (*PredInputMediaEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaEmpty) XXX_Unmarshal(b []byte) error

type PredInputMediaGame

type PredInputMediaGame struct {
	// default: InputGame
	Id                   *TypeInputGame `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredInputMediaGame) Descriptor

func (*PredInputMediaGame) Descriptor() ([]byte, []int)

func (*PredInputMediaGame) GetId

func (m *PredInputMediaGame) GetId() *TypeInputGame

func (*PredInputMediaGame) ProtoMessage

func (*PredInputMediaGame) ProtoMessage()

func (*PredInputMediaGame) Reset

func (m *PredInputMediaGame) Reset()

func (*PredInputMediaGame) String

func (m *PredInputMediaGame) String() string

func (*PredInputMediaGame) ToType

func (p *PredInputMediaGame) ToType() TL

func (*PredInputMediaGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaGame) XXX_DiscardUnknown()

func (*PredInputMediaGame) XXX_Marshal added in v0.4.1

func (m *PredInputMediaGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaGame) XXX_Merge added in v0.4.1

func (dst *PredInputMediaGame) XXX_Merge(src proto.Message)

func (*PredInputMediaGame) XXX_Size added in v0.4.1

func (m *PredInputMediaGame) XXX_Size() int

func (*PredInputMediaGame) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaGame) XXX_Unmarshal(b []byte) error

type PredInputMediaGeoPoint

type PredInputMediaGeoPoint struct {
	// default: InputGeoPoint
	GeoPoint             *TypeInputGeoPoint `protobuf:"bytes,1,opt,name=GeoPoint" json:"GeoPoint,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredInputMediaGeoPoint) Descriptor

func (*PredInputMediaGeoPoint) Descriptor() ([]byte, []int)

func (*PredInputMediaGeoPoint) GetGeoPoint

func (m *PredInputMediaGeoPoint) GetGeoPoint() *TypeInputGeoPoint

func (*PredInputMediaGeoPoint) ProtoMessage

func (*PredInputMediaGeoPoint) ProtoMessage()

func (*PredInputMediaGeoPoint) Reset

func (m *PredInputMediaGeoPoint) Reset()

func (*PredInputMediaGeoPoint) String

func (m *PredInputMediaGeoPoint) String() string

func (*PredInputMediaGeoPoint) ToType

func (p *PredInputMediaGeoPoint) ToType() TL

func (*PredInputMediaGeoPoint) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaGeoPoint) XXX_DiscardUnknown()

func (*PredInputMediaGeoPoint) XXX_Marshal added in v0.4.1

func (m *PredInputMediaGeoPoint) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaGeoPoint) XXX_Merge added in v0.4.1

func (dst *PredInputMediaGeoPoint) XXX_Merge(src proto.Message)

func (*PredInputMediaGeoPoint) XXX_Size added in v0.4.1

func (m *PredInputMediaGeoPoint) XXX_Size() int

func (*PredInputMediaGeoPoint) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaGeoPoint) XXX_Unmarshal(b []byte) error

type PredInputMediaGifExternal

type PredInputMediaGifExternal struct {
	Url                  string   `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	Q                    string   `protobuf:"bytes,2,opt,name=Q" json:"Q,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMediaGifExternal) Descriptor

func (*PredInputMediaGifExternal) Descriptor() ([]byte, []int)

func (*PredInputMediaGifExternal) GetQ

func (*PredInputMediaGifExternal) GetUrl

func (m *PredInputMediaGifExternal) GetUrl() string

func (*PredInputMediaGifExternal) ProtoMessage

func (*PredInputMediaGifExternal) ProtoMessage()

func (*PredInputMediaGifExternal) Reset

func (m *PredInputMediaGifExternal) Reset()

func (*PredInputMediaGifExternal) String

func (m *PredInputMediaGifExternal) String() string

func (*PredInputMediaGifExternal) ToType

func (p *PredInputMediaGifExternal) ToType() TL

func (*PredInputMediaGifExternal) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaGifExternal) XXX_DiscardUnknown()

func (*PredInputMediaGifExternal) XXX_Marshal added in v0.4.1

func (m *PredInputMediaGifExternal) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaGifExternal) XXX_Merge added in v0.4.1

func (dst *PredInputMediaGifExternal) XXX_Merge(src proto.Message)

func (*PredInputMediaGifExternal) XXX_Size added in v0.4.1

func (m *PredInputMediaGifExternal) XXX_Size() int

func (*PredInputMediaGifExternal) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaGifExternal) XXX_Unmarshal(b []byte) error

type PredInputMediaInvoice

type PredInputMediaInvoice struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Title       string `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,3,opt,name=Description" json:"Description,omitempty"`
	// default: InputWebDocument
	Photo *TypeInputWebDocument `protobuf:"bytes,4,opt,name=Photo" json:"Photo,omitempty"`
	// default: Invoice
	Invoice              *TypeInvoice `protobuf:"bytes,5,opt,name=Invoice" json:"Invoice,omitempty"`
	Payload              []byte       `protobuf:"bytes,6,opt,name=Payload,proto3" json:"Payload,omitempty"`
	Provider             string       `protobuf:"bytes,7,opt,name=Provider" json:"Provider,omitempty"`
	StartParam           string       `protobuf:"bytes,8,opt,name=StartParam" json:"StartParam,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredInputMediaInvoice) Descriptor

func (*PredInputMediaInvoice) Descriptor() ([]byte, []int)

func (*PredInputMediaInvoice) GetDescription

func (m *PredInputMediaInvoice) GetDescription() string

func (*PredInputMediaInvoice) GetFlags

func (m *PredInputMediaInvoice) GetFlags() int32

func (*PredInputMediaInvoice) GetInvoice

func (m *PredInputMediaInvoice) GetInvoice() *TypeInvoice

func (*PredInputMediaInvoice) GetPayload

func (m *PredInputMediaInvoice) GetPayload() []byte

func (*PredInputMediaInvoice) GetPhoto

func (*PredInputMediaInvoice) GetProvider

func (m *PredInputMediaInvoice) GetProvider() string

func (*PredInputMediaInvoice) GetStartParam

func (m *PredInputMediaInvoice) GetStartParam() string

func (*PredInputMediaInvoice) GetTitle

func (m *PredInputMediaInvoice) GetTitle() string

func (*PredInputMediaInvoice) ProtoMessage

func (*PredInputMediaInvoice) ProtoMessage()

func (*PredInputMediaInvoice) Reset

func (m *PredInputMediaInvoice) Reset()

func (*PredInputMediaInvoice) String

func (m *PredInputMediaInvoice) String() string

func (*PredInputMediaInvoice) ToType

func (p *PredInputMediaInvoice) ToType() TL

func (*PredInputMediaInvoice) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaInvoice) XXX_DiscardUnknown()

func (*PredInputMediaInvoice) XXX_Marshal added in v0.4.1

func (m *PredInputMediaInvoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaInvoice) XXX_Merge added in v0.4.1

func (dst *PredInputMediaInvoice) XXX_Merge(src proto.Message)

func (*PredInputMediaInvoice) XXX_Size added in v0.4.1

func (m *PredInputMediaInvoice) XXX_Size() int

func (*PredInputMediaInvoice) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaInvoice) XXX_Unmarshal(b []byte) error

type PredInputMediaPhoto

type PredInputMediaPhoto struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputPhoto
	Id                   *TypeInputPhoto `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	Caption              string          `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32           `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredInputMediaPhoto) Descriptor

func (*PredInputMediaPhoto) Descriptor() ([]byte, []int)

func (*PredInputMediaPhoto) GetCaption

func (m *PredInputMediaPhoto) GetCaption() string

func (*PredInputMediaPhoto) GetFlags

func (m *PredInputMediaPhoto) GetFlags() int32

func (*PredInputMediaPhoto) GetId

func (m *PredInputMediaPhoto) GetId() *TypeInputPhoto

func (*PredInputMediaPhoto) GetTtlSeconds

func (m *PredInputMediaPhoto) GetTtlSeconds() int32

func (*PredInputMediaPhoto) ProtoMessage

func (*PredInputMediaPhoto) ProtoMessage()

func (*PredInputMediaPhoto) Reset

func (m *PredInputMediaPhoto) Reset()

func (*PredInputMediaPhoto) String

func (m *PredInputMediaPhoto) String() string

func (*PredInputMediaPhoto) ToType

func (p *PredInputMediaPhoto) ToType() TL

func (*PredInputMediaPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaPhoto) XXX_DiscardUnknown()

func (*PredInputMediaPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputMediaPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputMediaPhoto) XXX_Merge(src proto.Message)

func (*PredInputMediaPhoto) XXX_Size added in v0.4.1

func (m *PredInputMediaPhoto) XXX_Size() int

func (*PredInputMediaPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaPhoto) XXX_Unmarshal(b []byte) error

type PredInputMediaPhotoExternal

type PredInputMediaPhotoExternal struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Url                  string   `protobuf:"bytes,2,opt,name=Url" json:"Url,omitempty"`
	Caption              string   `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32    `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMediaPhotoExternal) Descriptor

func (*PredInputMediaPhotoExternal) Descriptor() ([]byte, []int)

func (*PredInputMediaPhotoExternal) GetCaption

func (m *PredInputMediaPhotoExternal) GetCaption() string

func (*PredInputMediaPhotoExternal) GetFlags

func (m *PredInputMediaPhotoExternal) GetFlags() int32

func (*PredInputMediaPhotoExternal) GetTtlSeconds

func (m *PredInputMediaPhotoExternal) GetTtlSeconds() int32

func (*PredInputMediaPhotoExternal) GetUrl

func (m *PredInputMediaPhotoExternal) GetUrl() string

func (*PredInputMediaPhotoExternal) ProtoMessage

func (*PredInputMediaPhotoExternal) ProtoMessage()

func (*PredInputMediaPhotoExternal) Reset

func (m *PredInputMediaPhotoExternal) Reset()

func (*PredInputMediaPhotoExternal) String

func (m *PredInputMediaPhotoExternal) String() string

func (*PredInputMediaPhotoExternal) ToType

func (p *PredInputMediaPhotoExternal) ToType() TL

func (*PredInputMediaPhotoExternal) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaPhotoExternal) XXX_DiscardUnknown()

func (*PredInputMediaPhotoExternal) XXX_Marshal added in v0.4.1

func (m *PredInputMediaPhotoExternal) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaPhotoExternal) XXX_Merge added in v0.4.1

func (dst *PredInputMediaPhotoExternal) XXX_Merge(src proto.Message)

func (*PredInputMediaPhotoExternal) XXX_Size added in v0.4.1

func (m *PredInputMediaPhotoExternal) XXX_Size() int

func (*PredInputMediaPhotoExternal) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaPhotoExternal) XXX_Unmarshal(b []byte) error

type PredInputMediaUploadedDocument

type PredInputMediaUploadedDocument struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputFile
	File *TypeInputFile `protobuf:"bytes,2,opt,name=File" json:"File,omitempty"`
	// default: InputFile
	Thumb    *TypeInputFile `protobuf:"bytes,3,opt,name=Thumb" json:"Thumb,omitempty"`
	MimeType string         `protobuf:"bytes,4,opt,name=MimeType" json:"MimeType,omitempty"`
	// default: Vector<DocumentAttribute>
	Attributes []*TypeDocumentAttribute `protobuf:"bytes,5,rep,name=Attributes" json:"Attributes,omitempty"`
	Caption    string                   `protobuf:"bytes,6,opt,name=Caption" json:"Caption,omitempty"`
	// default: Vector<InputDocument>
	Stickers             []*TypeInputDocument `protobuf:"bytes,7,rep,name=Stickers" json:"Stickers,omitempty"`
	TtlSeconds           int32                `protobuf:"varint,8,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredInputMediaUploadedDocument) Descriptor

func (*PredInputMediaUploadedDocument) Descriptor() ([]byte, []int)

func (*PredInputMediaUploadedDocument) GetAttributes

func (*PredInputMediaUploadedDocument) GetCaption

func (m *PredInputMediaUploadedDocument) GetCaption() string

func (*PredInputMediaUploadedDocument) GetFile

func (*PredInputMediaUploadedDocument) GetFlags

func (m *PredInputMediaUploadedDocument) GetFlags() int32

func (*PredInputMediaUploadedDocument) GetMimeType

func (m *PredInputMediaUploadedDocument) GetMimeType() string

func (*PredInputMediaUploadedDocument) GetStickers

func (*PredInputMediaUploadedDocument) GetThumb

func (*PredInputMediaUploadedDocument) GetTtlSeconds

func (m *PredInputMediaUploadedDocument) GetTtlSeconds() int32

func (*PredInputMediaUploadedDocument) ProtoMessage

func (*PredInputMediaUploadedDocument) ProtoMessage()

func (*PredInputMediaUploadedDocument) Reset

func (m *PredInputMediaUploadedDocument) Reset()

func (*PredInputMediaUploadedDocument) String

func (*PredInputMediaUploadedDocument) ToType

func (p *PredInputMediaUploadedDocument) ToType() TL

func (*PredInputMediaUploadedDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaUploadedDocument) XXX_DiscardUnknown()

func (*PredInputMediaUploadedDocument) XXX_Marshal added in v0.4.1

func (m *PredInputMediaUploadedDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaUploadedDocument) XXX_Merge added in v0.4.1

func (dst *PredInputMediaUploadedDocument) XXX_Merge(src proto.Message)

func (*PredInputMediaUploadedDocument) XXX_Size added in v0.4.1

func (m *PredInputMediaUploadedDocument) XXX_Size() int

func (*PredInputMediaUploadedDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaUploadedDocument) XXX_Unmarshal(b []byte) error

type PredInputMediaUploadedPhoto

type PredInputMediaUploadedPhoto struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputFile
	File    *TypeInputFile `protobuf:"bytes,2,opt,name=File" json:"File,omitempty"`
	Caption string         `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	// default: Vector<InputDocument>
	Stickers             []*TypeInputDocument `protobuf:"bytes,4,rep,name=Stickers" json:"Stickers,omitempty"`
	TtlSeconds           int32                `protobuf:"varint,5,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredInputMediaUploadedPhoto) Descriptor

func (*PredInputMediaUploadedPhoto) Descriptor() ([]byte, []int)

func (*PredInputMediaUploadedPhoto) GetCaption

func (m *PredInputMediaUploadedPhoto) GetCaption() string

func (*PredInputMediaUploadedPhoto) GetFile

func (*PredInputMediaUploadedPhoto) GetFlags

func (m *PredInputMediaUploadedPhoto) GetFlags() int32

func (*PredInputMediaUploadedPhoto) GetStickers

func (m *PredInputMediaUploadedPhoto) GetStickers() []*TypeInputDocument

func (*PredInputMediaUploadedPhoto) GetTtlSeconds

func (m *PredInputMediaUploadedPhoto) GetTtlSeconds() int32

func (*PredInputMediaUploadedPhoto) ProtoMessage

func (*PredInputMediaUploadedPhoto) ProtoMessage()

func (*PredInputMediaUploadedPhoto) Reset

func (m *PredInputMediaUploadedPhoto) Reset()

func (*PredInputMediaUploadedPhoto) String

func (m *PredInputMediaUploadedPhoto) String() string

func (*PredInputMediaUploadedPhoto) ToType

func (p *PredInputMediaUploadedPhoto) ToType() TL

func (*PredInputMediaUploadedPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaUploadedPhoto) XXX_DiscardUnknown()

func (*PredInputMediaUploadedPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputMediaUploadedPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaUploadedPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputMediaUploadedPhoto) XXX_Merge(src proto.Message)

func (*PredInputMediaUploadedPhoto) XXX_Size added in v0.4.1

func (m *PredInputMediaUploadedPhoto) XXX_Size() int

func (*PredInputMediaUploadedPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaUploadedPhoto) XXX_Unmarshal(b []byte) error

type PredInputMediaVenue

type PredInputMediaVenue struct {
	// default: InputGeoPoint
	GeoPoint             *TypeInputGeoPoint `protobuf:"bytes,1,opt,name=GeoPoint" json:"GeoPoint,omitempty"`
	Title                string             `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	Address              string             `protobuf:"bytes,3,opt,name=Address" json:"Address,omitempty"`
	Provider             string             `protobuf:"bytes,4,opt,name=Provider" json:"Provider,omitempty"`
	VenueId              string             `protobuf:"bytes,5,opt,name=VenueId" json:"VenueId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredInputMediaVenue) Descriptor

func (*PredInputMediaVenue) Descriptor() ([]byte, []int)

func (*PredInputMediaVenue) GetAddress

func (m *PredInputMediaVenue) GetAddress() string

func (*PredInputMediaVenue) GetGeoPoint

func (m *PredInputMediaVenue) GetGeoPoint() *TypeInputGeoPoint

func (*PredInputMediaVenue) GetProvider

func (m *PredInputMediaVenue) GetProvider() string

func (*PredInputMediaVenue) GetTitle

func (m *PredInputMediaVenue) GetTitle() string

func (*PredInputMediaVenue) GetVenueId

func (m *PredInputMediaVenue) GetVenueId() string

func (*PredInputMediaVenue) ProtoMessage

func (*PredInputMediaVenue) ProtoMessage()

func (*PredInputMediaVenue) Reset

func (m *PredInputMediaVenue) Reset()

func (*PredInputMediaVenue) String

func (m *PredInputMediaVenue) String() string

func (*PredInputMediaVenue) ToType

func (p *PredInputMediaVenue) ToType() TL

func (*PredInputMediaVenue) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMediaVenue) XXX_DiscardUnknown()

func (*PredInputMediaVenue) XXX_Marshal added in v0.4.1

func (m *PredInputMediaVenue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMediaVenue) XXX_Merge added in v0.4.1

func (dst *PredInputMediaVenue) XXX_Merge(src proto.Message)

func (*PredInputMediaVenue) XXX_Size added in v0.4.1

func (m *PredInputMediaVenue) XXX_Size() int

func (*PredInputMediaVenue) XXX_Unmarshal added in v0.4.1

func (m *PredInputMediaVenue) XXX_Unmarshal(b []byte) error

type PredInputMessageEntityMentionName

type PredInputMessageEntityMentionName struct {
	Offset int32 `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length int32 `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,3,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredInputMessageEntityMentionName) Descriptor

func (*PredInputMessageEntityMentionName) Descriptor() ([]byte, []int)

func (*PredInputMessageEntityMentionName) GetLength

func (*PredInputMessageEntityMentionName) GetOffset

func (*PredInputMessageEntityMentionName) GetUserId

func (*PredInputMessageEntityMentionName) ProtoMessage

func (*PredInputMessageEntityMentionName) ProtoMessage()

func (*PredInputMessageEntityMentionName) Reset

func (*PredInputMessageEntityMentionName) String

func (*PredInputMessageEntityMentionName) ToType

func (*PredInputMessageEntityMentionName) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessageEntityMentionName) XXX_DiscardUnknown()

func (*PredInputMessageEntityMentionName) XXX_Marshal added in v0.4.1

func (m *PredInputMessageEntityMentionName) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessageEntityMentionName) XXX_Merge added in v0.4.1

func (dst *PredInputMessageEntityMentionName) XXX_Merge(src proto.Message)

func (*PredInputMessageEntityMentionName) XXX_Size added in v0.4.1

func (m *PredInputMessageEntityMentionName) XXX_Size() int

func (*PredInputMessageEntityMentionName) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessageEntityMentionName) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterChatPhotos

type PredInputMessagesFilterChatPhotos struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterChatPhotos) Descriptor

func (*PredInputMessagesFilterChatPhotos) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterChatPhotos) ProtoMessage

func (*PredInputMessagesFilterChatPhotos) ProtoMessage()

func (*PredInputMessagesFilterChatPhotos) Reset

func (*PredInputMessagesFilterChatPhotos) String

func (*PredInputMessagesFilterChatPhotos) ToType

func (*PredInputMessagesFilterChatPhotos) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterChatPhotos) XXX_DiscardUnknown()

func (*PredInputMessagesFilterChatPhotos) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterChatPhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterChatPhotos) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterChatPhotos) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterChatPhotos) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterChatPhotos) XXX_Size() int

func (*PredInputMessagesFilterChatPhotos) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterChatPhotos) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterDocument

type PredInputMessagesFilterDocument struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterDocument) Descriptor

func (*PredInputMessagesFilterDocument) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterDocument) ProtoMessage

func (*PredInputMessagesFilterDocument) ProtoMessage()

func (*PredInputMessagesFilterDocument) Reset

func (*PredInputMessagesFilterDocument) String

func (*PredInputMessagesFilterDocument) ToType

func (p *PredInputMessagesFilterDocument) ToType() TL

func (*PredInputMessagesFilterDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterDocument) XXX_DiscardUnknown()

func (*PredInputMessagesFilterDocument) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterDocument) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterDocument) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterDocument) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterDocument) XXX_Size() int

func (*PredInputMessagesFilterDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterDocument) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterEmpty

type PredInputMessagesFilterEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterEmpty) Descriptor

func (*PredInputMessagesFilterEmpty) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterEmpty) ProtoMessage

func (*PredInputMessagesFilterEmpty) ProtoMessage()

func (*PredInputMessagesFilterEmpty) Reset

func (m *PredInputMessagesFilterEmpty) Reset()

func (*PredInputMessagesFilterEmpty) String

func (*PredInputMessagesFilterEmpty) ToType

func (p *PredInputMessagesFilterEmpty) ToType() TL

func (*PredInputMessagesFilterEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterEmpty) XXX_DiscardUnknown()

func (*PredInputMessagesFilterEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterEmpty) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterEmpty) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterEmpty) XXX_Size() int

func (*PredInputMessagesFilterEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterEmpty) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterGif

type PredInputMessagesFilterGif struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterGif) Descriptor

func (*PredInputMessagesFilterGif) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterGif) ProtoMessage

func (*PredInputMessagesFilterGif) ProtoMessage()

func (*PredInputMessagesFilterGif) Reset

func (m *PredInputMessagesFilterGif) Reset()

func (*PredInputMessagesFilterGif) String

func (m *PredInputMessagesFilterGif) String() string

func (*PredInputMessagesFilterGif) ToType

func (p *PredInputMessagesFilterGif) ToType() TL

func (*PredInputMessagesFilterGif) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterGif) XXX_DiscardUnknown()

func (*PredInputMessagesFilterGif) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterGif) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterGif) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterGif) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterGif) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterGif) XXX_Size() int

func (*PredInputMessagesFilterGif) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterGif) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterMusic

type PredInputMessagesFilterMusic struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterMusic) Descriptor

func (*PredInputMessagesFilterMusic) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterMusic) ProtoMessage

func (*PredInputMessagesFilterMusic) ProtoMessage()

func (*PredInputMessagesFilterMusic) Reset

func (m *PredInputMessagesFilterMusic) Reset()

func (*PredInputMessagesFilterMusic) String

func (*PredInputMessagesFilterMusic) ToType

func (p *PredInputMessagesFilterMusic) ToType() TL

func (*PredInputMessagesFilterMusic) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterMusic) XXX_DiscardUnknown()

func (*PredInputMessagesFilterMusic) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterMusic) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterMusic) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterMusic) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterMusic) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterMusic) XXX_Size() int

func (*PredInputMessagesFilterMusic) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterMusic) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterMyMentions

type PredInputMessagesFilterMyMentions struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterMyMentions) Descriptor

func (*PredInputMessagesFilterMyMentions) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterMyMentions) ProtoMessage

func (*PredInputMessagesFilterMyMentions) ProtoMessage()

func (*PredInputMessagesFilterMyMentions) Reset

func (*PredInputMessagesFilterMyMentions) String

func (*PredInputMessagesFilterMyMentions) ToType

func (*PredInputMessagesFilterMyMentions) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterMyMentions) XXX_DiscardUnknown()

func (*PredInputMessagesFilterMyMentions) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterMyMentions) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterMyMentions) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterMyMentions) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterMyMentions) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterMyMentions) XXX_Size() int

func (*PredInputMessagesFilterMyMentions) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterMyMentions) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterMyMentionsUnread

type PredInputMessagesFilterMyMentionsUnread struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterMyMentionsUnread) Descriptor

func (*PredInputMessagesFilterMyMentionsUnread) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterMyMentionsUnread) ProtoMessage

func (*PredInputMessagesFilterMyMentionsUnread) Reset

func (*PredInputMessagesFilterMyMentionsUnread) String

func (*PredInputMessagesFilterMyMentionsUnread) ToType

func (*PredInputMessagesFilterMyMentionsUnread) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterMyMentionsUnread) XXX_DiscardUnknown()

func (*PredInputMessagesFilterMyMentionsUnread) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterMyMentionsUnread) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterMyMentionsUnread) XXX_Merge added in v0.4.1

func (*PredInputMessagesFilterMyMentionsUnread) XXX_Size added in v0.4.1

func (*PredInputMessagesFilterMyMentionsUnread) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterMyMentionsUnread) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterPhoneCalls

type PredInputMessagesFilterPhoneCalls struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterPhoneCalls) Descriptor

func (*PredInputMessagesFilterPhoneCalls) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterPhoneCalls) GetFlags

func (*PredInputMessagesFilterPhoneCalls) ProtoMessage

func (*PredInputMessagesFilterPhoneCalls) ProtoMessage()

func (*PredInputMessagesFilterPhoneCalls) Reset

func (*PredInputMessagesFilterPhoneCalls) String

func (*PredInputMessagesFilterPhoneCalls) ToType

func (*PredInputMessagesFilterPhoneCalls) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterPhoneCalls) XXX_DiscardUnknown()

func (*PredInputMessagesFilterPhoneCalls) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterPhoneCalls) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterPhoneCalls) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterPhoneCalls) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterPhoneCalls) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterPhoneCalls) XXX_Size() int

func (*PredInputMessagesFilterPhoneCalls) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterPhoneCalls) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterPhotoVideo

type PredInputMessagesFilterPhotoVideo struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterPhotoVideo) Descriptor

func (*PredInputMessagesFilterPhotoVideo) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterPhotoVideo) ProtoMessage

func (*PredInputMessagesFilterPhotoVideo) ProtoMessage()

func (*PredInputMessagesFilterPhotoVideo) Reset

func (*PredInputMessagesFilterPhotoVideo) String

func (*PredInputMessagesFilterPhotoVideo) ToType

func (*PredInputMessagesFilterPhotoVideo) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideo) XXX_DiscardUnknown()

func (*PredInputMessagesFilterPhotoVideo) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterPhotoVideo) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterPhotoVideo) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterPhotoVideo) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideo) XXX_Size() int

func (*PredInputMessagesFilterPhotoVideo) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideo) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterPhotoVideoDocuments

type PredInputMessagesFilterPhotoVideoDocuments struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterPhotoVideoDocuments) Descriptor

func (*PredInputMessagesFilterPhotoVideoDocuments) ProtoMessage

func (*PredInputMessagesFilterPhotoVideoDocuments) Reset

func (*PredInputMessagesFilterPhotoVideoDocuments) String

func (*PredInputMessagesFilterPhotoVideoDocuments) ToType

func (*PredInputMessagesFilterPhotoVideoDocuments) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideoDocuments) XXX_DiscardUnknown()

func (*PredInputMessagesFilterPhotoVideoDocuments) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterPhotoVideoDocuments) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterPhotoVideoDocuments) XXX_Merge added in v0.4.1

func (*PredInputMessagesFilterPhotoVideoDocuments) XXX_Size added in v0.4.1

func (*PredInputMessagesFilterPhotoVideoDocuments) XXX_Unmarshal added in v0.4.1

type PredInputMessagesFilterPhotos

type PredInputMessagesFilterPhotos struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterPhotos) Descriptor

func (*PredInputMessagesFilterPhotos) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterPhotos) ProtoMessage

func (*PredInputMessagesFilterPhotos) ProtoMessage()

func (*PredInputMessagesFilterPhotos) Reset

func (m *PredInputMessagesFilterPhotos) Reset()

func (*PredInputMessagesFilterPhotos) String

func (*PredInputMessagesFilterPhotos) ToType

func (p *PredInputMessagesFilterPhotos) ToType() TL

func (*PredInputMessagesFilterPhotos) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterPhotos) XXX_DiscardUnknown()

func (*PredInputMessagesFilterPhotos) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterPhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterPhotos) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterPhotos) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterPhotos) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterPhotos) XXX_Size() int

func (*PredInputMessagesFilterPhotos) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterPhotos) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterRoundVideo

type PredInputMessagesFilterRoundVideo struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterRoundVideo) Descriptor

func (*PredInputMessagesFilterRoundVideo) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterRoundVideo) ProtoMessage

func (*PredInputMessagesFilterRoundVideo) ProtoMessage()

func (*PredInputMessagesFilterRoundVideo) Reset

func (*PredInputMessagesFilterRoundVideo) String

func (*PredInputMessagesFilterRoundVideo) ToType

func (*PredInputMessagesFilterRoundVideo) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterRoundVideo) XXX_DiscardUnknown()

func (*PredInputMessagesFilterRoundVideo) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterRoundVideo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterRoundVideo) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterRoundVideo) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterRoundVideo) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterRoundVideo) XXX_Size() int

func (*PredInputMessagesFilterRoundVideo) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterRoundVideo) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterRoundVoice

type PredInputMessagesFilterRoundVoice struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterRoundVoice) Descriptor

func (*PredInputMessagesFilterRoundVoice) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterRoundVoice) ProtoMessage

func (*PredInputMessagesFilterRoundVoice) ProtoMessage()

func (*PredInputMessagesFilterRoundVoice) Reset

func (*PredInputMessagesFilterRoundVoice) String

func (*PredInputMessagesFilterRoundVoice) ToType

func (*PredInputMessagesFilterRoundVoice) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterRoundVoice) XXX_DiscardUnknown()

func (*PredInputMessagesFilterRoundVoice) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterRoundVoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterRoundVoice) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterRoundVoice) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterRoundVoice) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterRoundVoice) XXX_Size() int

func (*PredInputMessagesFilterRoundVoice) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterRoundVoice) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterUrl

type PredInputMessagesFilterUrl struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterUrl) Descriptor

func (*PredInputMessagesFilterUrl) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterUrl) ProtoMessage

func (*PredInputMessagesFilterUrl) ProtoMessage()

func (*PredInputMessagesFilterUrl) Reset

func (m *PredInputMessagesFilterUrl) Reset()

func (*PredInputMessagesFilterUrl) String

func (m *PredInputMessagesFilterUrl) String() string

func (*PredInputMessagesFilterUrl) ToType

func (p *PredInputMessagesFilterUrl) ToType() TL

func (*PredInputMessagesFilterUrl) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterUrl) XXX_DiscardUnknown()

func (*PredInputMessagesFilterUrl) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterUrl) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterUrl) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterUrl) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterUrl) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterUrl) XXX_Size() int

func (*PredInputMessagesFilterUrl) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterUrl) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterVideo

type PredInputMessagesFilterVideo struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterVideo) Descriptor

func (*PredInputMessagesFilterVideo) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterVideo) ProtoMessage

func (*PredInputMessagesFilterVideo) ProtoMessage()

func (*PredInputMessagesFilterVideo) Reset

func (m *PredInputMessagesFilterVideo) Reset()

func (*PredInputMessagesFilterVideo) String

func (*PredInputMessagesFilterVideo) ToType

func (p *PredInputMessagesFilterVideo) ToType() TL

func (*PredInputMessagesFilterVideo) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterVideo) XXX_DiscardUnknown()

func (*PredInputMessagesFilterVideo) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterVideo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterVideo) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterVideo) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterVideo) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterVideo) XXX_Size() int

func (*PredInputMessagesFilterVideo) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterVideo) XXX_Unmarshal(b []byte) error

type PredInputMessagesFilterVoice

type PredInputMessagesFilterVoice struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputMessagesFilterVoice) Descriptor

func (*PredInputMessagesFilterVoice) Descriptor() ([]byte, []int)

func (*PredInputMessagesFilterVoice) ProtoMessage

func (*PredInputMessagesFilterVoice) ProtoMessage()

func (*PredInputMessagesFilterVoice) Reset

func (m *PredInputMessagesFilterVoice) Reset()

func (*PredInputMessagesFilterVoice) String

func (*PredInputMessagesFilterVoice) ToType

func (p *PredInputMessagesFilterVoice) ToType() TL

func (*PredInputMessagesFilterVoice) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputMessagesFilterVoice) XXX_DiscardUnknown()

func (*PredInputMessagesFilterVoice) XXX_Marshal added in v0.4.1

func (m *PredInputMessagesFilterVoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputMessagesFilterVoice) XXX_Merge added in v0.4.1

func (dst *PredInputMessagesFilterVoice) XXX_Merge(src proto.Message)

func (*PredInputMessagesFilterVoice) XXX_Size added in v0.4.1

func (m *PredInputMessagesFilterVoice) XXX_Size() int

func (*PredInputMessagesFilterVoice) XXX_Unmarshal added in v0.4.1

func (m *PredInputMessagesFilterVoice) XXX_Unmarshal(b []byte) error

type PredInputNotifyAll

type PredInputNotifyAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputNotifyAll) Descriptor

func (*PredInputNotifyAll) Descriptor() ([]byte, []int)

func (*PredInputNotifyAll) ProtoMessage

func (*PredInputNotifyAll) ProtoMessage()

func (*PredInputNotifyAll) Reset

func (m *PredInputNotifyAll) Reset()

func (*PredInputNotifyAll) String

func (m *PredInputNotifyAll) String() string

func (*PredInputNotifyAll) ToType

func (p *PredInputNotifyAll) ToType() TL

func (*PredInputNotifyAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputNotifyAll) XXX_DiscardUnknown()

func (*PredInputNotifyAll) XXX_Marshal added in v0.4.1

func (m *PredInputNotifyAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputNotifyAll) XXX_Merge added in v0.4.1

func (dst *PredInputNotifyAll) XXX_Merge(src proto.Message)

func (*PredInputNotifyAll) XXX_Size added in v0.4.1

func (m *PredInputNotifyAll) XXX_Size() int

func (*PredInputNotifyAll) XXX_Unmarshal added in v0.4.1

func (m *PredInputNotifyAll) XXX_Unmarshal(b []byte) error

type PredInputNotifyChats

type PredInputNotifyChats struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputNotifyChats) Descriptor

func (*PredInputNotifyChats) Descriptor() ([]byte, []int)

func (*PredInputNotifyChats) ProtoMessage

func (*PredInputNotifyChats) ProtoMessage()

func (*PredInputNotifyChats) Reset

func (m *PredInputNotifyChats) Reset()

func (*PredInputNotifyChats) String

func (m *PredInputNotifyChats) String() string

func (*PredInputNotifyChats) ToType

func (p *PredInputNotifyChats) ToType() TL

func (*PredInputNotifyChats) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputNotifyChats) XXX_DiscardUnknown()

func (*PredInputNotifyChats) XXX_Marshal added in v0.4.1

func (m *PredInputNotifyChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputNotifyChats) XXX_Merge added in v0.4.1

func (dst *PredInputNotifyChats) XXX_Merge(src proto.Message)

func (*PredInputNotifyChats) XXX_Size added in v0.4.1

func (m *PredInputNotifyChats) XXX_Size() int

func (*PredInputNotifyChats) XXX_Unmarshal added in v0.4.1

func (m *PredInputNotifyChats) XXX_Unmarshal(b []byte) error

type PredInputNotifyPeer

type PredInputNotifyPeer struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredInputNotifyPeer) Descriptor

func (*PredInputNotifyPeer) Descriptor() ([]byte, []int)

func (*PredInputNotifyPeer) GetPeer

func (m *PredInputNotifyPeer) GetPeer() *TypeInputPeer

func (*PredInputNotifyPeer) ProtoMessage

func (*PredInputNotifyPeer) ProtoMessage()

func (*PredInputNotifyPeer) Reset

func (m *PredInputNotifyPeer) Reset()

func (*PredInputNotifyPeer) String

func (m *PredInputNotifyPeer) String() string

func (*PredInputNotifyPeer) ToType

func (p *PredInputNotifyPeer) ToType() TL

func (*PredInputNotifyPeer) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputNotifyPeer) XXX_DiscardUnknown()

func (*PredInputNotifyPeer) XXX_Marshal added in v0.4.1

func (m *PredInputNotifyPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputNotifyPeer) XXX_Merge added in v0.4.1

func (dst *PredInputNotifyPeer) XXX_Merge(src proto.Message)

func (*PredInputNotifyPeer) XXX_Size added in v0.4.1

func (m *PredInputNotifyPeer) XXX_Size() int

func (*PredInputNotifyPeer) XXX_Unmarshal added in v0.4.1

func (m *PredInputNotifyPeer) XXX_Unmarshal(b []byte) error

type PredInputNotifyUsers

type PredInputNotifyUsers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputNotifyUsers) Descriptor

func (*PredInputNotifyUsers) Descriptor() ([]byte, []int)

func (*PredInputNotifyUsers) ProtoMessage

func (*PredInputNotifyUsers) ProtoMessage()

func (*PredInputNotifyUsers) Reset

func (m *PredInputNotifyUsers) Reset()

func (*PredInputNotifyUsers) String

func (m *PredInputNotifyUsers) String() string

func (*PredInputNotifyUsers) ToType

func (p *PredInputNotifyUsers) ToType() TL

func (*PredInputNotifyUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputNotifyUsers) XXX_DiscardUnknown()

func (*PredInputNotifyUsers) XXX_Marshal added in v0.4.1

func (m *PredInputNotifyUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputNotifyUsers) XXX_Merge added in v0.4.1

func (dst *PredInputNotifyUsers) XXX_Merge(src proto.Message)

func (*PredInputNotifyUsers) XXX_Size added in v0.4.1

func (m *PredInputNotifyUsers) XXX_Size() int

func (*PredInputNotifyUsers) XXX_Unmarshal added in v0.4.1

func (m *PredInputNotifyUsers) XXX_Unmarshal(b []byte) error

type PredInputPaymentCredentials

type PredInputPaymentCredentials struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Save	bool // flags.0?true
	// default: DataJSON
	Data                 *TypeDataJSON `protobuf:"bytes,3,opt,name=Data" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredInputPaymentCredentials) Descriptor

func (*PredInputPaymentCredentials) Descriptor() ([]byte, []int)

func (*PredInputPaymentCredentials) GetData

func (*PredInputPaymentCredentials) GetFlags

func (m *PredInputPaymentCredentials) GetFlags() int32

func (*PredInputPaymentCredentials) ProtoMessage

func (*PredInputPaymentCredentials) ProtoMessage()

func (*PredInputPaymentCredentials) Reset

func (m *PredInputPaymentCredentials) Reset()

func (*PredInputPaymentCredentials) String

func (m *PredInputPaymentCredentials) String() string

func (*PredInputPaymentCredentials) ToType

func (p *PredInputPaymentCredentials) ToType() TL

func (*PredInputPaymentCredentials) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPaymentCredentials) XXX_DiscardUnknown()

func (*PredInputPaymentCredentials) XXX_Marshal added in v0.4.1

func (m *PredInputPaymentCredentials) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPaymentCredentials) XXX_Merge added in v0.4.1

func (dst *PredInputPaymentCredentials) XXX_Merge(src proto.Message)

func (*PredInputPaymentCredentials) XXX_Size added in v0.4.1

func (m *PredInputPaymentCredentials) XXX_Size() int

func (*PredInputPaymentCredentials) XXX_Unmarshal added in v0.4.1

func (m *PredInputPaymentCredentials) XXX_Unmarshal(b []byte) error

type PredInputPaymentCredentialsSaved

type PredInputPaymentCredentialsSaved struct {
	Id                   string   `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	TmpPassword          []byte   `protobuf:"bytes,2,opt,name=TmpPassword,proto3" json:"TmpPassword,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPaymentCredentialsSaved) Descriptor

func (*PredInputPaymentCredentialsSaved) Descriptor() ([]byte, []int)

func (*PredInputPaymentCredentialsSaved) GetId

func (*PredInputPaymentCredentialsSaved) GetTmpPassword

func (m *PredInputPaymentCredentialsSaved) GetTmpPassword() []byte

func (*PredInputPaymentCredentialsSaved) ProtoMessage

func (*PredInputPaymentCredentialsSaved) ProtoMessage()

func (*PredInputPaymentCredentialsSaved) Reset

func (*PredInputPaymentCredentialsSaved) String

func (*PredInputPaymentCredentialsSaved) ToType

func (*PredInputPaymentCredentialsSaved) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPaymentCredentialsSaved) XXX_DiscardUnknown()

func (*PredInputPaymentCredentialsSaved) XXX_Marshal added in v0.4.1

func (m *PredInputPaymentCredentialsSaved) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPaymentCredentialsSaved) XXX_Merge added in v0.4.1

func (dst *PredInputPaymentCredentialsSaved) XXX_Merge(src proto.Message)

func (*PredInputPaymentCredentialsSaved) XXX_Size added in v0.4.1

func (m *PredInputPaymentCredentialsSaved) XXX_Size() int

func (*PredInputPaymentCredentialsSaved) XXX_Unmarshal added in v0.4.1

func (m *PredInputPaymentCredentialsSaved) XXX_Unmarshal(b []byte) error

type PredInputPeerChannel

type PredInputPeerChannel struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerChannel) Descriptor

func (*PredInputPeerChannel) Descriptor() ([]byte, []int)

func (*PredInputPeerChannel) GetAccessHash

func (m *PredInputPeerChannel) GetAccessHash() int64

func (*PredInputPeerChannel) GetChannelId

func (m *PredInputPeerChannel) GetChannelId() int32

func (*PredInputPeerChannel) ProtoMessage

func (*PredInputPeerChannel) ProtoMessage()

func (*PredInputPeerChannel) Reset

func (m *PredInputPeerChannel) Reset()

func (*PredInputPeerChannel) String

func (m *PredInputPeerChannel) String() string

func (*PredInputPeerChannel) ToType

func (p *PredInputPeerChannel) ToType() TL

func (*PredInputPeerChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerChannel) XXX_DiscardUnknown()

func (*PredInputPeerChannel) XXX_Marshal added in v0.4.1

func (m *PredInputPeerChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerChannel) XXX_Merge added in v0.4.1

func (dst *PredInputPeerChannel) XXX_Merge(src proto.Message)

func (*PredInputPeerChannel) XXX_Size added in v0.4.1

func (m *PredInputPeerChannel) XXX_Size() int

func (*PredInputPeerChannel) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerChannel) XXX_Unmarshal(b []byte) error

type PredInputPeerChat

type PredInputPeerChat struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerChat) Descriptor

func (*PredInputPeerChat) Descriptor() ([]byte, []int)

func (*PredInputPeerChat) GetChatId

func (m *PredInputPeerChat) GetChatId() int32

func (*PredInputPeerChat) ProtoMessage

func (*PredInputPeerChat) ProtoMessage()

func (*PredInputPeerChat) Reset

func (m *PredInputPeerChat) Reset()

func (*PredInputPeerChat) String

func (m *PredInputPeerChat) String() string

func (*PredInputPeerChat) ToType

func (p *PredInputPeerChat) ToType() TL

func (*PredInputPeerChat) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerChat) XXX_DiscardUnknown()

func (*PredInputPeerChat) XXX_Marshal added in v0.4.1

func (m *PredInputPeerChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerChat) XXX_Merge added in v0.4.1

func (dst *PredInputPeerChat) XXX_Merge(src proto.Message)

func (*PredInputPeerChat) XXX_Size added in v0.4.1

func (m *PredInputPeerChat) XXX_Size() int

func (*PredInputPeerChat) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerChat) XXX_Unmarshal(b []byte) error

type PredInputPeerEmpty

type PredInputPeerEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerEmpty) Descriptor

func (*PredInputPeerEmpty) Descriptor() ([]byte, []int)

func (*PredInputPeerEmpty) ProtoMessage

func (*PredInputPeerEmpty) ProtoMessage()

func (*PredInputPeerEmpty) Reset

func (m *PredInputPeerEmpty) Reset()

func (*PredInputPeerEmpty) String

func (m *PredInputPeerEmpty) String() string

func (*PredInputPeerEmpty) ToType

func (p *PredInputPeerEmpty) ToType() TL

func (*PredInputPeerEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerEmpty) XXX_DiscardUnknown()

func (*PredInputPeerEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputPeerEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputPeerEmpty) XXX_Merge(src proto.Message)

func (*PredInputPeerEmpty) XXX_Size added in v0.4.1

func (m *PredInputPeerEmpty) XXX_Size() int

func (*PredInputPeerEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerEmpty) XXX_Unmarshal(b []byte) error

type PredInputPeerNotifyEventsAll

type PredInputPeerNotifyEventsAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerNotifyEventsAll) Descriptor

func (*PredInputPeerNotifyEventsAll) Descriptor() ([]byte, []int)

func (*PredInputPeerNotifyEventsAll) ProtoMessage

func (*PredInputPeerNotifyEventsAll) ProtoMessage()

func (*PredInputPeerNotifyEventsAll) Reset

func (m *PredInputPeerNotifyEventsAll) Reset()

func (*PredInputPeerNotifyEventsAll) String

func (*PredInputPeerNotifyEventsAll) ToType

func (p *PredInputPeerNotifyEventsAll) ToType() TL

func (*PredInputPeerNotifyEventsAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerNotifyEventsAll) XXX_DiscardUnknown()

func (*PredInputPeerNotifyEventsAll) XXX_Marshal added in v0.4.1

func (m *PredInputPeerNotifyEventsAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerNotifyEventsAll) XXX_Merge added in v0.4.1

func (dst *PredInputPeerNotifyEventsAll) XXX_Merge(src proto.Message)

func (*PredInputPeerNotifyEventsAll) XXX_Size added in v0.4.1

func (m *PredInputPeerNotifyEventsAll) XXX_Size() int

func (*PredInputPeerNotifyEventsAll) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerNotifyEventsAll) XXX_Unmarshal(b []byte) error

type PredInputPeerNotifyEventsEmpty

type PredInputPeerNotifyEventsEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerNotifyEventsEmpty) Descriptor

func (*PredInputPeerNotifyEventsEmpty) Descriptor() ([]byte, []int)

func (*PredInputPeerNotifyEventsEmpty) ProtoMessage

func (*PredInputPeerNotifyEventsEmpty) ProtoMessage()

func (*PredInputPeerNotifyEventsEmpty) Reset

func (m *PredInputPeerNotifyEventsEmpty) Reset()

func (*PredInputPeerNotifyEventsEmpty) String

func (*PredInputPeerNotifyEventsEmpty) ToType

func (p *PredInputPeerNotifyEventsEmpty) ToType() TL

func (*PredInputPeerNotifyEventsEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerNotifyEventsEmpty) XXX_DiscardUnknown()

func (*PredInputPeerNotifyEventsEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputPeerNotifyEventsEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerNotifyEventsEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputPeerNotifyEventsEmpty) XXX_Merge(src proto.Message)

func (*PredInputPeerNotifyEventsEmpty) XXX_Size added in v0.4.1

func (m *PredInputPeerNotifyEventsEmpty) XXX_Size() int

func (*PredInputPeerNotifyEventsEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerNotifyEventsEmpty) XXX_Unmarshal(b []byte) error

type PredInputPeerNotifySettings

type PredInputPeerNotifySettings struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ShowPreviews	bool // flags.0?true
	// Silent	bool // flags.1?true
	MuteUntil            int32    `protobuf:"varint,4,opt,name=MuteUntil" json:"MuteUntil,omitempty"`
	Sound                string   `protobuf:"bytes,5,opt,name=Sound" json:"Sound,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerNotifySettings) Descriptor

func (*PredInputPeerNotifySettings) Descriptor() ([]byte, []int)

func (*PredInputPeerNotifySettings) GetFlags

func (m *PredInputPeerNotifySettings) GetFlags() int32

func (*PredInputPeerNotifySettings) GetMuteUntil

func (m *PredInputPeerNotifySettings) GetMuteUntil() int32

func (*PredInputPeerNotifySettings) GetSound

func (m *PredInputPeerNotifySettings) GetSound() string

func (*PredInputPeerNotifySettings) ProtoMessage

func (*PredInputPeerNotifySettings) ProtoMessage()

func (*PredInputPeerNotifySettings) Reset

func (m *PredInputPeerNotifySettings) Reset()

func (*PredInputPeerNotifySettings) String

func (m *PredInputPeerNotifySettings) String() string

func (*PredInputPeerNotifySettings) ToType

func (p *PredInputPeerNotifySettings) ToType() TL

func (*PredInputPeerNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerNotifySettings) XXX_DiscardUnknown()

func (*PredInputPeerNotifySettings) XXX_Marshal added in v0.4.1

func (m *PredInputPeerNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerNotifySettings) XXX_Merge added in v0.4.1

func (dst *PredInputPeerNotifySettings) XXX_Merge(src proto.Message)

func (*PredInputPeerNotifySettings) XXX_Size added in v0.4.1

func (m *PredInputPeerNotifySettings) XXX_Size() int

func (*PredInputPeerNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerNotifySettings) XXX_Unmarshal(b []byte) error

type PredInputPeerSelf

type PredInputPeerSelf struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerSelf) Descriptor

func (*PredInputPeerSelf) Descriptor() ([]byte, []int)

func (*PredInputPeerSelf) ProtoMessage

func (*PredInputPeerSelf) ProtoMessage()

func (*PredInputPeerSelf) Reset

func (m *PredInputPeerSelf) Reset()

func (*PredInputPeerSelf) String

func (m *PredInputPeerSelf) String() string

func (*PredInputPeerSelf) ToType

func (p *PredInputPeerSelf) ToType() TL

func (*PredInputPeerSelf) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerSelf) XXX_DiscardUnknown()

func (*PredInputPeerSelf) XXX_Marshal added in v0.4.1

func (m *PredInputPeerSelf) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerSelf) XXX_Merge added in v0.4.1

func (dst *PredInputPeerSelf) XXX_Merge(src proto.Message)

func (*PredInputPeerSelf) XXX_Size added in v0.4.1

func (m *PredInputPeerSelf) XXX_Size() int

func (*PredInputPeerSelf) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerSelf) XXX_Unmarshal(b []byte) error

type PredInputPeerUser

type PredInputPeerUser struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPeerUser) Descriptor

func (*PredInputPeerUser) Descriptor() ([]byte, []int)

func (*PredInputPeerUser) GetAccessHash

func (m *PredInputPeerUser) GetAccessHash() int64

func (*PredInputPeerUser) GetUserId

func (m *PredInputPeerUser) GetUserId() int32

func (*PredInputPeerUser) ProtoMessage

func (*PredInputPeerUser) ProtoMessage()

func (*PredInputPeerUser) Reset

func (m *PredInputPeerUser) Reset()

func (*PredInputPeerUser) String

func (m *PredInputPeerUser) String() string

func (*PredInputPeerUser) ToType

func (p *PredInputPeerUser) ToType() TL

func (*PredInputPeerUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPeerUser) XXX_DiscardUnknown()

func (*PredInputPeerUser) XXX_Marshal added in v0.4.1

func (m *PredInputPeerUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPeerUser) XXX_Merge added in v0.4.1

func (dst *PredInputPeerUser) XXX_Merge(src proto.Message)

func (*PredInputPeerUser) XXX_Size added in v0.4.1

func (m *PredInputPeerUser) XXX_Size() int

func (*PredInputPeerUser) XXX_Unmarshal added in v0.4.1

func (m *PredInputPeerUser) XXX_Unmarshal(b []byte) error

type PredInputPhoneCall

type PredInputPhoneCall struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPhoneCall) Descriptor

func (*PredInputPhoneCall) Descriptor() ([]byte, []int)

func (*PredInputPhoneCall) GetAccessHash

func (m *PredInputPhoneCall) GetAccessHash() int64

func (*PredInputPhoneCall) GetId

func (m *PredInputPhoneCall) GetId() int64

func (*PredInputPhoneCall) ProtoMessage

func (*PredInputPhoneCall) ProtoMessage()

func (*PredInputPhoneCall) Reset

func (m *PredInputPhoneCall) Reset()

func (*PredInputPhoneCall) String

func (m *PredInputPhoneCall) String() string

func (*PredInputPhoneCall) ToType

func (p *PredInputPhoneCall) ToType() TL

func (*PredInputPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPhoneCall) XXX_DiscardUnknown()

func (*PredInputPhoneCall) XXX_Marshal added in v0.4.1

func (m *PredInputPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPhoneCall) XXX_Merge added in v0.4.1

func (dst *PredInputPhoneCall) XXX_Merge(src proto.Message)

func (*PredInputPhoneCall) XXX_Size added in v0.4.1

func (m *PredInputPhoneCall) XXX_Size() int

func (*PredInputPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredInputPhoneCall) XXX_Unmarshal(b []byte) error

type PredInputPhoneContact

type PredInputPhoneContact struct {
	ClientId             int64    `protobuf:"varint,1,opt,name=ClientId" json:"ClientId,omitempty"`
	Phone                string   `protobuf:"bytes,2,opt,name=Phone" json:"Phone,omitempty"`
	FirstName            string   `protobuf:"bytes,3,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,4,opt,name=LastName" json:"LastName,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPhoneContact) Descriptor

func (*PredInputPhoneContact) Descriptor() ([]byte, []int)

func (*PredInputPhoneContact) GetClientId

func (m *PredInputPhoneContact) GetClientId() int64

func (*PredInputPhoneContact) GetFirstName

func (m *PredInputPhoneContact) GetFirstName() string

func (*PredInputPhoneContact) GetLastName

func (m *PredInputPhoneContact) GetLastName() string

func (*PredInputPhoneContact) GetPhone

func (m *PredInputPhoneContact) GetPhone() string

func (*PredInputPhoneContact) ProtoMessage

func (*PredInputPhoneContact) ProtoMessage()

func (*PredInputPhoneContact) Reset

func (m *PredInputPhoneContact) Reset()

func (*PredInputPhoneContact) String

func (m *PredInputPhoneContact) String() string

func (*PredInputPhoneContact) ToType

func (p *PredInputPhoneContact) ToType() TL

func (*PredInputPhoneContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPhoneContact) XXX_DiscardUnknown()

func (*PredInputPhoneContact) XXX_Marshal added in v0.4.1

func (m *PredInputPhoneContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPhoneContact) XXX_Merge added in v0.4.1

func (dst *PredInputPhoneContact) XXX_Merge(src proto.Message)

func (*PredInputPhoneContact) XXX_Size added in v0.4.1

func (m *PredInputPhoneContact) XXX_Size() int

func (*PredInputPhoneContact) XXX_Unmarshal added in v0.4.1

func (m *PredInputPhoneContact) XXX_Unmarshal(b []byte) error

type PredInputPhoto

type PredInputPhoto struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPhoto) Descriptor

func (*PredInputPhoto) Descriptor() ([]byte, []int)

func (*PredInputPhoto) GetAccessHash

func (m *PredInputPhoto) GetAccessHash() int64

func (*PredInputPhoto) GetId

func (m *PredInputPhoto) GetId() int64

func (*PredInputPhoto) ProtoMessage

func (*PredInputPhoto) ProtoMessage()

func (*PredInputPhoto) Reset

func (m *PredInputPhoto) Reset()

func (*PredInputPhoto) String

func (m *PredInputPhoto) String() string

func (*PredInputPhoto) ToType

func (p *PredInputPhoto) ToType() TL

func (*PredInputPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPhoto) XXX_DiscardUnknown()

func (*PredInputPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputPhoto) XXX_Merge(src proto.Message)

func (*PredInputPhoto) XXX_Size added in v0.4.1

func (m *PredInputPhoto) XXX_Size() int

func (*PredInputPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputPhoto) XXX_Unmarshal(b []byte) error

type PredInputPhotoEmpty

type PredInputPhotoEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPhotoEmpty) Descriptor

func (*PredInputPhotoEmpty) Descriptor() ([]byte, []int)

func (*PredInputPhotoEmpty) ProtoMessage

func (*PredInputPhotoEmpty) ProtoMessage()

func (*PredInputPhotoEmpty) Reset

func (m *PredInputPhotoEmpty) Reset()

func (*PredInputPhotoEmpty) String

func (m *PredInputPhotoEmpty) String() string

func (*PredInputPhotoEmpty) ToType

func (p *PredInputPhotoEmpty) ToType() TL

func (*PredInputPhotoEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPhotoEmpty) XXX_DiscardUnknown()

func (*PredInputPhotoEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputPhotoEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPhotoEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputPhotoEmpty) XXX_Merge(src proto.Message)

func (*PredInputPhotoEmpty) XXX_Size added in v0.4.1

func (m *PredInputPhotoEmpty) XXX_Size() int

func (*PredInputPhotoEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputPhotoEmpty) XXX_Unmarshal(b []byte) error

type PredInputPrivacyKeyChatInvite

type PredInputPrivacyKeyChatInvite struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyKeyChatInvite) Descriptor

func (*PredInputPrivacyKeyChatInvite) Descriptor() ([]byte, []int)

func (*PredInputPrivacyKeyChatInvite) ProtoMessage

func (*PredInputPrivacyKeyChatInvite) ProtoMessage()

func (*PredInputPrivacyKeyChatInvite) Reset

func (m *PredInputPrivacyKeyChatInvite) Reset()

func (*PredInputPrivacyKeyChatInvite) String

func (*PredInputPrivacyKeyChatInvite) ToType

func (p *PredInputPrivacyKeyChatInvite) ToType() TL

func (*PredInputPrivacyKeyChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyKeyChatInvite) XXX_DiscardUnknown()

func (*PredInputPrivacyKeyChatInvite) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyKeyChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyKeyChatInvite) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyKeyChatInvite) XXX_Merge(src proto.Message)

func (*PredInputPrivacyKeyChatInvite) XXX_Size added in v0.4.1

func (m *PredInputPrivacyKeyChatInvite) XXX_Size() int

func (*PredInputPrivacyKeyChatInvite) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyKeyChatInvite) XXX_Unmarshal(b []byte) error

type PredInputPrivacyKeyPhoneCall

type PredInputPrivacyKeyPhoneCall struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyKeyPhoneCall) Descriptor

func (*PredInputPrivacyKeyPhoneCall) Descriptor() ([]byte, []int)

func (*PredInputPrivacyKeyPhoneCall) ProtoMessage

func (*PredInputPrivacyKeyPhoneCall) ProtoMessage()

func (*PredInputPrivacyKeyPhoneCall) Reset

func (m *PredInputPrivacyKeyPhoneCall) Reset()

func (*PredInputPrivacyKeyPhoneCall) String

func (*PredInputPrivacyKeyPhoneCall) ToType

func (p *PredInputPrivacyKeyPhoneCall) ToType() TL

func (*PredInputPrivacyKeyPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyKeyPhoneCall) XXX_DiscardUnknown()

func (*PredInputPrivacyKeyPhoneCall) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyKeyPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyKeyPhoneCall) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyKeyPhoneCall) XXX_Merge(src proto.Message)

func (*PredInputPrivacyKeyPhoneCall) XXX_Size added in v0.4.1

func (m *PredInputPrivacyKeyPhoneCall) XXX_Size() int

func (*PredInputPrivacyKeyPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyKeyPhoneCall) XXX_Unmarshal(b []byte) error

type PredInputPrivacyKeyStatusTimestamp

type PredInputPrivacyKeyStatusTimestamp struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyKeyStatusTimestamp) Descriptor

func (*PredInputPrivacyKeyStatusTimestamp) Descriptor() ([]byte, []int)

func (*PredInputPrivacyKeyStatusTimestamp) ProtoMessage

func (*PredInputPrivacyKeyStatusTimestamp) ProtoMessage()

func (*PredInputPrivacyKeyStatusTimestamp) Reset

func (*PredInputPrivacyKeyStatusTimestamp) String

func (*PredInputPrivacyKeyStatusTimestamp) ToType

func (*PredInputPrivacyKeyStatusTimestamp) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyKeyStatusTimestamp) XXX_DiscardUnknown()

func (*PredInputPrivacyKeyStatusTimestamp) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyKeyStatusTimestamp) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyKeyStatusTimestamp) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyKeyStatusTimestamp) XXX_Merge(src proto.Message)

func (*PredInputPrivacyKeyStatusTimestamp) XXX_Size added in v0.4.1

func (*PredInputPrivacyKeyStatusTimestamp) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyKeyStatusTimestamp) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueAllowAll

type PredInputPrivacyValueAllowAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyValueAllowAll) Descriptor

func (*PredInputPrivacyValueAllowAll) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueAllowAll) ProtoMessage

func (*PredInputPrivacyValueAllowAll) ProtoMessage()

func (*PredInputPrivacyValueAllowAll) Reset

func (m *PredInputPrivacyValueAllowAll) Reset()

func (*PredInputPrivacyValueAllowAll) String

func (*PredInputPrivacyValueAllowAll) ToType

func (p *PredInputPrivacyValueAllowAll) ToType() TL

func (*PredInputPrivacyValueAllowAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueAllowAll) XXX_DiscardUnknown()

func (*PredInputPrivacyValueAllowAll) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueAllowAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueAllowAll) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyValueAllowAll) XXX_Merge(src proto.Message)

func (*PredInputPrivacyValueAllowAll) XXX_Size added in v0.4.1

func (m *PredInputPrivacyValueAllowAll) XXX_Size() int

func (*PredInputPrivacyValueAllowAll) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueAllowAll) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueAllowContacts

type PredInputPrivacyValueAllowContacts struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyValueAllowContacts) Descriptor

func (*PredInputPrivacyValueAllowContacts) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueAllowContacts) ProtoMessage

func (*PredInputPrivacyValueAllowContacts) ProtoMessage()

func (*PredInputPrivacyValueAllowContacts) Reset

func (*PredInputPrivacyValueAllowContacts) String

func (*PredInputPrivacyValueAllowContacts) ToType

func (*PredInputPrivacyValueAllowContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueAllowContacts) XXX_DiscardUnknown()

func (*PredInputPrivacyValueAllowContacts) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueAllowContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueAllowContacts) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyValueAllowContacts) XXX_Merge(src proto.Message)

func (*PredInputPrivacyValueAllowContacts) XXX_Size added in v0.4.1

func (*PredInputPrivacyValueAllowContacts) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueAllowContacts) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueAllowUsers

type PredInputPrivacyValueAllowUsers struct {
	// default: Vector<InputUser>
	Users                []*TypeInputUser `protobuf:"bytes,1,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputPrivacyValueAllowUsers) Descriptor

func (*PredInputPrivacyValueAllowUsers) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueAllowUsers) GetUsers

func (*PredInputPrivacyValueAllowUsers) ProtoMessage

func (*PredInputPrivacyValueAllowUsers) ProtoMessage()

func (*PredInputPrivacyValueAllowUsers) Reset

func (*PredInputPrivacyValueAllowUsers) String

func (*PredInputPrivacyValueAllowUsers) ToType

func (p *PredInputPrivacyValueAllowUsers) ToType() TL

func (*PredInputPrivacyValueAllowUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueAllowUsers) XXX_DiscardUnknown()

func (*PredInputPrivacyValueAllowUsers) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueAllowUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueAllowUsers) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyValueAllowUsers) XXX_Merge(src proto.Message)

func (*PredInputPrivacyValueAllowUsers) XXX_Size added in v0.4.1

func (m *PredInputPrivacyValueAllowUsers) XXX_Size() int

func (*PredInputPrivacyValueAllowUsers) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueAllowUsers) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueDisallowAll

type PredInputPrivacyValueDisallowAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyValueDisallowAll) Descriptor

func (*PredInputPrivacyValueDisallowAll) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueDisallowAll) ProtoMessage

func (*PredInputPrivacyValueDisallowAll) ProtoMessage()

func (*PredInputPrivacyValueDisallowAll) Reset

func (*PredInputPrivacyValueDisallowAll) String

func (*PredInputPrivacyValueDisallowAll) ToType

func (*PredInputPrivacyValueDisallowAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueDisallowAll) XXX_DiscardUnknown()

func (*PredInputPrivacyValueDisallowAll) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueDisallowAll) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyValueDisallowAll) XXX_Merge(src proto.Message)

func (*PredInputPrivacyValueDisallowAll) XXX_Size added in v0.4.1

func (m *PredInputPrivacyValueDisallowAll) XXX_Size() int

func (*PredInputPrivacyValueDisallowAll) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowAll) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueDisallowContacts

type PredInputPrivacyValueDisallowContacts struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputPrivacyValueDisallowContacts) Descriptor

func (*PredInputPrivacyValueDisallowContacts) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueDisallowContacts) ProtoMessage

func (*PredInputPrivacyValueDisallowContacts) ProtoMessage()

func (*PredInputPrivacyValueDisallowContacts) Reset

func (*PredInputPrivacyValueDisallowContacts) String

func (*PredInputPrivacyValueDisallowContacts) ToType

func (*PredInputPrivacyValueDisallowContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueDisallowContacts) XXX_DiscardUnknown()

func (*PredInputPrivacyValueDisallowContacts) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueDisallowContacts) XXX_Merge added in v0.4.1

func (*PredInputPrivacyValueDisallowContacts) XXX_Size added in v0.4.1

func (*PredInputPrivacyValueDisallowContacts) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowContacts) XXX_Unmarshal(b []byte) error

type PredInputPrivacyValueDisallowUsers

type PredInputPrivacyValueDisallowUsers struct {
	// default: Vector<InputUser>
	Users                []*TypeInputUser `protobuf:"bytes,1,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredInputPrivacyValueDisallowUsers) Descriptor

func (*PredInputPrivacyValueDisallowUsers) Descriptor() ([]byte, []int)

func (*PredInputPrivacyValueDisallowUsers) GetUsers

func (*PredInputPrivacyValueDisallowUsers) ProtoMessage

func (*PredInputPrivacyValueDisallowUsers) ProtoMessage()

func (*PredInputPrivacyValueDisallowUsers) Reset

func (*PredInputPrivacyValueDisallowUsers) String

func (*PredInputPrivacyValueDisallowUsers) ToType

func (*PredInputPrivacyValueDisallowUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputPrivacyValueDisallowUsers) XXX_DiscardUnknown()

func (*PredInputPrivacyValueDisallowUsers) XXX_Marshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputPrivacyValueDisallowUsers) XXX_Merge added in v0.4.1

func (dst *PredInputPrivacyValueDisallowUsers) XXX_Merge(src proto.Message)

func (*PredInputPrivacyValueDisallowUsers) XXX_Size added in v0.4.1

func (*PredInputPrivacyValueDisallowUsers) XXX_Unmarshal added in v0.4.1

func (m *PredInputPrivacyValueDisallowUsers) XXX_Unmarshal(b []byte) error

type PredInputReportReasonOther

type PredInputReportReasonOther struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputReportReasonOther) Descriptor

func (*PredInputReportReasonOther) Descriptor() ([]byte, []int)

func (*PredInputReportReasonOther) GetText

func (m *PredInputReportReasonOther) GetText() string

func (*PredInputReportReasonOther) ProtoMessage

func (*PredInputReportReasonOther) ProtoMessage()

func (*PredInputReportReasonOther) Reset

func (m *PredInputReportReasonOther) Reset()

func (*PredInputReportReasonOther) String

func (m *PredInputReportReasonOther) String() string

func (*PredInputReportReasonOther) ToType

func (p *PredInputReportReasonOther) ToType() TL

func (*PredInputReportReasonOther) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputReportReasonOther) XXX_DiscardUnknown()

func (*PredInputReportReasonOther) XXX_Marshal added in v0.4.1

func (m *PredInputReportReasonOther) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputReportReasonOther) XXX_Merge added in v0.4.1

func (dst *PredInputReportReasonOther) XXX_Merge(src proto.Message)

func (*PredInputReportReasonOther) XXX_Size added in v0.4.1

func (m *PredInputReportReasonOther) XXX_Size() int

func (*PredInputReportReasonOther) XXX_Unmarshal added in v0.4.1

func (m *PredInputReportReasonOther) XXX_Unmarshal(b []byte) error

type PredInputReportReasonPornography

type PredInputReportReasonPornography struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputReportReasonPornography) Descriptor

func (*PredInputReportReasonPornography) Descriptor() ([]byte, []int)

func (*PredInputReportReasonPornography) ProtoMessage

func (*PredInputReportReasonPornography) ProtoMessage()

func (*PredInputReportReasonPornography) Reset

func (*PredInputReportReasonPornography) String

func (*PredInputReportReasonPornography) ToType

func (*PredInputReportReasonPornography) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputReportReasonPornography) XXX_DiscardUnknown()

func (*PredInputReportReasonPornography) XXX_Marshal added in v0.4.1

func (m *PredInputReportReasonPornography) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputReportReasonPornography) XXX_Merge added in v0.4.1

func (dst *PredInputReportReasonPornography) XXX_Merge(src proto.Message)

func (*PredInputReportReasonPornography) XXX_Size added in v0.4.1

func (m *PredInputReportReasonPornography) XXX_Size() int

func (*PredInputReportReasonPornography) XXX_Unmarshal added in v0.4.1

func (m *PredInputReportReasonPornography) XXX_Unmarshal(b []byte) error

type PredInputReportReasonSpam

type PredInputReportReasonSpam struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputReportReasonSpam) Descriptor

func (*PredInputReportReasonSpam) Descriptor() ([]byte, []int)

func (*PredInputReportReasonSpam) ProtoMessage

func (*PredInputReportReasonSpam) ProtoMessage()

func (*PredInputReportReasonSpam) Reset

func (m *PredInputReportReasonSpam) Reset()

func (*PredInputReportReasonSpam) String

func (m *PredInputReportReasonSpam) String() string

func (*PredInputReportReasonSpam) ToType

func (p *PredInputReportReasonSpam) ToType() TL

func (*PredInputReportReasonSpam) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputReportReasonSpam) XXX_DiscardUnknown()

func (*PredInputReportReasonSpam) XXX_Marshal added in v0.4.1

func (m *PredInputReportReasonSpam) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputReportReasonSpam) XXX_Merge added in v0.4.1

func (dst *PredInputReportReasonSpam) XXX_Merge(src proto.Message)

func (*PredInputReportReasonSpam) XXX_Size added in v0.4.1

func (m *PredInputReportReasonSpam) XXX_Size() int

func (*PredInputReportReasonSpam) XXX_Unmarshal added in v0.4.1

func (m *PredInputReportReasonSpam) XXX_Unmarshal(b []byte) error

type PredInputReportReasonViolence

type PredInputReportReasonViolence struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputReportReasonViolence) Descriptor

func (*PredInputReportReasonViolence) Descriptor() ([]byte, []int)

func (*PredInputReportReasonViolence) ProtoMessage

func (*PredInputReportReasonViolence) ProtoMessage()

func (*PredInputReportReasonViolence) Reset

func (m *PredInputReportReasonViolence) Reset()

func (*PredInputReportReasonViolence) String

func (*PredInputReportReasonViolence) ToType

func (p *PredInputReportReasonViolence) ToType() TL

func (*PredInputReportReasonViolence) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputReportReasonViolence) XXX_DiscardUnknown()

func (*PredInputReportReasonViolence) XXX_Marshal added in v0.4.1

func (m *PredInputReportReasonViolence) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputReportReasonViolence) XXX_Merge added in v0.4.1

func (dst *PredInputReportReasonViolence) XXX_Merge(src proto.Message)

func (*PredInputReportReasonViolence) XXX_Size added in v0.4.1

func (m *PredInputReportReasonViolence) XXX_Size() int

func (*PredInputReportReasonViolence) XXX_Unmarshal added in v0.4.1

func (m *PredInputReportReasonViolence) XXX_Unmarshal(b []byte) error

type PredInputStickerSetEmpty

type PredInputStickerSetEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputStickerSetEmpty) Descriptor

func (*PredInputStickerSetEmpty) Descriptor() ([]byte, []int)

func (*PredInputStickerSetEmpty) ProtoMessage

func (*PredInputStickerSetEmpty) ProtoMessage()

func (*PredInputStickerSetEmpty) Reset

func (m *PredInputStickerSetEmpty) Reset()

func (*PredInputStickerSetEmpty) String

func (m *PredInputStickerSetEmpty) String() string

func (*PredInputStickerSetEmpty) ToType

func (p *PredInputStickerSetEmpty) ToType() TL

func (*PredInputStickerSetEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickerSetEmpty) XXX_DiscardUnknown()

func (*PredInputStickerSetEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputStickerSetEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickerSetEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputStickerSetEmpty) XXX_Merge(src proto.Message)

func (*PredInputStickerSetEmpty) XXX_Size added in v0.4.1

func (m *PredInputStickerSetEmpty) XXX_Size() int

func (*PredInputStickerSetEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickerSetEmpty) XXX_Unmarshal(b []byte) error

type PredInputStickerSetID

type PredInputStickerSetID struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputStickerSetID) Descriptor

func (*PredInputStickerSetID) Descriptor() ([]byte, []int)

func (*PredInputStickerSetID) GetAccessHash

func (m *PredInputStickerSetID) GetAccessHash() int64

func (*PredInputStickerSetID) GetId

func (m *PredInputStickerSetID) GetId() int64

func (*PredInputStickerSetID) ProtoMessage

func (*PredInputStickerSetID) ProtoMessage()

func (*PredInputStickerSetID) Reset

func (m *PredInputStickerSetID) Reset()

func (*PredInputStickerSetID) String

func (m *PredInputStickerSetID) String() string

func (*PredInputStickerSetID) ToType

func (p *PredInputStickerSetID) ToType() TL

func (*PredInputStickerSetID) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickerSetID) XXX_DiscardUnknown()

func (*PredInputStickerSetID) XXX_Marshal added in v0.4.1

func (m *PredInputStickerSetID) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickerSetID) XXX_Merge added in v0.4.1

func (dst *PredInputStickerSetID) XXX_Merge(src proto.Message)

func (*PredInputStickerSetID) XXX_Size added in v0.4.1

func (m *PredInputStickerSetID) XXX_Size() int

func (*PredInputStickerSetID) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickerSetID) XXX_Unmarshal(b []byte) error

type PredInputStickerSetItem

type PredInputStickerSetItem struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputDocument
	Document *TypeInputDocument `protobuf:"bytes,2,opt,name=Document" json:"Document,omitempty"`
	Emoji    string             `protobuf:"bytes,3,opt,name=Emoji" json:"Emoji,omitempty"`
	// default: MaskCoords
	MaskCoords           *TypeMaskCoords `protobuf:"bytes,4,opt,name=MaskCoords" json:"MaskCoords,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredInputStickerSetItem) Descriptor

func (*PredInputStickerSetItem) Descriptor() ([]byte, []int)

func (*PredInputStickerSetItem) GetDocument

func (m *PredInputStickerSetItem) GetDocument() *TypeInputDocument

func (*PredInputStickerSetItem) GetEmoji

func (m *PredInputStickerSetItem) GetEmoji() string

func (*PredInputStickerSetItem) GetFlags

func (m *PredInputStickerSetItem) GetFlags() int32

func (*PredInputStickerSetItem) GetMaskCoords

func (m *PredInputStickerSetItem) GetMaskCoords() *TypeMaskCoords

func (*PredInputStickerSetItem) ProtoMessage

func (*PredInputStickerSetItem) ProtoMessage()

func (*PredInputStickerSetItem) Reset

func (m *PredInputStickerSetItem) Reset()

func (*PredInputStickerSetItem) String

func (m *PredInputStickerSetItem) String() string

func (*PredInputStickerSetItem) ToType

func (p *PredInputStickerSetItem) ToType() TL

func (*PredInputStickerSetItem) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickerSetItem) XXX_DiscardUnknown()

func (*PredInputStickerSetItem) XXX_Marshal added in v0.4.1

func (m *PredInputStickerSetItem) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickerSetItem) XXX_Merge added in v0.4.1

func (dst *PredInputStickerSetItem) XXX_Merge(src proto.Message)

func (*PredInputStickerSetItem) XXX_Size added in v0.4.1

func (m *PredInputStickerSetItem) XXX_Size() int

func (*PredInputStickerSetItem) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickerSetItem) XXX_Unmarshal(b []byte) error

type PredInputStickerSetShortName

type PredInputStickerSetShortName struct {
	ShortName            string   `protobuf:"bytes,1,opt,name=ShortName" json:"ShortName,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputStickerSetShortName) Descriptor

func (*PredInputStickerSetShortName) Descriptor() ([]byte, []int)

func (*PredInputStickerSetShortName) GetShortName

func (m *PredInputStickerSetShortName) GetShortName() string

func (*PredInputStickerSetShortName) ProtoMessage

func (*PredInputStickerSetShortName) ProtoMessage()

func (*PredInputStickerSetShortName) Reset

func (m *PredInputStickerSetShortName) Reset()

func (*PredInputStickerSetShortName) String

func (*PredInputStickerSetShortName) ToType

func (p *PredInputStickerSetShortName) ToType() TL

func (*PredInputStickerSetShortName) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickerSetShortName) XXX_DiscardUnknown()

func (*PredInputStickerSetShortName) XXX_Marshal added in v0.4.1

func (m *PredInputStickerSetShortName) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickerSetShortName) XXX_Merge added in v0.4.1

func (dst *PredInputStickerSetShortName) XXX_Merge(src proto.Message)

func (*PredInputStickerSetShortName) XXX_Size added in v0.4.1

func (m *PredInputStickerSetShortName) XXX_Size() int

func (*PredInputStickerSetShortName) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickerSetShortName) XXX_Unmarshal(b []byte) error

type PredInputStickeredMediaDocument

type PredInputStickeredMediaDocument struct {
	// default: InputDocument
	Id                   *TypeInputDocument `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredInputStickeredMediaDocument) Descriptor

func (*PredInputStickeredMediaDocument) Descriptor() ([]byte, []int)

func (*PredInputStickeredMediaDocument) GetId

func (*PredInputStickeredMediaDocument) ProtoMessage

func (*PredInputStickeredMediaDocument) ProtoMessage()

func (*PredInputStickeredMediaDocument) Reset

func (*PredInputStickeredMediaDocument) String

func (*PredInputStickeredMediaDocument) ToType

func (p *PredInputStickeredMediaDocument) ToType() TL

func (*PredInputStickeredMediaDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickeredMediaDocument) XXX_DiscardUnknown()

func (*PredInputStickeredMediaDocument) XXX_Marshal added in v0.4.1

func (m *PredInputStickeredMediaDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickeredMediaDocument) XXX_Merge added in v0.4.1

func (dst *PredInputStickeredMediaDocument) XXX_Merge(src proto.Message)

func (*PredInputStickeredMediaDocument) XXX_Size added in v0.4.1

func (m *PredInputStickeredMediaDocument) XXX_Size() int

func (*PredInputStickeredMediaDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickeredMediaDocument) XXX_Unmarshal(b []byte) error

type PredInputStickeredMediaPhoto

type PredInputStickeredMediaPhoto struct {
	// default: InputPhoto
	Id                   *TypeInputPhoto `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredInputStickeredMediaPhoto) Descriptor

func (*PredInputStickeredMediaPhoto) Descriptor() ([]byte, []int)

func (*PredInputStickeredMediaPhoto) GetId

func (*PredInputStickeredMediaPhoto) ProtoMessage

func (*PredInputStickeredMediaPhoto) ProtoMessage()

func (*PredInputStickeredMediaPhoto) Reset

func (m *PredInputStickeredMediaPhoto) Reset()

func (*PredInputStickeredMediaPhoto) String

func (*PredInputStickeredMediaPhoto) ToType

func (p *PredInputStickeredMediaPhoto) ToType() TL

func (*PredInputStickeredMediaPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputStickeredMediaPhoto) XXX_DiscardUnknown()

func (*PredInputStickeredMediaPhoto) XXX_Marshal added in v0.4.1

func (m *PredInputStickeredMediaPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputStickeredMediaPhoto) XXX_Merge added in v0.4.1

func (dst *PredInputStickeredMediaPhoto) XXX_Merge(src proto.Message)

func (*PredInputStickeredMediaPhoto) XXX_Size added in v0.4.1

func (m *PredInputStickeredMediaPhoto) XXX_Size() int

func (*PredInputStickeredMediaPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredInputStickeredMediaPhoto) XXX_Unmarshal(b []byte) error

type PredInputUser

type PredInputUser struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputUser) Descriptor

func (*PredInputUser) Descriptor() ([]byte, []int)

func (*PredInputUser) GetAccessHash

func (m *PredInputUser) GetAccessHash() int64

func (*PredInputUser) GetUserId

func (m *PredInputUser) GetUserId() int32

func (*PredInputUser) ProtoMessage

func (*PredInputUser) ProtoMessage()

func (*PredInputUser) Reset

func (m *PredInputUser) Reset()

func (*PredInputUser) String

func (m *PredInputUser) String() string

func (*PredInputUser) ToType

func (p *PredInputUser) ToType() TL

func (*PredInputUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputUser) XXX_DiscardUnknown()

func (*PredInputUser) XXX_Marshal added in v0.4.1

func (m *PredInputUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputUser) XXX_Merge added in v0.4.1

func (dst *PredInputUser) XXX_Merge(src proto.Message)

func (*PredInputUser) XXX_Size added in v0.4.1

func (m *PredInputUser) XXX_Size() int

func (*PredInputUser) XXX_Unmarshal added in v0.4.1

func (m *PredInputUser) XXX_Unmarshal(b []byte) error

type PredInputUserEmpty

type PredInputUserEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputUserEmpty) Descriptor

func (*PredInputUserEmpty) Descriptor() ([]byte, []int)

func (*PredInputUserEmpty) ProtoMessage

func (*PredInputUserEmpty) ProtoMessage()

func (*PredInputUserEmpty) Reset

func (m *PredInputUserEmpty) Reset()

func (*PredInputUserEmpty) String

func (m *PredInputUserEmpty) String() string

func (*PredInputUserEmpty) ToType

func (p *PredInputUserEmpty) ToType() TL

func (*PredInputUserEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputUserEmpty) XXX_DiscardUnknown()

func (*PredInputUserEmpty) XXX_Marshal added in v0.4.1

func (m *PredInputUserEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputUserEmpty) XXX_Merge added in v0.4.1

func (dst *PredInputUserEmpty) XXX_Merge(src proto.Message)

func (*PredInputUserEmpty) XXX_Size added in v0.4.1

func (m *PredInputUserEmpty) XXX_Size() int

func (*PredInputUserEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredInputUserEmpty) XXX_Unmarshal(b []byte) error

type PredInputUserSelf

type PredInputUserSelf struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputUserSelf) Descriptor

func (*PredInputUserSelf) Descriptor() ([]byte, []int)

func (*PredInputUserSelf) ProtoMessage

func (*PredInputUserSelf) ProtoMessage()

func (*PredInputUserSelf) Reset

func (m *PredInputUserSelf) Reset()

func (*PredInputUserSelf) String

func (m *PredInputUserSelf) String() string

func (*PredInputUserSelf) ToType

func (p *PredInputUserSelf) ToType() TL

func (*PredInputUserSelf) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputUserSelf) XXX_DiscardUnknown()

func (*PredInputUserSelf) XXX_Marshal added in v0.4.1

func (m *PredInputUserSelf) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputUserSelf) XXX_Merge added in v0.4.1

func (dst *PredInputUserSelf) XXX_Merge(src proto.Message)

func (*PredInputUserSelf) XXX_Size added in v0.4.1

func (m *PredInputUserSelf) XXX_Size() int

func (*PredInputUserSelf) XXX_Unmarshal added in v0.4.1

func (m *PredInputUserSelf) XXX_Unmarshal(b []byte) error

type PredInputWebDocument

type PredInputWebDocument struct {
	Url      string `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	Size     int32  `protobuf:"varint,2,opt,name=Size" json:"Size,omitempty"`
	MimeType string `protobuf:"bytes,3,opt,name=MimeType" json:"MimeType,omitempty"`
	// default: Vector<DocumentAttribute>
	Attributes           []*TypeDocumentAttribute `protobuf:"bytes,4,rep,name=Attributes" json:"Attributes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredInputWebDocument) Descriptor

func (*PredInputWebDocument) Descriptor() ([]byte, []int)

func (*PredInputWebDocument) GetAttributes

func (m *PredInputWebDocument) GetAttributes() []*TypeDocumentAttribute

func (*PredInputWebDocument) GetMimeType

func (m *PredInputWebDocument) GetMimeType() string

func (*PredInputWebDocument) GetSize

func (m *PredInputWebDocument) GetSize() int32

func (*PredInputWebDocument) GetUrl

func (m *PredInputWebDocument) GetUrl() string

func (*PredInputWebDocument) ProtoMessage

func (*PredInputWebDocument) ProtoMessage()

func (*PredInputWebDocument) Reset

func (m *PredInputWebDocument) Reset()

func (*PredInputWebDocument) String

func (m *PredInputWebDocument) String() string

func (*PredInputWebDocument) ToType

func (p *PredInputWebDocument) ToType() TL

func (*PredInputWebDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputWebDocument) XXX_DiscardUnknown()

func (*PredInputWebDocument) XXX_Marshal added in v0.4.1

func (m *PredInputWebDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputWebDocument) XXX_Merge added in v0.4.1

func (dst *PredInputWebDocument) XXX_Merge(src proto.Message)

func (*PredInputWebDocument) XXX_Size added in v0.4.1

func (m *PredInputWebDocument) XXX_Size() int

func (*PredInputWebDocument) XXX_Unmarshal added in v0.4.1

func (m *PredInputWebDocument) XXX_Unmarshal(b []byte) error

type PredInputWebFileLocation

type PredInputWebFileLocation struct {
	Url                  string   `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	AccessHash           int64    `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredInputWebFileLocation) Descriptor

func (*PredInputWebFileLocation) Descriptor() ([]byte, []int)

func (*PredInputWebFileLocation) GetAccessHash

func (m *PredInputWebFileLocation) GetAccessHash() int64

func (*PredInputWebFileLocation) GetUrl

func (m *PredInputWebFileLocation) GetUrl() string

func (*PredInputWebFileLocation) ProtoMessage

func (*PredInputWebFileLocation) ProtoMessage()

func (*PredInputWebFileLocation) Reset

func (m *PredInputWebFileLocation) Reset()

func (*PredInputWebFileLocation) String

func (m *PredInputWebFileLocation) String() string

func (*PredInputWebFileLocation) ToType

func (p *PredInputWebFileLocation) ToType() TL

func (*PredInputWebFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredInputWebFileLocation) XXX_DiscardUnknown()

func (*PredInputWebFileLocation) XXX_Marshal added in v0.4.1

func (m *PredInputWebFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInputWebFileLocation) XXX_Merge added in v0.4.1

func (dst *PredInputWebFileLocation) XXX_Merge(src proto.Message)

func (*PredInputWebFileLocation) XXX_Size added in v0.4.1

func (m *PredInputWebFileLocation) XXX_Size() int

func (*PredInputWebFileLocation) XXX_Unmarshal added in v0.4.1

func (m *PredInputWebFileLocation) XXX_Unmarshal(b []byte) error

type PredInvoice

type PredInvoice struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Test	bool // flags.0?true
	// NameRequested	bool // flags.1?true
	// PhoneRequested	bool // flags.2?true
	// EmailRequested	bool // flags.3?true
	// ShippingAddressRequested	bool // flags.4?true
	// Flexible	bool // flags.5?true
	Currency string `protobuf:"bytes,8,opt,name=Currency" json:"Currency,omitempty"`
	// default: Vector<LabeledPrice>
	Prices               []*TypeLabeledPrice `protobuf:"bytes,9,rep,name=Prices" json:"Prices,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*PredInvoice) Descriptor

func (*PredInvoice) Descriptor() ([]byte, []int)

func (*PredInvoice) GetCurrency

func (m *PredInvoice) GetCurrency() string

func (*PredInvoice) GetFlags

func (m *PredInvoice) GetFlags() int32

func (*PredInvoice) GetPrices

func (m *PredInvoice) GetPrices() []*TypeLabeledPrice

func (*PredInvoice) ProtoMessage

func (*PredInvoice) ProtoMessage()

func (*PredInvoice) Reset

func (m *PredInvoice) Reset()

func (*PredInvoice) String

func (m *PredInvoice) String() string

func (*PredInvoice) ToType

func (p *PredInvoice) ToType() TL

func (*PredInvoice) XXX_DiscardUnknown added in v0.4.1

func (m *PredInvoice) XXX_DiscardUnknown()

func (*PredInvoice) XXX_Marshal added in v0.4.1

func (m *PredInvoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredInvoice) XXX_Merge added in v0.4.1

func (dst *PredInvoice) XXX_Merge(src proto.Message)

func (*PredInvoice) XXX_Size added in v0.4.1

func (m *PredInvoice) XXX_Size() int

func (*PredInvoice) XXX_Unmarshal added in v0.4.1

func (m *PredInvoice) XXX_Unmarshal(b []byte) error

type PredKeyboardButton

type PredKeyboardButton struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButton) Descriptor

func (*PredKeyboardButton) Descriptor() ([]byte, []int)

func (*PredKeyboardButton) GetText

func (m *PredKeyboardButton) GetText() string

func (*PredKeyboardButton) ProtoMessage

func (*PredKeyboardButton) ProtoMessage()

func (*PredKeyboardButton) Reset

func (m *PredKeyboardButton) Reset()

func (*PredKeyboardButton) String

func (m *PredKeyboardButton) String() string

func (*PredKeyboardButton) ToType

func (p *PredKeyboardButton) ToType() TL

func (*PredKeyboardButton) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButton) XXX_DiscardUnknown()

func (*PredKeyboardButton) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButton) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButton) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButton) XXX_Merge(src proto.Message)

func (*PredKeyboardButton) XXX_Size added in v0.4.1

func (m *PredKeyboardButton) XXX_Size() int

func (*PredKeyboardButton) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButton) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonBuy

type PredKeyboardButtonBuy struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonBuy) Descriptor

func (*PredKeyboardButtonBuy) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonBuy) GetText

func (m *PredKeyboardButtonBuy) GetText() string

func (*PredKeyboardButtonBuy) ProtoMessage

func (*PredKeyboardButtonBuy) ProtoMessage()

func (*PredKeyboardButtonBuy) Reset

func (m *PredKeyboardButtonBuy) Reset()

func (*PredKeyboardButtonBuy) String

func (m *PredKeyboardButtonBuy) String() string

func (*PredKeyboardButtonBuy) ToType

func (p *PredKeyboardButtonBuy) ToType() TL

func (*PredKeyboardButtonBuy) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonBuy) XXX_DiscardUnknown()

func (*PredKeyboardButtonBuy) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonBuy) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonBuy) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonBuy) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonBuy) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonBuy) XXX_Size() int

func (*PredKeyboardButtonBuy) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonBuy) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonCallback

type PredKeyboardButtonCallback struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	Data                 []byte   `protobuf:"bytes,2,opt,name=Data,proto3" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonCallback) Descriptor

func (*PredKeyboardButtonCallback) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonCallback) GetData

func (m *PredKeyboardButtonCallback) GetData() []byte

func (*PredKeyboardButtonCallback) GetText

func (m *PredKeyboardButtonCallback) GetText() string

func (*PredKeyboardButtonCallback) ProtoMessage

func (*PredKeyboardButtonCallback) ProtoMessage()

func (*PredKeyboardButtonCallback) Reset

func (m *PredKeyboardButtonCallback) Reset()

func (*PredKeyboardButtonCallback) String

func (m *PredKeyboardButtonCallback) String() string

func (*PredKeyboardButtonCallback) ToType

func (p *PredKeyboardButtonCallback) ToType() TL

func (*PredKeyboardButtonCallback) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonCallback) XXX_DiscardUnknown()

func (*PredKeyboardButtonCallback) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonCallback) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonCallback) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonCallback) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonCallback) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonCallback) XXX_Size() int

func (*PredKeyboardButtonCallback) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonCallback) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonGame

type PredKeyboardButtonGame struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonGame) Descriptor

func (*PredKeyboardButtonGame) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonGame) GetText

func (m *PredKeyboardButtonGame) GetText() string

func (*PredKeyboardButtonGame) ProtoMessage

func (*PredKeyboardButtonGame) ProtoMessage()

func (*PredKeyboardButtonGame) Reset

func (m *PredKeyboardButtonGame) Reset()

func (*PredKeyboardButtonGame) String

func (m *PredKeyboardButtonGame) String() string

func (*PredKeyboardButtonGame) ToType

func (p *PredKeyboardButtonGame) ToType() TL

func (*PredKeyboardButtonGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonGame) XXX_DiscardUnknown()

func (*PredKeyboardButtonGame) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonGame) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonGame) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonGame) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonGame) XXX_Size() int

func (*PredKeyboardButtonGame) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonGame) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonRequestGeoLocation

type PredKeyboardButtonRequestGeoLocation struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonRequestGeoLocation) Descriptor

func (*PredKeyboardButtonRequestGeoLocation) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonRequestGeoLocation) GetText

func (*PredKeyboardButtonRequestGeoLocation) ProtoMessage

func (*PredKeyboardButtonRequestGeoLocation) ProtoMessage()

func (*PredKeyboardButtonRequestGeoLocation) Reset

func (*PredKeyboardButtonRequestGeoLocation) String

func (*PredKeyboardButtonRequestGeoLocation) ToType

func (*PredKeyboardButtonRequestGeoLocation) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonRequestGeoLocation) XXX_DiscardUnknown()

func (*PredKeyboardButtonRequestGeoLocation) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonRequestGeoLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonRequestGeoLocation) XXX_Merge added in v0.4.1

func (*PredKeyboardButtonRequestGeoLocation) XXX_Size added in v0.4.1

func (*PredKeyboardButtonRequestGeoLocation) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonRequestGeoLocation) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonRequestPhone

type PredKeyboardButtonRequestPhone struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonRequestPhone) Descriptor

func (*PredKeyboardButtonRequestPhone) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonRequestPhone) GetText

func (*PredKeyboardButtonRequestPhone) ProtoMessage

func (*PredKeyboardButtonRequestPhone) ProtoMessage()

func (*PredKeyboardButtonRequestPhone) Reset

func (m *PredKeyboardButtonRequestPhone) Reset()

func (*PredKeyboardButtonRequestPhone) String

func (*PredKeyboardButtonRequestPhone) ToType

func (p *PredKeyboardButtonRequestPhone) ToType() TL

func (*PredKeyboardButtonRequestPhone) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonRequestPhone) XXX_DiscardUnknown()

func (*PredKeyboardButtonRequestPhone) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonRequestPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonRequestPhone) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonRequestPhone) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonRequestPhone) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonRequestPhone) XXX_Size() int

func (*PredKeyboardButtonRequestPhone) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonRequestPhone) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonRow

type PredKeyboardButtonRow struct {
	// default: Vector<KeyboardButton>
	Buttons              []*TypeKeyboardButton `protobuf:"bytes,1,rep,name=Buttons" json:"Buttons,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredKeyboardButtonRow) Descriptor

func (*PredKeyboardButtonRow) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonRow) GetButtons

func (m *PredKeyboardButtonRow) GetButtons() []*TypeKeyboardButton

func (*PredKeyboardButtonRow) ProtoMessage

func (*PredKeyboardButtonRow) ProtoMessage()

func (*PredKeyboardButtonRow) Reset

func (m *PredKeyboardButtonRow) Reset()

func (*PredKeyboardButtonRow) String

func (m *PredKeyboardButtonRow) String() string

func (*PredKeyboardButtonRow) ToType

func (p *PredKeyboardButtonRow) ToType() TL

func (*PredKeyboardButtonRow) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonRow) XXX_DiscardUnknown()

func (*PredKeyboardButtonRow) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonRow) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonRow) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonRow) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonRow) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonRow) XXX_Size() int

func (*PredKeyboardButtonRow) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonRow) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonSwitchInline

type PredKeyboardButtonSwitchInline struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// SamePeer	bool // flags.0?true
	Text                 string   `protobuf:"bytes,3,opt,name=Text" json:"Text,omitempty"`
	Query                string   `protobuf:"bytes,4,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonSwitchInline) Descriptor

func (*PredKeyboardButtonSwitchInline) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonSwitchInline) GetFlags

func (m *PredKeyboardButtonSwitchInline) GetFlags() int32

func (*PredKeyboardButtonSwitchInline) GetQuery

func (m *PredKeyboardButtonSwitchInline) GetQuery() string

func (*PredKeyboardButtonSwitchInline) GetText

func (*PredKeyboardButtonSwitchInline) ProtoMessage

func (*PredKeyboardButtonSwitchInline) ProtoMessage()

func (*PredKeyboardButtonSwitchInline) Reset

func (m *PredKeyboardButtonSwitchInline) Reset()

func (*PredKeyboardButtonSwitchInline) String

func (*PredKeyboardButtonSwitchInline) ToType

func (p *PredKeyboardButtonSwitchInline) ToType() TL

func (*PredKeyboardButtonSwitchInline) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonSwitchInline) XXX_DiscardUnknown()

func (*PredKeyboardButtonSwitchInline) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonSwitchInline) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonSwitchInline) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonSwitchInline) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonSwitchInline) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonSwitchInline) XXX_Size() int

func (*PredKeyboardButtonSwitchInline) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonSwitchInline) XXX_Unmarshal(b []byte) error

type PredKeyboardButtonUrl

type PredKeyboardButtonUrl struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	Url                  string   `protobuf:"bytes,2,opt,name=Url" json:"Url,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredKeyboardButtonUrl) Descriptor

func (*PredKeyboardButtonUrl) Descriptor() ([]byte, []int)

func (*PredKeyboardButtonUrl) GetText

func (m *PredKeyboardButtonUrl) GetText() string

func (*PredKeyboardButtonUrl) GetUrl

func (m *PredKeyboardButtonUrl) GetUrl() string

func (*PredKeyboardButtonUrl) ProtoMessage

func (*PredKeyboardButtonUrl) ProtoMessage()

func (*PredKeyboardButtonUrl) Reset

func (m *PredKeyboardButtonUrl) Reset()

func (*PredKeyboardButtonUrl) String

func (m *PredKeyboardButtonUrl) String() string

func (*PredKeyboardButtonUrl) ToType

func (p *PredKeyboardButtonUrl) ToType() TL

func (*PredKeyboardButtonUrl) XXX_DiscardUnknown added in v0.4.1

func (m *PredKeyboardButtonUrl) XXX_DiscardUnknown()

func (*PredKeyboardButtonUrl) XXX_Marshal added in v0.4.1

func (m *PredKeyboardButtonUrl) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredKeyboardButtonUrl) XXX_Merge added in v0.4.1

func (dst *PredKeyboardButtonUrl) XXX_Merge(src proto.Message)

func (*PredKeyboardButtonUrl) XXX_Size added in v0.4.1

func (m *PredKeyboardButtonUrl) XXX_Size() int

func (*PredKeyboardButtonUrl) XXX_Unmarshal added in v0.4.1

func (m *PredKeyboardButtonUrl) XXX_Unmarshal(b []byte) error

type PredLabeledPrice

type PredLabeledPrice struct {
	Label                string   `protobuf:"bytes,1,opt,name=Label" json:"Label,omitempty"`
	Amount               int64    `protobuf:"varint,2,opt,name=Amount" json:"Amount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredLabeledPrice) Descriptor

func (*PredLabeledPrice) Descriptor() ([]byte, []int)

func (*PredLabeledPrice) GetAmount

func (m *PredLabeledPrice) GetAmount() int64

func (*PredLabeledPrice) GetLabel

func (m *PredLabeledPrice) GetLabel() string

func (*PredLabeledPrice) ProtoMessage

func (*PredLabeledPrice) ProtoMessage()

func (*PredLabeledPrice) Reset

func (m *PredLabeledPrice) Reset()

func (*PredLabeledPrice) String

func (m *PredLabeledPrice) String() string

func (*PredLabeledPrice) ToType

func (p *PredLabeledPrice) ToType() TL

func (*PredLabeledPrice) XXX_DiscardUnknown added in v0.4.1

func (m *PredLabeledPrice) XXX_DiscardUnknown()

func (*PredLabeledPrice) XXX_Marshal added in v0.4.1

func (m *PredLabeledPrice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLabeledPrice) XXX_Merge added in v0.4.1

func (dst *PredLabeledPrice) XXX_Merge(src proto.Message)

func (*PredLabeledPrice) XXX_Size added in v0.4.1

func (m *PredLabeledPrice) XXX_Size() int

func (*PredLabeledPrice) XXX_Unmarshal added in v0.4.1

func (m *PredLabeledPrice) XXX_Unmarshal(b []byte) error

type PredLangPackDifference

type PredLangPackDifference struct {
	LangCode    string `protobuf:"bytes,1,opt,name=LangCode" json:"LangCode,omitempty"`
	FromVersion int32  `protobuf:"varint,2,opt,name=FromVersion" json:"FromVersion,omitempty"`
	Version     int32  `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	// default: Vector<LangPackString>
	Strings              []*TypeLangPackString `protobuf:"bytes,4,rep,name=Strings" json:"Strings,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredLangPackDifference) Descriptor

func (*PredLangPackDifference) Descriptor() ([]byte, []int)

func (*PredLangPackDifference) GetFromVersion

func (m *PredLangPackDifference) GetFromVersion() int32

func (*PredLangPackDifference) GetLangCode

func (m *PredLangPackDifference) GetLangCode() string

func (*PredLangPackDifference) GetStrings

func (m *PredLangPackDifference) GetStrings() []*TypeLangPackString

func (*PredLangPackDifference) GetVersion

func (m *PredLangPackDifference) GetVersion() int32

func (*PredLangPackDifference) ProtoMessage

func (*PredLangPackDifference) ProtoMessage()

func (*PredLangPackDifference) Reset

func (m *PredLangPackDifference) Reset()

func (*PredLangPackDifference) String

func (m *PredLangPackDifference) String() string

func (*PredLangPackDifference) ToType

func (p *PredLangPackDifference) ToType() TL

func (*PredLangPackDifference) XXX_DiscardUnknown added in v0.4.1

func (m *PredLangPackDifference) XXX_DiscardUnknown()

func (*PredLangPackDifference) XXX_Marshal added in v0.4.1

func (m *PredLangPackDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLangPackDifference) XXX_Merge added in v0.4.1

func (dst *PredLangPackDifference) XXX_Merge(src proto.Message)

func (*PredLangPackDifference) XXX_Size added in v0.4.1

func (m *PredLangPackDifference) XXX_Size() int

func (*PredLangPackDifference) XXX_Unmarshal added in v0.4.1

func (m *PredLangPackDifference) XXX_Unmarshal(b []byte) error

type PredLangPackLanguage

type PredLangPackLanguage struct {
	Name                 string   `protobuf:"bytes,1,opt,name=Name" json:"Name,omitempty"`
	NativeName           string   `protobuf:"bytes,2,opt,name=NativeName" json:"NativeName,omitempty"`
	LangCode             string   `protobuf:"bytes,3,opt,name=LangCode" json:"LangCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredLangPackLanguage) Descriptor

func (*PredLangPackLanguage) Descriptor() ([]byte, []int)

func (*PredLangPackLanguage) GetLangCode

func (m *PredLangPackLanguage) GetLangCode() string

func (*PredLangPackLanguage) GetName

func (m *PredLangPackLanguage) GetName() string

func (*PredLangPackLanguage) GetNativeName

func (m *PredLangPackLanguage) GetNativeName() string

func (*PredLangPackLanguage) ProtoMessage

func (*PredLangPackLanguage) ProtoMessage()

func (*PredLangPackLanguage) Reset

func (m *PredLangPackLanguage) Reset()

func (*PredLangPackLanguage) String

func (m *PredLangPackLanguage) String() string

func (*PredLangPackLanguage) ToType

func (p *PredLangPackLanguage) ToType() TL

func (*PredLangPackLanguage) XXX_DiscardUnknown added in v0.4.1

func (m *PredLangPackLanguage) XXX_DiscardUnknown()

func (*PredLangPackLanguage) XXX_Marshal added in v0.4.1

func (m *PredLangPackLanguage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLangPackLanguage) XXX_Merge added in v0.4.1

func (dst *PredLangPackLanguage) XXX_Merge(src proto.Message)

func (*PredLangPackLanguage) XXX_Size added in v0.4.1

func (m *PredLangPackLanguage) XXX_Size() int

func (*PredLangPackLanguage) XXX_Unmarshal added in v0.4.1

func (m *PredLangPackLanguage) XXX_Unmarshal(b []byte) error

type PredLangPackString

type PredLangPackString struct {
	Key                  string   `protobuf:"bytes,1,opt,name=Key" json:"Key,omitempty"`
	Value                string   `protobuf:"bytes,2,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredLangPackString) Descriptor

func (*PredLangPackString) Descriptor() ([]byte, []int)

func (*PredLangPackString) GetKey

func (m *PredLangPackString) GetKey() string

func (*PredLangPackString) GetValue

func (m *PredLangPackString) GetValue() string

func (*PredLangPackString) ProtoMessage

func (*PredLangPackString) ProtoMessage()

func (*PredLangPackString) Reset

func (m *PredLangPackString) Reset()

func (*PredLangPackString) String

func (m *PredLangPackString) String() string

func (*PredLangPackString) ToType

func (p *PredLangPackString) ToType() TL

func (*PredLangPackString) XXX_DiscardUnknown added in v0.4.1

func (m *PredLangPackString) XXX_DiscardUnknown()

func (*PredLangPackString) XXX_Marshal added in v0.4.1

func (m *PredLangPackString) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLangPackString) XXX_Merge added in v0.4.1

func (dst *PredLangPackString) XXX_Merge(src proto.Message)

func (*PredLangPackString) XXX_Size added in v0.4.1

func (m *PredLangPackString) XXX_Size() int

func (*PredLangPackString) XXX_Unmarshal added in v0.4.1

func (m *PredLangPackString) XXX_Unmarshal(b []byte) error

type PredLangPackStringDeleted

type PredLangPackStringDeleted struct {
	Key                  string   `protobuf:"bytes,1,opt,name=Key" json:"Key,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredLangPackStringDeleted) Descriptor

func (*PredLangPackStringDeleted) Descriptor() ([]byte, []int)

func (*PredLangPackStringDeleted) GetKey

func (m *PredLangPackStringDeleted) GetKey() string

func (*PredLangPackStringDeleted) ProtoMessage

func (*PredLangPackStringDeleted) ProtoMessage()

func (*PredLangPackStringDeleted) Reset

func (m *PredLangPackStringDeleted) Reset()

func (*PredLangPackStringDeleted) String

func (m *PredLangPackStringDeleted) String() string

func (*PredLangPackStringDeleted) ToType

func (p *PredLangPackStringDeleted) ToType() TL

func (*PredLangPackStringDeleted) XXX_DiscardUnknown added in v0.4.1

func (m *PredLangPackStringDeleted) XXX_DiscardUnknown()

func (*PredLangPackStringDeleted) XXX_Marshal added in v0.4.1

func (m *PredLangPackStringDeleted) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLangPackStringDeleted) XXX_Merge added in v0.4.1

func (dst *PredLangPackStringDeleted) XXX_Merge(src proto.Message)

func (*PredLangPackStringDeleted) XXX_Size added in v0.4.1

func (m *PredLangPackStringDeleted) XXX_Size() int

func (*PredLangPackStringDeleted) XXX_Unmarshal added in v0.4.1

func (m *PredLangPackStringDeleted) XXX_Unmarshal(b []byte) error

type PredLangPackStringPluralized

type PredLangPackStringPluralized struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Key                  string   `protobuf:"bytes,2,opt,name=Key" json:"Key,omitempty"`
	ZeroValue            string   `protobuf:"bytes,3,opt,name=ZeroValue" json:"ZeroValue,omitempty"`
	OneValue             string   `protobuf:"bytes,4,opt,name=OneValue" json:"OneValue,omitempty"`
	TwoValue             string   `protobuf:"bytes,5,opt,name=TwoValue" json:"TwoValue,omitempty"`
	FewValue             string   `protobuf:"bytes,6,opt,name=FewValue" json:"FewValue,omitempty"`
	ManyValue            string   `protobuf:"bytes,7,opt,name=ManyValue" json:"ManyValue,omitempty"`
	OtherValue           string   `protobuf:"bytes,8,opt,name=OtherValue" json:"OtherValue,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredLangPackStringPluralized) Descriptor

func (*PredLangPackStringPluralized) Descriptor() ([]byte, []int)

func (*PredLangPackStringPluralized) GetFewValue

func (m *PredLangPackStringPluralized) GetFewValue() string

func (*PredLangPackStringPluralized) GetFlags

func (m *PredLangPackStringPluralized) GetFlags() int32

func (*PredLangPackStringPluralized) GetKey

func (*PredLangPackStringPluralized) GetManyValue

func (m *PredLangPackStringPluralized) GetManyValue() string

func (*PredLangPackStringPluralized) GetOneValue

func (m *PredLangPackStringPluralized) GetOneValue() string

func (*PredLangPackStringPluralized) GetOtherValue

func (m *PredLangPackStringPluralized) GetOtherValue() string

func (*PredLangPackStringPluralized) GetTwoValue

func (m *PredLangPackStringPluralized) GetTwoValue() string

func (*PredLangPackStringPluralized) GetZeroValue

func (m *PredLangPackStringPluralized) GetZeroValue() string

func (*PredLangPackStringPluralized) ProtoMessage

func (*PredLangPackStringPluralized) ProtoMessage()

func (*PredLangPackStringPluralized) Reset

func (m *PredLangPackStringPluralized) Reset()

func (*PredLangPackStringPluralized) String

func (*PredLangPackStringPluralized) ToType

func (p *PredLangPackStringPluralized) ToType() TL

func (*PredLangPackStringPluralized) XXX_DiscardUnknown added in v0.4.1

func (m *PredLangPackStringPluralized) XXX_DiscardUnknown()

func (*PredLangPackStringPluralized) XXX_Marshal added in v0.4.1

func (m *PredLangPackStringPluralized) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredLangPackStringPluralized) XXX_Merge added in v0.4.1

func (dst *PredLangPackStringPluralized) XXX_Merge(src proto.Message)

func (*PredLangPackStringPluralized) XXX_Size added in v0.4.1

func (m *PredLangPackStringPluralized) XXX_Size() int

func (*PredLangPackStringPluralized) XXX_Unmarshal added in v0.4.1

func (m *PredLangPackStringPluralized) XXX_Unmarshal(b []byte) error

type PredMaskCoords

type PredMaskCoords struct {
	N                    int32    `protobuf:"varint,1,opt,name=N" json:"N,omitempty"`
	X                    float64  `protobuf:"fixed64,2,opt,name=X" json:"X,omitempty"`
	Y                    float64  `protobuf:"fixed64,3,opt,name=Y" json:"Y,omitempty"`
	Zoom                 float64  `protobuf:"fixed64,4,opt,name=Zoom" json:"Zoom,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMaskCoords) Descriptor

func (*PredMaskCoords) Descriptor() ([]byte, []int)

func (*PredMaskCoords) GetN

func (m *PredMaskCoords) GetN() int32

func (*PredMaskCoords) GetX

func (m *PredMaskCoords) GetX() float64

func (*PredMaskCoords) GetY

func (m *PredMaskCoords) GetY() float64

func (*PredMaskCoords) GetZoom

func (m *PredMaskCoords) GetZoom() float64

func (*PredMaskCoords) ProtoMessage

func (*PredMaskCoords) ProtoMessage()

func (*PredMaskCoords) Reset

func (m *PredMaskCoords) Reset()

func (*PredMaskCoords) String

func (m *PredMaskCoords) String() string

func (*PredMaskCoords) ToType

func (p *PredMaskCoords) ToType() TL

func (*PredMaskCoords) XXX_DiscardUnknown added in v0.4.1

func (m *PredMaskCoords) XXX_DiscardUnknown()

func (*PredMaskCoords) XXX_Marshal added in v0.4.1

func (m *PredMaskCoords) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMaskCoords) XXX_Merge added in v0.4.1

func (dst *PredMaskCoords) XXX_Merge(src proto.Message)

func (*PredMaskCoords) XXX_Size added in v0.4.1

func (m *PredMaskCoords) XXX_Size() int

func (*PredMaskCoords) XXX_Unmarshal added in v0.4.1

func (m *PredMaskCoords) XXX_Unmarshal(b []byte) error

type PredMessage

type PredMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Out	bool // flags.1?true
	// Mentioned	bool // flags.4?true
	// MediaUnread	bool // flags.5?true
	// Silent	bool // flags.13?true
	// Post	bool // flags.14?true
	Id     int32 `protobuf:"varint,7,opt,name=Id" json:"Id,omitempty"`
	FromId int32 `protobuf:"varint,8,opt,name=FromId" json:"FromId,omitempty"`
	// default: Peer
	ToId *TypePeer `protobuf:"bytes,9,opt,name=ToId" json:"ToId,omitempty"`
	// default: MessageFwdHeader
	FwdFrom      *TypeMessageFwdHeader `protobuf:"bytes,10,opt,name=FwdFrom" json:"FwdFrom,omitempty"`
	ViaBotId     int32                 `protobuf:"varint,11,opt,name=ViaBotId" json:"ViaBotId,omitempty"`
	ReplyToMsgId int32                 `protobuf:"varint,12,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	Date         int32                 `protobuf:"varint,13,opt,name=Date" json:"Date,omitempty"`
	Message      string                `protobuf:"bytes,14,opt,name=Message" json:"Message,omitempty"`
	// default: MessageMedia
	Media *TypeMessageMedia `protobuf:"bytes,15,opt,name=Media" json:"Media,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup *TypeReplyMarkup `protobuf:"bytes,16,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,17,rep,name=Entities" json:"Entities,omitempty"`
	Views                int32                `protobuf:"varint,18,opt,name=Views" json:"Views,omitempty"`
	EditDate             int32                `protobuf:"varint,19,opt,name=EditDate" json:"EditDate,omitempty"`
	PostAuthor           string               `protobuf:"bytes,20,opt,name=PostAuthor" json:"PostAuthor,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredMessage) Descriptor

func (*PredMessage) Descriptor() ([]byte, []int)

func (*PredMessage) GetDate

func (m *PredMessage) GetDate() int32

func (*PredMessage) GetEditDate

func (m *PredMessage) GetEditDate() int32

func (*PredMessage) GetEntities

func (m *PredMessage) GetEntities() []*TypeMessageEntity

func (*PredMessage) GetFlags

func (m *PredMessage) GetFlags() int32

func (*PredMessage) GetFromId

func (m *PredMessage) GetFromId() int32

func (*PredMessage) GetFwdFrom

func (m *PredMessage) GetFwdFrom() *TypeMessageFwdHeader

func (*PredMessage) GetId

func (m *PredMessage) GetId() int32

func (*PredMessage) GetMedia

func (m *PredMessage) GetMedia() *TypeMessageMedia

func (*PredMessage) GetMessage

func (m *PredMessage) GetMessage() string

func (*PredMessage) GetPostAuthor

func (m *PredMessage) GetPostAuthor() string

func (*PredMessage) GetReplyMarkup

func (m *PredMessage) GetReplyMarkup() *TypeReplyMarkup

func (*PredMessage) GetReplyToMsgId

func (m *PredMessage) GetReplyToMsgId() int32

func (*PredMessage) GetToId

func (m *PredMessage) GetToId() *TypePeer

func (*PredMessage) GetViaBotId

func (m *PredMessage) GetViaBotId() int32

func (*PredMessage) GetViews

func (m *PredMessage) GetViews() int32

func (*PredMessage) ProtoMessage

func (*PredMessage) ProtoMessage()

func (*PredMessage) Reset

func (m *PredMessage) Reset()

func (*PredMessage) String

func (m *PredMessage) String() string

func (*PredMessage) ToType

func (p *PredMessage) ToType() TL

func (*PredMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessage) XXX_DiscardUnknown()

func (*PredMessage) XXX_Marshal added in v0.4.1

func (m *PredMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessage) XXX_Merge added in v0.4.1

func (dst *PredMessage) XXX_Merge(src proto.Message)

func (*PredMessage) XXX_Size added in v0.4.1

func (m *PredMessage) XXX_Size() int

func (*PredMessage) XXX_Unmarshal added in v0.4.1

func (m *PredMessage) XXX_Unmarshal(b []byte) error

type PredMessageActionChannelCreate

type PredMessageActionChannelCreate struct {
	Title                string   `protobuf:"bytes,1,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChannelCreate) Descriptor

func (*PredMessageActionChannelCreate) Descriptor() ([]byte, []int)

func (*PredMessageActionChannelCreate) GetTitle

func (m *PredMessageActionChannelCreate) GetTitle() string

func (*PredMessageActionChannelCreate) ProtoMessage

func (*PredMessageActionChannelCreate) ProtoMessage()

func (*PredMessageActionChannelCreate) Reset

func (m *PredMessageActionChannelCreate) Reset()

func (*PredMessageActionChannelCreate) String

func (*PredMessageActionChannelCreate) ToType

func (p *PredMessageActionChannelCreate) ToType() TL

func (*PredMessageActionChannelCreate) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChannelCreate) XXX_DiscardUnknown()

func (*PredMessageActionChannelCreate) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChannelCreate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChannelCreate) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChannelCreate) XXX_Merge(src proto.Message)

func (*PredMessageActionChannelCreate) XXX_Size added in v0.4.1

func (m *PredMessageActionChannelCreate) XXX_Size() int

func (*PredMessageActionChannelCreate) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChannelCreate) XXX_Unmarshal(b []byte) error

type PredMessageActionChannelMigrateFrom

type PredMessageActionChannelMigrateFrom struct {
	Title                string   `protobuf:"bytes,1,opt,name=Title" json:"Title,omitempty"`
	ChatId               int32    `protobuf:"varint,2,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChannelMigrateFrom) Descriptor

func (*PredMessageActionChannelMigrateFrom) Descriptor() ([]byte, []int)

func (*PredMessageActionChannelMigrateFrom) GetChatId

func (*PredMessageActionChannelMigrateFrom) GetTitle

func (*PredMessageActionChannelMigrateFrom) ProtoMessage

func (*PredMessageActionChannelMigrateFrom) ProtoMessage()

func (*PredMessageActionChannelMigrateFrom) Reset

func (*PredMessageActionChannelMigrateFrom) String

func (*PredMessageActionChannelMigrateFrom) ToType

func (*PredMessageActionChannelMigrateFrom) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChannelMigrateFrom) XXX_DiscardUnknown()

func (*PredMessageActionChannelMigrateFrom) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChannelMigrateFrom) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChannelMigrateFrom) XXX_Merge added in v0.4.1

func (*PredMessageActionChannelMigrateFrom) XXX_Size added in v0.4.1

func (*PredMessageActionChannelMigrateFrom) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChannelMigrateFrom) XXX_Unmarshal(b []byte) error

type PredMessageActionChatAddUser

type PredMessageActionChatAddUser struct {
	Users                []int32  `protobuf:"varint,1,rep,packed,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatAddUser) Descriptor

func (*PredMessageActionChatAddUser) Descriptor() ([]byte, []int)

func (*PredMessageActionChatAddUser) GetUsers

func (m *PredMessageActionChatAddUser) GetUsers() []int32

func (*PredMessageActionChatAddUser) ProtoMessage

func (*PredMessageActionChatAddUser) ProtoMessage()

func (*PredMessageActionChatAddUser) Reset

func (m *PredMessageActionChatAddUser) Reset()

func (*PredMessageActionChatAddUser) String

func (*PredMessageActionChatAddUser) ToType

func (p *PredMessageActionChatAddUser) ToType() TL

func (*PredMessageActionChatAddUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatAddUser) XXX_DiscardUnknown()

func (*PredMessageActionChatAddUser) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatAddUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatAddUser) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatAddUser) XXX_Merge(src proto.Message)

func (*PredMessageActionChatAddUser) XXX_Size added in v0.4.1

func (m *PredMessageActionChatAddUser) XXX_Size() int

func (*PredMessageActionChatAddUser) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatAddUser) XXX_Unmarshal(b []byte) error

type PredMessageActionChatCreate

type PredMessageActionChatCreate struct {
	Title                string   `protobuf:"bytes,1,opt,name=Title" json:"Title,omitempty"`
	Users                []int32  `protobuf:"varint,2,rep,packed,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatCreate) Descriptor

func (*PredMessageActionChatCreate) Descriptor() ([]byte, []int)

func (*PredMessageActionChatCreate) GetTitle

func (m *PredMessageActionChatCreate) GetTitle() string

func (*PredMessageActionChatCreate) GetUsers

func (m *PredMessageActionChatCreate) GetUsers() []int32

func (*PredMessageActionChatCreate) ProtoMessage

func (*PredMessageActionChatCreate) ProtoMessage()

func (*PredMessageActionChatCreate) Reset

func (m *PredMessageActionChatCreate) Reset()

func (*PredMessageActionChatCreate) String

func (m *PredMessageActionChatCreate) String() string

func (*PredMessageActionChatCreate) ToType

func (p *PredMessageActionChatCreate) ToType() TL

func (*PredMessageActionChatCreate) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatCreate) XXX_DiscardUnknown()

func (*PredMessageActionChatCreate) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatCreate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatCreate) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatCreate) XXX_Merge(src proto.Message)

func (*PredMessageActionChatCreate) XXX_Size added in v0.4.1

func (m *PredMessageActionChatCreate) XXX_Size() int

func (*PredMessageActionChatCreate) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatCreate) XXX_Unmarshal(b []byte) error

type PredMessageActionChatDeletePhoto

type PredMessageActionChatDeletePhoto struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatDeletePhoto) Descriptor

func (*PredMessageActionChatDeletePhoto) Descriptor() ([]byte, []int)

func (*PredMessageActionChatDeletePhoto) ProtoMessage

func (*PredMessageActionChatDeletePhoto) ProtoMessage()

func (*PredMessageActionChatDeletePhoto) Reset

func (*PredMessageActionChatDeletePhoto) String

func (*PredMessageActionChatDeletePhoto) ToType

func (*PredMessageActionChatDeletePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatDeletePhoto) XXX_DiscardUnknown()

func (*PredMessageActionChatDeletePhoto) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatDeletePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatDeletePhoto) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatDeletePhoto) XXX_Merge(src proto.Message)

func (*PredMessageActionChatDeletePhoto) XXX_Size added in v0.4.1

func (m *PredMessageActionChatDeletePhoto) XXX_Size() int

func (*PredMessageActionChatDeletePhoto) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatDeletePhoto) XXX_Unmarshal(b []byte) error

type PredMessageActionChatDeleteUser

type PredMessageActionChatDeleteUser struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatDeleteUser) Descriptor

func (*PredMessageActionChatDeleteUser) Descriptor() ([]byte, []int)

func (*PredMessageActionChatDeleteUser) GetUserId

func (m *PredMessageActionChatDeleteUser) GetUserId() int32

func (*PredMessageActionChatDeleteUser) ProtoMessage

func (*PredMessageActionChatDeleteUser) ProtoMessage()

func (*PredMessageActionChatDeleteUser) Reset

func (*PredMessageActionChatDeleteUser) String

func (*PredMessageActionChatDeleteUser) ToType

func (p *PredMessageActionChatDeleteUser) ToType() TL

func (*PredMessageActionChatDeleteUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatDeleteUser) XXX_DiscardUnknown()

func (*PredMessageActionChatDeleteUser) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatDeleteUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatDeleteUser) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatDeleteUser) XXX_Merge(src proto.Message)

func (*PredMessageActionChatDeleteUser) XXX_Size added in v0.4.1

func (m *PredMessageActionChatDeleteUser) XXX_Size() int

func (*PredMessageActionChatDeleteUser) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatDeleteUser) XXX_Unmarshal(b []byte) error

type PredMessageActionChatEditPhoto

type PredMessageActionChatEditPhoto struct {
	// default: Photo
	Photo                *TypePhoto `protobuf:"bytes,1,opt,name=Photo" json:"Photo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}   `json:"-"`
	XXX_unrecognized     []byte     `json:"-"`
	XXX_sizecache        int32      `json:"-"`
}

func (*PredMessageActionChatEditPhoto) Descriptor

func (*PredMessageActionChatEditPhoto) Descriptor() ([]byte, []int)

func (*PredMessageActionChatEditPhoto) GetPhoto

func (*PredMessageActionChatEditPhoto) ProtoMessage

func (*PredMessageActionChatEditPhoto) ProtoMessage()

func (*PredMessageActionChatEditPhoto) Reset

func (m *PredMessageActionChatEditPhoto) Reset()

func (*PredMessageActionChatEditPhoto) String

func (*PredMessageActionChatEditPhoto) ToType

func (p *PredMessageActionChatEditPhoto) ToType() TL

func (*PredMessageActionChatEditPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatEditPhoto) XXX_DiscardUnknown()

func (*PredMessageActionChatEditPhoto) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatEditPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatEditPhoto) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatEditPhoto) XXX_Merge(src proto.Message)

func (*PredMessageActionChatEditPhoto) XXX_Size added in v0.4.1

func (m *PredMessageActionChatEditPhoto) XXX_Size() int

func (*PredMessageActionChatEditPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatEditPhoto) XXX_Unmarshal(b []byte) error

type PredMessageActionChatEditTitle

type PredMessageActionChatEditTitle struct {
	Title                string   `protobuf:"bytes,1,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatEditTitle) Descriptor

func (*PredMessageActionChatEditTitle) Descriptor() ([]byte, []int)

func (*PredMessageActionChatEditTitle) GetTitle

func (m *PredMessageActionChatEditTitle) GetTitle() string

func (*PredMessageActionChatEditTitle) ProtoMessage

func (*PredMessageActionChatEditTitle) ProtoMessage()

func (*PredMessageActionChatEditTitle) Reset

func (m *PredMessageActionChatEditTitle) Reset()

func (*PredMessageActionChatEditTitle) String

func (*PredMessageActionChatEditTitle) ToType

func (p *PredMessageActionChatEditTitle) ToType() TL

func (*PredMessageActionChatEditTitle) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatEditTitle) XXX_DiscardUnknown()

func (*PredMessageActionChatEditTitle) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatEditTitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatEditTitle) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatEditTitle) XXX_Merge(src proto.Message)

func (*PredMessageActionChatEditTitle) XXX_Size added in v0.4.1

func (m *PredMessageActionChatEditTitle) XXX_Size() int

func (*PredMessageActionChatEditTitle) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatEditTitle) XXX_Unmarshal(b []byte) error
type PredMessageActionChatJoinedByLink struct {
	InviterId            int32    `protobuf:"varint,1,opt,name=InviterId" json:"InviterId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatJoinedByLink) Descriptor

func (*PredMessageActionChatJoinedByLink) Descriptor() ([]byte, []int)

func (*PredMessageActionChatJoinedByLink) GetInviterId

func (m *PredMessageActionChatJoinedByLink) GetInviterId() int32

func (*PredMessageActionChatJoinedByLink) ProtoMessage

func (*PredMessageActionChatJoinedByLink) ProtoMessage()

func (*PredMessageActionChatJoinedByLink) Reset

func (*PredMessageActionChatJoinedByLink) String

func (*PredMessageActionChatJoinedByLink) ToType

func (*PredMessageActionChatJoinedByLink) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatJoinedByLink) XXX_DiscardUnknown()

func (*PredMessageActionChatJoinedByLink) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatJoinedByLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatJoinedByLink) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatJoinedByLink) XXX_Merge(src proto.Message)

func (*PredMessageActionChatJoinedByLink) XXX_Size added in v0.4.1

func (m *PredMessageActionChatJoinedByLink) XXX_Size() int

func (*PredMessageActionChatJoinedByLink) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatJoinedByLink) XXX_Unmarshal(b []byte) error

type PredMessageActionChatMigrateTo

type PredMessageActionChatMigrateTo struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionChatMigrateTo) Descriptor

func (*PredMessageActionChatMigrateTo) Descriptor() ([]byte, []int)

func (*PredMessageActionChatMigrateTo) GetChannelId

func (m *PredMessageActionChatMigrateTo) GetChannelId() int32

func (*PredMessageActionChatMigrateTo) ProtoMessage

func (*PredMessageActionChatMigrateTo) ProtoMessage()

func (*PredMessageActionChatMigrateTo) Reset

func (m *PredMessageActionChatMigrateTo) Reset()

func (*PredMessageActionChatMigrateTo) String

func (*PredMessageActionChatMigrateTo) ToType

func (p *PredMessageActionChatMigrateTo) ToType() TL

func (*PredMessageActionChatMigrateTo) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionChatMigrateTo) XXX_DiscardUnknown()

func (*PredMessageActionChatMigrateTo) XXX_Marshal added in v0.4.1

func (m *PredMessageActionChatMigrateTo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionChatMigrateTo) XXX_Merge added in v0.4.1

func (dst *PredMessageActionChatMigrateTo) XXX_Merge(src proto.Message)

func (*PredMessageActionChatMigrateTo) XXX_Size added in v0.4.1

func (m *PredMessageActionChatMigrateTo) XXX_Size() int

func (*PredMessageActionChatMigrateTo) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionChatMigrateTo) XXX_Unmarshal(b []byte) error

type PredMessageActionEmpty

type PredMessageActionEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionEmpty) Descriptor

func (*PredMessageActionEmpty) Descriptor() ([]byte, []int)

func (*PredMessageActionEmpty) ProtoMessage

func (*PredMessageActionEmpty) ProtoMessage()

func (*PredMessageActionEmpty) Reset

func (m *PredMessageActionEmpty) Reset()

func (*PredMessageActionEmpty) String

func (m *PredMessageActionEmpty) String() string

func (*PredMessageActionEmpty) ToType

func (p *PredMessageActionEmpty) ToType() TL

func (*PredMessageActionEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionEmpty) XXX_DiscardUnknown()

func (*PredMessageActionEmpty) XXX_Marshal added in v0.4.1

func (m *PredMessageActionEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionEmpty) XXX_Merge added in v0.4.1

func (dst *PredMessageActionEmpty) XXX_Merge(src proto.Message)

func (*PredMessageActionEmpty) XXX_Size added in v0.4.1

func (m *PredMessageActionEmpty) XXX_Size() int

func (*PredMessageActionEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionEmpty) XXX_Unmarshal(b []byte) error

type PredMessageActionGameScore

type PredMessageActionGameScore struct {
	GameId               int64    `protobuf:"varint,1,opt,name=GameId" json:"GameId,omitempty"`
	Score                int32    `protobuf:"varint,2,opt,name=Score" json:"Score,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionGameScore) Descriptor

func (*PredMessageActionGameScore) Descriptor() ([]byte, []int)

func (*PredMessageActionGameScore) GetGameId

func (m *PredMessageActionGameScore) GetGameId() int64

func (*PredMessageActionGameScore) GetScore

func (m *PredMessageActionGameScore) GetScore() int32

func (*PredMessageActionGameScore) ProtoMessage

func (*PredMessageActionGameScore) ProtoMessage()

func (*PredMessageActionGameScore) Reset

func (m *PredMessageActionGameScore) Reset()

func (*PredMessageActionGameScore) String

func (m *PredMessageActionGameScore) String() string

func (*PredMessageActionGameScore) ToType

func (p *PredMessageActionGameScore) ToType() TL

func (*PredMessageActionGameScore) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionGameScore) XXX_DiscardUnknown()

func (*PredMessageActionGameScore) XXX_Marshal added in v0.4.1

func (m *PredMessageActionGameScore) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionGameScore) XXX_Merge added in v0.4.1

func (dst *PredMessageActionGameScore) XXX_Merge(src proto.Message)

func (*PredMessageActionGameScore) XXX_Size added in v0.4.1

func (m *PredMessageActionGameScore) XXX_Size() int

func (*PredMessageActionGameScore) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionGameScore) XXX_Unmarshal(b []byte) error

type PredMessageActionHistoryClear

type PredMessageActionHistoryClear struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionHistoryClear) Descriptor

func (*PredMessageActionHistoryClear) Descriptor() ([]byte, []int)

func (*PredMessageActionHistoryClear) ProtoMessage

func (*PredMessageActionHistoryClear) ProtoMessage()

func (*PredMessageActionHistoryClear) Reset

func (m *PredMessageActionHistoryClear) Reset()

func (*PredMessageActionHistoryClear) String

func (*PredMessageActionHistoryClear) ToType

func (p *PredMessageActionHistoryClear) ToType() TL

func (*PredMessageActionHistoryClear) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionHistoryClear) XXX_DiscardUnknown()

func (*PredMessageActionHistoryClear) XXX_Marshal added in v0.4.1

func (m *PredMessageActionHistoryClear) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionHistoryClear) XXX_Merge added in v0.4.1

func (dst *PredMessageActionHistoryClear) XXX_Merge(src proto.Message)

func (*PredMessageActionHistoryClear) XXX_Size added in v0.4.1

func (m *PredMessageActionHistoryClear) XXX_Size() int

func (*PredMessageActionHistoryClear) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionHistoryClear) XXX_Unmarshal(b []byte) error

type PredMessageActionPaymentSent

type PredMessageActionPaymentSent struct {
	Currency             string   `protobuf:"bytes,1,opt,name=Currency" json:"Currency,omitempty"`
	TotalAmount          int64    `protobuf:"varint,2,opt,name=TotalAmount" json:"TotalAmount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionPaymentSent) Descriptor

func (*PredMessageActionPaymentSent) Descriptor() ([]byte, []int)

func (*PredMessageActionPaymentSent) GetCurrency

func (m *PredMessageActionPaymentSent) GetCurrency() string

func (*PredMessageActionPaymentSent) GetTotalAmount

func (m *PredMessageActionPaymentSent) GetTotalAmount() int64

func (*PredMessageActionPaymentSent) ProtoMessage

func (*PredMessageActionPaymentSent) ProtoMessage()

func (*PredMessageActionPaymentSent) Reset

func (m *PredMessageActionPaymentSent) Reset()

func (*PredMessageActionPaymentSent) String

func (*PredMessageActionPaymentSent) ToType

func (p *PredMessageActionPaymentSent) ToType() TL

func (*PredMessageActionPaymentSent) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionPaymentSent) XXX_DiscardUnknown()

func (*PredMessageActionPaymentSent) XXX_Marshal added in v0.4.1

func (m *PredMessageActionPaymentSent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionPaymentSent) XXX_Merge added in v0.4.1

func (dst *PredMessageActionPaymentSent) XXX_Merge(src proto.Message)

func (*PredMessageActionPaymentSent) XXX_Size added in v0.4.1

func (m *PredMessageActionPaymentSent) XXX_Size() int

func (*PredMessageActionPaymentSent) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionPaymentSent) XXX_Unmarshal(b []byte) error

type PredMessageActionPaymentSentMe

type PredMessageActionPaymentSentMe struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Currency    string `protobuf:"bytes,2,opt,name=Currency" json:"Currency,omitempty"`
	TotalAmount int64  `protobuf:"varint,3,opt,name=TotalAmount" json:"TotalAmount,omitempty"`
	Payload     []byte `protobuf:"bytes,4,opt,name=Payload,proto3" json:"Payload,omitempty"`
	// default: PaymentRequestedInfo
	Info             *TypePaymentRequestedInfo `protobuf:"bytes,5,opt,name=Info" json:"Info,omitempty"`
	ShippingOptionId string                    `protobuf:"bytes,6,opt,name=ShippingOptionId" json:"ShippingOptionId,omitempty"`
	// default: PaymentCharge
	Charge               *TypePaymentCharge `protobuf:"bytes,7,opt,name=Charge" json:"Charge,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredMessageActionPaymentSentMe) Descriptor

func (*PredMessageActionPaymentSentMe) Descriptor() ([]byte, []int)

func (*PredMessageActionPaymentSentMe) GetCharge

func (*PredMessageActionPaymentSentMe) GetCurrency

func (m *PredMessageActionPaymentSentMe) GetCurrency() string

func (*PredMessageActionPaymentSentMe) GetFlags

func (m *PredMessageActionPaymentSentMe) GetFlags() int32

func (*PredMessageActionPaymentSentMe) GetInfo

func (*PredMessageActionPaymentSentMe) GetPayload

func (m *PredMessageActionPaymentSentMe) GetPayload() []byte

func (*PredMessageActionPaymentSentMe) GetShippingOptionId

func (m *PredMessageActionPaymentSentMe) GetShippingOptionId() string

func (*PredMessageActionPaymentSentMe) GetTotalAmount

func (m *PredMessageActionPaymentSentMe) GetTotalAmount() int64

func (*PredMessageActionPaymentSentMe) ProtoMessage

func (*PredMessageActionPaymentSentMe) ProtoMessage()

func (*PredMessageActionPaymentSentMe) Reset

func (m *PredMessageActionPaymentSentMe) Reset()

func (*PredMessageActionPaymentSentMe) String

func (*PredMessageActionPaymentSentMe) ToType

func (p *PredMessageActionPaymentSentMe) ToType() TL

func (*PredMessageActionPaymentSentMe) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionPaymentSentMe) XXX_DiscardUnknown()

func (*PredMessageActionPaymentSentMe) XXX_Marshal added in v0.4.1

func (m *PredMessageActionPaymentSentMe) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionPaymentSentMe) XXX_Merge added in v0.4.1

func (dst *PredMessageActionPaymentSentMe) XXX_Merge(src proto.Message)

func (*PredMessageActionPaymentSentMe) XXX_Size added in v0.4.1

func (m *PredMessageActionPaymentSentMe) XXX_Size() int

func (*PredMessageActionPaymentSentMe) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionPaymentSentMe) XXX_Unmarshal(b []byte) error

type PredMessageActionPhoneCall

type PredMessageActionPhoneCall struct {
	Flags  int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	CallId int64 `protobuf:"varint,2,opt,name=CallId" json:"CallId,omitempty"`
	// default: PhoneCallDiscardReason
	Reason               *TypePhoneCallDiscardReason `protobuf:"bytes,3,opt,name=Reason" json:"Reason,omitempty"`
	Duration             int32                       `protobuf:"varint,4,opt,name=Duration" json:"Duration,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*PredMessageActionPhoneCall) Descriptor

func (*PredMessageActionPhoneCall) Descriptor() ([]byte, []int)

func (*PredMessageActionPhoneCall) GetCallId

func (m *PredMessageActionPhoneCall) GetCallId() int64

func (*PredMessageActionPhoneCall) GetDuration

func (m *PredMessageActionPhoneCall) GetDuration() int32

func (*PredMessageActionPhoneCall) GetFlags

func (m *PredMessageActionPhoneCall) GetFlags() int32

func (*PredMessageActionPhoneCall) GetReason

func (*PredMessageActionPhoneCall) ProtoMessage

func (*PredMessageActionPhoneCall) ProtoMessage()

func (*PredMessageActionPhoneCall) Reset

func (m *PredMessageActionPhoneCall) Reset()

func (*PredMessageActionPhoneCall) String

func (m *PredMessageActionPhoneCall) String() string

func (*PredMessageActionPhoneCall) ToType

func (p *PredMessageActionPhoneCall) ToType() TL

func (*PredMessageActionPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionPhoneCall) XXX_DiscardUnknown()

func (*PredMessageActionPhoneCall) XXX_Marshal added in v0.4.1

func (m *PredMessageActionPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionPhoneCall) XXX_Merge added in v0.4.1

func (dst *PredMessageActionPhoneCall) XXX_Merge(src proto.Message)

func (*PredMessageActionPhoneCall) XXX_Size added in v0.4.1

func (m *PredMessageActionPhoneCall) XXX_Size() int

func (*PredMessageActionPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionPhoneCall) XXX_Unmarshal(b []byte) error

type PredMessageActionPinMessage

type PredMessageActionPinMessage struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionPinMessage) Descriptor

func (*PredMessageActionPinMessage) Descriptor() ([]byte, []int)

func (*PredMessageActionPinMessage) ProtoMessage

func (*PredMessageActionPinMessage) ProtoMessage()

func (*PredMessageActionPinMessage) Reset

func (m *PredMessageActionPinMessage) Reset()

func (*PredMessageActionPinMessage) String

func (m *PredMessageActionPinMessage) String() string

func (*PredMessageActionPinMessage) ToType

func (p *PredMessageActionPinMessage) ToType() TL

func (*PredMessageActionPinMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionPinMessage) XXX_DiscardUnknown()

func (*PredMessageActionPinMessage) XXX_Marshal added in v0.4.1

func (m *PredMessageActionPinMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionPinMessage) XXX_Merge added in v0.4.1

func (dst *PredMessageActionPinMessage) XXX_Merge(src proto.Message)

func (*PredMessageActionPinMessage) XXX_Size added in v0.4.1

func (m *PredMessageActionPinMessage) XXX_Size() int

func (*PredMessageActionPinMessage) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionPinMessage) XXX_Unmarshal(b []byte) error

type PredMessageActionScreenshotTaken

type PredMessageActionScreenshotTaken struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageActionScreenshotTaken) Descriptor

func (*PredMessageActionScreenshotTaken) Descriptor() ([]byte, []int)

func (*PredMessageActionScreenshotTaken) ProtoMessage

func (*PredMessageActionScreenshotTaken) ProtoMessage()

func (*PredMessageActionScreenshotTaken) Reset

func (*PredMessageActionScreenshotTaken) String

func (*PredMessageActionScreenshotTaken) ToType

func (*PredMessageActionScreenshotTaken) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageActionScreenshotTaken) XXX_DiscardUnknown()

func (*PredMessageActionScreenshotTaken) XXX_Marshal added in v0.4.1

func (m *PredMessageActionScreenshotTaken) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageActionScreenshotTaken) XXX_Merge added in v0.4.1

func (dst *PredMessageActionScreenshotTaken) XXX_Merge(src proto.Message)

func (*PredMessageActionScreenshotTaken) XXX_Size added in v0.4.1

func (m *PredMessageActionScreenshotTaken) XXX_Size() int

func (*PredMessageActionScreenshotTaken) XXX_Unmarshal added in v0.4.1

func (m *PredMessageActionScreenshotTaken) XXX_Unmarshal(b []byte) error

type PredMessageEmpty

type PredMessageEmpty struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEmpty) Descriptor

func (*PredMessageEmpty) Descriptor() ([]byte, []int)

func (*PredMessageEmpty) GetId

func (m *PredMessageEmpty) GetId() int32

func (*PredMessageEmpty) ProtoMessage

func (*PredMessageEmpty) ProtoMessage()

func (*PredMessageEmpty) Reset

func (m *PredMessageEmpty) Reset()

func (*PredMessageEmpty) String

func (m *PredMessageEmpty) String() string

func (*PredMessageEmpty) ToType

func (p *PredMessageEmpty) ToType() TL

func (*PredMessageEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEmpty) XXX_DiscardUnknown()

func (*PredMessageEmpty) XXX_Marshal added in v0.4.1

func (m *PredMessageEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEmpty) XXX_Merge added in v0.4.1

func (dst *PredMessageEmpty) XXX_Merge(src proto.Message)

func (*PredMessageEmpty) XXX_Size added in v0.4.1

func (m *PredMessageEmpty) XXX_Size() int

func (*PredMessageEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEmpty) XXX_Unmarshal(b []byte) error

type PredMessageEntityBold

type PredMessageEntityBold struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityBold) Descriptor

func (*PredMessageEntityBold) Descriptor() ([]byte, []int)

func (*PredMessageEntityBold) GetLength

func (m *PredMessageEntityBold) GetLength() int32

func (*PredMessageEntityBold) GetOffset

func (m *PredMessageEntityBold) GetOffset() int32

func (*PredMessageEntityBold) ProtoMessage

func (*PredMessageEntityBold) ProtoMessage()

func (*PredMessageEntityBold) Reset

func (m *PredMessageEntityBold) Reset()

func (*PredMessageEntityBold) String

func (m *PredMessageEntityBold) String() string

func (*PredMessageEntityBold) ToType

func (p *PredMessageEntityBold) ToType() TL

func (*PredMessageEntityBold) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityBold) XXX_DiscardUnknown()

func (*PredMessageEntityBold) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityBold) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityBold) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityBold) XXX_Merge(src proto.Message)

func (*PredMessageEntityBold) XXX_Size added in v0.4.1

func (m *PredMessageEntityBold) XXX_Size() int

func (*PredMessageEntityBold) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityBold) XXX_Unmarshal(b []byte) error

type PredMessageEntityBotCommand

type PredMessageEntityBotCommand struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityBotCommand) Descriptor

func (*PredMessageEntityBotCommand) Descriptor() ([]byte, []int)

func (*PredMessageEntityBotCommand) GetLength

func (m *PredMessageEntityBotCommand) GetLength() int32

func (*PredMessageEntityBotCommand) GetOffset

func (m *PredMessageEntityBotCommand) GetOffset() int32

func (*PredMessageEntityBotCommand) ProtoMessage

func (*PredMessageEntityBotCommand) ProtoMessage()

func (*PredMessageEntityBotCommand) Reset

func (m *PredMessageEntityBotCommand) Reset()

func (*PredMessageEntityBotCommand) String

func (m *PredMessageEntityBotCommand) String() string

func (*PredMessageEntityBotCommand) ToType

func (p *PredMessageEntityBotCommand) ToType() TL

func (*PredMessageEntityBotCommand) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityBotCommand) XXX_DiscardUnknown()

func (*PredMessageEntityBotCommand) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityBotCommand) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityBotCommand) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityBotCommand) XXX_Merge(src proto.Message)

func (*PredMessageEntityBotCommand) XXX_Size added in v0.4.1

func (m *PredMessageEntityBotCommand) XXX_Size() int

func (*PredMessageEntityBotCommand) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityBotCommand) XXX_Unmarshal(b []byte) error

type PredMessageEntityCode

type PredMessageEntityCode struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityCode) Descriptor

func (*PredMessageEntityCode) Descriptor() ([]byte, []int)

func (*PredMessageEntityCode) GetLength

func (m *PredMessageEntityCode) GetLength() int32

func (*PredMessageEntityCode) GetOffset

func (m *PredMessageEntityCode) GetOffset() int32

func (*PredMessageEntityCode) ProtoMessage

func (*PredMessageEntityCode) ProtoMessage()

func (*PredMessageEntityCode) Reset

func (m *PredMessageEntityCode) Reset()

func (*PredMessageEntityCode) String

func (m *PredMessageEntityCode) String() string

func (*PredMessageEntityCode) ToType

func (p *PredMessageEntityCode) ToType() TL

func (*PredMessageEntityCode) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityCode) XXX_DiscardUnknown()

func (*PredMessageEntityCode) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityCode) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityCode) XXX_Merge(src proto.Message)

func (*PredMessageEntityCode) XXX_Size added in v0.4.1

func (m *PredMessageEntityCode) XXX_Size() int

func (*PredMessageEntityCode) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityCode) XXX_Unmarshal(b []byte) error

type PredMessageEntityEmail

type PredMessageEntityEmail struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityEmail) Descriptor

func (*PredMessageEntityEmail) Descriptor() ([]byte, []int)

func (*PredMessageEntityEmail) GetLength

func (m *PredMessageEntityEmail) GetLength() int32

func (*PredMessageEntityEmail) GetOffset

func (m *PredMessageEntityEmail) GetOffset() int32

func (*PredMessageEntityEmail) ProtoMessage

func (*PredMessageEntityEmail) ProtoMessage()

func (*PredMessageEntityEmail) Reset

func (m *PredMessageEntityEmail) Reset()

func (*PredMessageEntityEmail) String

func (m *PredMessageEntityEmail) String() string

func (*PredMessageEntityEmail) ToType

func (p *PredMessageEntityEmail) ToType() TL

func (*PredMessageEntityEmail) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityEmail) XXX_DiscardUnknown()

func (*PredMessageEntityEmail) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityEmail) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityEmail) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityEmail) XXX_Merge(src proto.Message)

func (*PredMessageEntityEmail) XXX_Size added in v0.4.1

func (m *PredMessageEntityEmail) XXX_Size() int

func (*PredMessageEntityEmail) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityEmail) XXX_Unmarshal(b []byte) error

type PredMessageEntityHashtag

type PredMessageEntityHashtag struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityHashtag) Descriptor

func (*PredMessageEntityHashtag) Descriptor() ([]byte, []int)

func (*PredMessageEntityHashtag) GetLength

func (m *PredMessageEntityHashtag) GetLength() int32

func (*PredMessageEntityHashtag) GetOffset

func (m *PredMessageEntityHashtag) GetOffset() int32

func (*PredMessageEntityHashtag) ProtoMessage

func (*PredMessageEntityHashtag) ProtoMessage()

func (*PredMessageEntityHashtag) Reset

func (m *PredMessageEntityHashtag) Reset()

func (*PredMessageEntityHashtag) String

func (m *PredMessageEntityHashtag) String() string

func (*PredMessageEntityHashtag) ToType

func (p *PredMessageEntityHashtag) ToType() TL

func (*PredMessageEntityHashtag) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityHashtag) XXX_DiscardUnknown()

func (*PredMessageEntityHashtag) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityHashtag) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityHashtag) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityHashtag) XXX_Merge(src proto.Message)

func (*PredMessageEntityHashtag) XXX_Size added in v0.4.1

func (m *PredMessageEntityHashtag) XXX_Size() int

func (*PredMessageEntityHashtag) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityHashtag) XXX_Unmarshal(b []byte) error

type PredMessageEntityItalic

type PredMessageEntityItalic struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityItalic) Descriptor

func (*PredMessageEntityItalic) Descriptor() ([]byte, []int)

func (*PredMessageEntityItalic) GetLength

func (m *PredMessageEntityItalic) GetLength() int32

func (*PredMessageEntityItalic) GetOffset

func (m *PredMessageEntityItalic) GetOffset() int32

func (*PredMessageEntityItalic) ProtoMessage

func (*PredMessageEntityItalic) ProtoMessage()

func (*PredMessageEntityItalic) Reset

func (m *PredMessageEntityItalic) Reset()

func (*PredMessageEntityItalic) String

func (m *PredMessageEntityItalic) String() string

func (*PredMessageEntityItalic) ToType

func (p *PredMessageEntityItalic) ToType() TL

func (*PredMessageEntityItalic) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityItalic) XXX_DiscardUnknown()

func (*PredMessageEntityItalic) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityItalic) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityItalic) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityItalic) XXX_Merge(src proto.Message)

func (*PredMessageEntityItalic) XXX_Size added in v0.4.1

func (m *PredMessageEntityItalic) XXX_Size() int

func (*PredMessageEntityItalic) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityItalic) XXX_Unmarshal(b []byte) error

type PredMessageEntityMention

type PredMessageEntityMention struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityMention) Descriptor

func (*PredMessageEntityMention) Descriptor() ([]byte, []int)

func (*PredMessageEntityMention) GetLength

func (m *PredMessageEntityMention) GetLength() int32

func (*PredMessageEntityMention) GetOffset

func (m *PredMessageEntityMention) GetOffset() int32

func (*PredMessageEntityMention) ProtoMessage

func (*PredMessageEntityMention) ProtoMessage()

func (*PredMessageEntityMention) Reset

func (m *PredMessageEntityMention) Reset()

func (*PredMessageEntityMention) String

func (m *PredMessageEntityMention) String() string

func (*PredMessageEntityMention) ToType

func (p *PredMessageEntityMention) ToType() TL

func (*PredMessageEntityMention) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityMention) XXX_DiscardUnknown()

func (*PredMessageEntityMention) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityMention) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityMention) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityMention) XXX_Merge(src proto.Message)

func (*PredMessageEntityMention) XXX_Size added in v0.4.1

func (m *PredMessageEntityMention) XXX_Size() int

func (*PredMessageEntityMention) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityMention) XXX_Unmarshal(b []byte) error

type PredMessageEntityMentionName

type PredMessageEntityMentionName struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	UserId               int32    `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityMentionName) Descriptor

func (*PredMessageEntityMentionName) Descriptor() ([]byte, []int)

func (*PredMessageEntityMentionName) GetLength

func (m *PredMessageEntityMentionName) GetLength() int32

func (*PredMessageEntityMentionName) GetOffset

func (m *PredMessageEntityMentionName) GetOffset() int32

func (*PredMessageEntityMentionName) GetUserId

func (m *PredMessageEntityMentionName) GetUserId() int32

func (*PredMessageEntityMentionName) ProtoMessage

func (*PredMessageEntityMentionName) ProtoMessage()

func (*PredMessageEntityMentionName) Reset

func (m *PredMessageEntityMentionName) Reset()

func (*PredMessageEntityMentionName) String

func (*PredMessageEntityMentionName) ToType

func (p *PredMessageEntityMentionName) ToType() TL

func (*PredMessageEntityMentionName) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityMentionName) XXX_DiscardUnknown()

func (*PredMessageEntityMentionName) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityMentionName) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityMentionName) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityMentionName) XXX_Merge(src proto.Message)

func (*PredMessageEntityMentionName) XXX_Size added in v0.4.1

func (m *PredMessageEntityMentionName) XXX_Size() int

func (*PredMessageEntityMentionName) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityMentionName) XXX_Unmarshal(b []byte) error

type PredMessageEntityPre

type PredMessageEntityPre struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	Language             string   `protobuf:"bytes,3,opt,name=Language" json:"Language,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityPre) Descriptor

func (*PredMessageEntityPre) Descriptor() ([]byte, []int)

func (*PredMessageEntityPre) GetLanguage

func (m *PredMessageEntityPre) GetLanguage() string

func (*PredMessageEntityPre) GetLength

func (m *PredMessageEntityPre) GetLength() int32

func (*PredMessageEntityPre) GetOffset

func (m *PredMessageEntityPre) GetOffset() int32

func (*PredMessageEntityPre) ProtoMessage

func (*PredMessageEntityPre) ProtoMessage()

func (*PredMessageEntityPre) Reset

func (m *PredMessageEntityPre) Reset()

func (*PredMessageEntityPre) String

func (m *PredMessageEntityPre) String() string

func (*PredMessageEntityPre) ToType

func (p *PredMessageEntityPre) ToType() TL

func (*PredMessageEntityPre) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityPre) XXX_DiscardUnknown()

func (*PredMessageEntityPre) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityPre) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityPre) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityPre) XXX_Merge(src proto.Message)

func (*PredMessageEntityPre) XXX_Size added in v0.4.1

func (m *PredMessageEntityPre) XXX_Size() int

func (*PredMessageEntityPre) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityPre) XXX_Unmarshal(b []byte) error

type PredMessageEntityTextUrl

type PredMessageEntityTextUrl struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	Url                  string   `protobuf:"bytes,3,opt,name=Url" json:"Url,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityTextUrl) Descriptor

func (*PredMessageEntityTextUrl) Descriptor() ([]byte, []int)

func (*PredMessageEntityTextUrl) GetLength

func (m *PredMessageEntityTextUrl) GetLength() int32

func (*PredMessageEntityTextUrl) GetOffset

func (m *PredMessageEntityTextUrl) GetOffset() int32

func (*PredMessageEntityTextUrl) GetUrl

func (m *PredMessageEntityTextUrl) GetUrl() string

func (*PredMessageEntityTextUrl) ProtoMessage

func (*PredMessageEntityTextUrl) ProtoMessage()

func (*PredMessageEntityTextUrl) Reset

func (m *PredMessageEntityTextUrl) Reset()

func (*PredMessageEntityTextUrl) String

func (m *PredMessageEntityTextUrl) String() string

func (*PredMessageEntityTextUrl) ToType

func (p *PredMessageEntityTextUrl) ToType() TL

func (*PredMessageEntityTextUrl) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityTextUrl) XXX_DiscardUnknown()

func (*PredMessageEntityTextUrl) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityTextUrl) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityTextUrl) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityTextUrl) XXX_Merge(src proto.Message)

func (*PredMessageEntityTextUrl) XXX_Size added in v0.4.1

func (m *PredMessageEntityTextUrl) XXX_Size() int

func (*PredMessageEntityTextUrl) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityTextUrl) XXX_Unmarshal(b []byte) error

type PredMessageEntityUnknown

type PredMessageEntityUnknown struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityUnknown) Descriptor

func (*PredMessageEntityUnknown) Descriptor() ([]byte, []int)

func (*PredMessageEntityUnknown) GetLength

func (m *PredMessageEntityUnknown) GetLength() int32

func (*PredMessageEntityUnknown) GetOffset

func (m *PredMessageEntityUnknown) GetOffset() int32

func (*PredMessageEntityUnknown) ProtoMessage

func (*PredMessageEntityUnknown) ProtoMessage()

func (*PredMessageEntityUnknown) Reset

func (m *PredMessageEntityUnknown) Reset()

func (*PredMessageEntityUnknown) String

func (m *PredMessageEntityUnknown) String() string

func (*PredMessageEntityUnknown) ToType

func (p *PredMessageEntityUnknown) ToType() TL

func (*PredMessageEntityUnknown) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityUnknown) XXX_DiscardUnknown()

func (*PredMessageEntityUnknown) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityUnknown) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityUnknown) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityUnknown) XXX_Merge(src proto.Message)

func (*PredMessageEntityUnknown) XXX_Size added in v0.4.1

func (m *PredMessageEntityUnknown) XXX_Size() int

func (*PredMessageEntityUnknown) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityUnknown) XXX_Unmarshal(b []byte) error

type PredMessageEntityUrl

type PredMessageEntityUrl struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Length               int32    `protobuf:"varint,2,opt,name=Length" json:"Length,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageEntityUrl) Descriptor

func (*PredMessageEntityUrl) Descriptor() ([]byte, []int)

func (*PredMessageEntityUrl) GetLength

func (m *PredMessageEntityUrl) GetLength() int32

func (*PredMessageEntityUrl) GetOffset

func (m *PredMessageEntityUrl) GetOffset() int32

func (*PredMessageEntityUrl) ProtoMessage

func (*PredMessageEntityUrl) ProtoMessage()

func (*PredMessageEntityUrl) Reset

func (m *PredMessageEntityUrl) Reset()

func (*PredMessageEntityUrl) String

func (m *PredMessageEntityUrl) String() string

func (*PredMessageEntityUrl) ToType

func (p *PredMessageEntityUrl) ToType() TL

func (*PredMessageEntityUrl) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageEntityUrl) XXX_DiscardUnknown()

func (*PredMessageEntityUrl) XXX_Marshal added in v0.4.1

func (m *PredMessageEntityUrl) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageEntityUrl) XXX_Merge added in v0.4.1

func (dst *PredMessageEntityUrl) XXX_Merge(src proto.Message)

func (*PredMessageEntityUrl) XXX_Size added in v0.4.1

func (m *PredMessageEntityUrl) XXX_Size() int

func (*PredMessageEntityUrl) XXX_Unmarshal added in v0.4.1

func (m *PredMessageEntityUrl) XXX_Unmarshal(b []byte) error

type PredMessageFwdHeader

type PredMessageFwdHeader struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	FromId               int32    `protobuf:"varint,2,opt,name=FromId" json:"FromId,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	ChannelId            int32    `protobuf:"varint,4,opt,name=ChannelId" json:"ChannelId,omitempty"`
	ChannelPost          int32    `protobuf:"varint,5,opt,name=ChannelPost" json:"ChannelPost,omitempty"`
	PostAuthor           string   `protobuf:"bytes,6,opt,name=PostAuthor" json:"PostAuthor,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageFwdHeader) Descriptor

func (*PredMessageFwdHeader) Descriptor() ([]byte, []int)

func (*PredMessageFwdHeader) GetChannelId

func (m *PredMessageFwdHeader) GetChannelId() int32

func (*PredMessageFwdHeader) GetChannelPost

func (m *PredMessageFwdHeader) GetChannelPost() int32

func (*PredMessageFwdHeader) GetDate

func (m *PredMessageFwdHeader) GetDate() int32

func (*PredMessageFwdHeader) GetFlags

func (m *PredMessageFwdHeader) GetFlags() int32

func (*PredMessageFwdHeader) GetFromId

func (m *PredMessageFwdHeader) GetFromId() int32

func (*PredMessageFwdHeader) GetPostAuthor

func (m *PredMessageFwdHeader) GetPostAuthor() string

func (*PredMessageFwdHeader) ProtoMessage

func (*PredMessageFwdHeader) ProtoMessage()

func (*PredMessageFwdHeader) Reset

func (m *PredMessageFwdHeader) Reset()

func (*PredMessageFwdHeader) String

func (m *PredMessageFwdHeader) String() string

func (*PredMessageFwdHeader) ToType

func (p *PredMessageFwdHeader) ToType() TL

func (*PredMessageFwdHeader) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageFwdHeader) XXX_DiscardUnknown()

func (*PredMessageFwdHeader) XXX_Marshal added in v0.4.1

func (m *PredMessageFwdHeader) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageFwdHeader) XXX_Merge added in v0.4.1

func (dst *PredMessageFwdHeader) XXX_Merge(src proto.Message)

func (*PredMessageFwdHeader) XXX_Size added in v0.4.1

func (m *PredMessageFwdHeader) XXX_Size() int

func (*PredMessageFwdHeader) XXX_Unmarshal added in v0.4.1

func (m *PredMessageFwdHeader) XXX_Unmarshal(b []byte) error

type PredMessageMediaContact

type PredMessageMediaContact struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	FirstName            string   `protobuf:"bytes,2,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,3,opt,name=LastName" json:"LastName,omitempty"`
	UserId               int32    `protobuf:"varint,4,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageMediaContact) Descriptor

func (*PredMessageMediaContact) Descriptor() ([]byte, []int)

func (*PredMessageMediaContact) GetFirstName

func (m *PredMessageMediaContact) GetFirstName() string

func (*PredMessageMediaContact) GetLastName

func (m *PredMessageMediaContact) GetLastName() string

func (*PredMessageMediaContact) GetPhoneNumber

func (m *PredMessageMediaContact) GetPhoneNumber() string

func (*PredMessageMediaContact) GetUserId

func (m *PredMessageMediaContact) GetUserId() int32

func (*PredMessageMediaContact) ProtoMessage

func (*PredMessageMediaContact) ProtoMessage()

func (*PredMessageMediaContact) Reset

func (m *PredMessageMediaContact) Reset()

func (*PredMessageMediaContact) String

func (m *PredMessageMediaContact) String() string

func (*PredMessageMediaContact) ToType

func (p *PredMessageMediaContact) ToType() TL

func (*PredMessageMediaContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaContact) XXX_DiscardUnknown()

func (*PredMessageMediaContact) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaContact) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaContact) XXX_Merge(src proto.Message)

func (*PredMessageMediaContact) XXX_Size added in v0.4.1

func (m *PredMessageMediaContact) XXX_Size() int

func (*PredMessageMediaContact) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaContact) XXX_Unmarshal(b []byte) error

type PredMessageMediaDocument

type PredMessageMediaDocument struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: Document
	Document             *TypeDocument `protobuf:"bytes,2,opt,name=Document" json:"Document,omitempty"`
	Caption              string        `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32         `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredMessageMediaDocument) Descriptor

func (*PredMessageMediaDocument) Descriptor() ([]byte, []int)

func (*PredMessageMediaDocument) GetCaption

func (m *PredMessageMediaDocument) GetCaption() string

func (*PredMessageMediaDocument) GetDocument

func (m *PredMessageMediaDocument) GetDocument() *TypeDocument

func (*PredMessageMediaDocument) GetFlags

func (m *PredMessageMediaDocument) GetFlags() int32

func (*PredMessageMediaDocument) GetTtlSeconds

func (m *PredMessageMediaDocument) GetTtlSeconds() int32

func (*PredMessageMediaDocument) ProtoMessage

func (*PredMessageMediaDocument) ProtoMessage()

func (*PredMessageMediaDocument) Reset

func (m *PredMessageMediaDocument) Reset()

func (*PredMessageMediaDocument) String

func (m *PredMessageMediaDocument) String() string

func (*PredMessageMediaDocument) ToType

func (p *PredMessageMediaDocument) ToType() TL

func (*PredMessageMediaDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaDocument) XXX_DiscardUnknown()

func (*PredMessageMediaDocument) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaDocument) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaDocument) XXX_Merge(src proto.Message)

func (*PredMessageMediaDocument) XXX_Size added in v0.4.1

func (m *PredMessageMediaDocument) XXX_Size() int

func (*PredMessageMediaDocument) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaDocument) XXX_Unmarshal(b []byte) error

type PredMessageMediaEmpty

type PredMessageMediaEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageMediaEmpty) Descriptor

func (*PredMessageMediaEmpty) Descriptor() ([]byte, []int)

func (*PredMessageMediaEmpty) ProtoMessage

func (*PredMessageMediaEmpty) ProtoMessage()

func (*PredMessageMediaEmpty) Reset

func (m *PredMessageMediaEmpty) Reset()

func (*PredMessageMediaEmpty) String

func (m *PredMessageMediaEmpty) String() string

func (*PredMessageMediaEmpty) ToType

func (p *PredMessageMediaEmpty) ToType() TL

func (*PredMessageMediaEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaEmpty) XXX_DiscardUnknown()

func (*PredMessageMediaEmpty) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaEmpty) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaEmpty) XXX_Merge(src proto.Message)

func (*PredMessageMediaEmpty) XXX_Size added in v0.4.1

func (m *PredMessageMediaEmpty) XXX_Size() int

func (*PredMessageMediaEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaEmpty) XXX_Unmarshal(b []byte) error

type PredMessageMediaGame

type PredMessageMediaGame struct {
	// default: Game
	Game                 *TypeGame `protobuf:"bytes,1,opt,name=Game" json:"Game,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredMessageMediaGame) Descriptor

func (*PredMessageMediaGame) Descriptor() ([]byte, []int)

func (*PredMessageMediaGame) GetGame

func (m *PredMessageMediaGame) GetGame() *TypeGame

func (*PredMessageMediaGame) ProtoMessage

func (*PredMessageMediaGame) ProtoMessage()

func (*PredMessageMediaGame) Reset

func (m *PredMessageMediaGame) Reset()

func (*PredMessageMediaGame) String

func (m *PredMessageMediaGame) String() string

func (*PredMessageMediaGame) ToType

func (p *PredMessageMediaGame) ToType() TL

func (*PredMessageMediaGame) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaGame) XXX_DiscardUnknown()

func (*PredMessageMediaGame) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaGame) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaGame) XXX_Merge(src proto.Message)

func (*PredMessageMediaGame) XXX_Size added in v0.4.1

func (m *PredMessageMediaGame) XXX_Size() int

func (*PredMessageMediaGame) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaGame) XXX_Unmarshal(b []byte) error

type PredMessageMediaGeo

type PredMessageMediaGeo struct {
	// default: GeoPoint
	Geo                  *TypeGeoPoint `protobuf:"bytes,1,opt,name=Geo" json:"Geo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredMessageMediaGeo) Descriptor

func (*PredMessageMediaGeo) Descriptor() ([]byte, []int)

func (*PredMessageMediaGeo) GetGeo

func (m *PredMessageMediaGeo) GetGeo() *TypeGeoPoint

func (*PredMessageMediaGeo) ProtoMessage

func (*PredMessageMediaGeo) ProtoMessage()

func (*PredMessageMediaGeo) Reset

func (m *PredMessageMediaGeo) Reset()

func (*PredMessageMediaGeo) String

func (m *PredMessageMediaGeo) String() string

func (*PredMessageMediaGeo) ToType

func (p *PredMessageMediaGeo) ToType() TL

func (*PredMessageMediaGeo) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaGeo) XXX_DiscardUnknown()

func (*PredMessageMediaGeo) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaGeo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaGeo) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaGeo) XXX_Merge(src proto.Message)

func (*PredMessageMediaGeo) XXX_Size added in v0.4.1

func (m *PredMessageMediaGeo) XXX_Size() int

func (*PredMessageMediaGeo) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaGeo) XXX_Unmarshal(b []byte) error

type PredMessageMediaInvoice

type PredMessageMediaInvoice struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ShippingAddressRequested	bool // flags.1?true
	// Test	bool // flags.3?true
	Title       string `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,5,opt,name=Description" json:"Description,omitempty"`
	// default: WebDocument
	Photo                *TypeWebDocument `protobuf:"bytes,6,opt,name=Photo" json:"Photo,omitempty"`
	ReceiptMsgId         int32            `protobuf:"varint,7,opt,name=ReceiptMsgId" json:"ReceiptMsgId,omitempty"`
	Currency             string           `protobuf:"bytes,8,opt,name=Currency" json:"Currency,omitempty"`
	TotalAmount          int64            `protobuf:"varint,9,opt,name=TotalAmount" json:"TotalAmount,omitempty"`
	StartParam           string           `protobuf:"bytes,10,opt,name=StartParam" json:"StartParam,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredMessageMediaInvoice) Descriptor

func (*PredMessageMediaInvoice) Descriptor() ([]byte, []int)

func (*PredMessageMediaInvoice) GetCurrency

func (m *PredMessageMediaInvoice) GetCurrency() string

func (*PredMessageMediaInvoice) GetDescription

func (m *PredMessageMediaInvoice) GetDescription() string

func (*PredMessageMediaInvoice) GetFlags

func (m *PredMessageMediaInvoice) GetFlags() int32

func (*PredMessageMediaInvoice) GetPhoto

func (*PredMessageMediaInvoice) GetReceiptMsgId

func (m *PredMessageMediaInvoice) GetReceiptMsgId() int32

func (*PredMessageMediaInvoice) GetStartParam

func (m *PredMessageMediaInvoice) GetStartParam() string

func (*PredMessageMediaInvoice) GetTitle

func (m *PredMessageMediaInvoice) GetTitle() string

func (*PredMessageMediaInvoice) GetTotalAmount

func (m *PredMessageMediaInvoice) GetTotalAmount() int64

func (*PredMessageMediaInvoice) ProtoMessage

func (*PredMessageMediaInvoice) ProtoMessage()

func (*PredMessageMediaInvoice) Reset

func (m *PredMessageMediaInvoice) Reset()

func (*PredMessageMediaInvoice) String

func (m *PredMessageMediaInvoice) String() string

func (*PredMessageMediaInvoice) ToType

func (p *PredMessageMediaInvoice) ToType() TL

func (*PredMessageMediaInvoice) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaInvoice) XXX_DiscardUnknown()

func (*PredMessageMediaInvoice) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaInvoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaInvoice) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaInvoice) XXX_Merge(src proto.Message)

func (*PredMessageMediaInvoice) XXX_Size added in v0.4.1

func (m *PredMessageMediaInvoice) XXX_Size() int

func (*PredMessageMediaInvoice) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaInvoice) XXX_Unmarshal(b []byte) error

type PredMessageMediaPhoto

type PredMessageMediaPhoto struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: Photo
	Photo                *TypePhoto `protobuf:"bytes,2,opt,name=Photo" json:"Photo,omitempty"`
	Caption              string     `protobuf:"bytes,3,opt,name=Caption" json:"Caption,omitempty"`
	TtlSeconds           int32      `protobuf:"varint,4,opt,name=TtlSeconds" json:"TtlSeconds,omitempty"`
	XXX_NoUnkeyedLiteral struct{}   `json:"-"`
	XXX_unrecognized     []byte     `json:"-"`
	XXX_sizecache        int32      `json:"-"`
}

func (*PredMessageMediaPhoto) Descriptor

func (*PredMessageMediaPhoto) Descriptor() ([]byte, []int)

func (*PredMessageMediaPhoto) GetCaption

func (m *PredMessageMediaPhoto) GetCaption() string

func (*PredMessageMediaPhoto) GetFlags

func (m *PredMessageMediaPhoto) GetFlags() int32

func (*PredMessageMediaPhoto) GetPhoto

func (m *PredMessageMediaPhoto) GetPhoto() *TypePhoto

func (*PredMessageMediaPhoto) GetTtlSeconds

func (m *PredMessageMediaPhoto) GetTtlSeconds() int32

func (*PredMessageMediaPhoto) ProtoMessage

func (*PredMessageMediaPhoto) ProtoMessage()

func (*PredMessageMediaPhoto) Reset

func (m *PredMessageMediaPhoto) Reset()

func (*PredMessageMediaPhoto) String

func (m *PredMessageMediaPhoto) String() string

func (*PredMessageMediaPhoto) ToType

func (p *PredMessageMediaPhoto) ToType() TL

func (*PredMessageMediaPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaPhoto) XXX_DiscardUnknown()

func (*PredMessageMediaPhoto) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaPhoto) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaPhoto) XXX_Merge(src proto.Message)

func (*PredMessageMediaPhoto) XXX_Size added in v0.4.1

func (m *PredMessageMediaPhoto) XXX_Size() int

func (*PredMessageMediaPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaPhoto) XXX_Unmarshal(b []byte) error

type PredMessageMediaUnsupported

type PredMessageMediaUnsupported struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageMediaUnsupported) Descriptor

func (*PredMessageMediaUnsupported) Descriptor() ([]byte, []int)

func (*PredMessageMediaUnsupported) ProtoMessage

func (*PredMessageMediaUnsupported) ProtoMessage()

func (*PredMessageMediaUnsupported) Reset

func (m *PredMessageMediaUnsupported) Reset()

func (*PredMessageMediaUnsupported) String

func (m *PredMessageMediaUnsupported) String() string

func (*PredMessageMediaUnsupported) ToType

func (p *PredMessageMediaUnsupported) ToType() TL

func (*PredMessageMediaUnsupported) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaUnsupported) XXX_DiscardUnknown()

func (*PredMessageMediaUnsupported) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaUnsupported) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaUnsupported) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaUnsupported) XXX_Merge(src proto.Message)

func (*PredMessageMediaUnsupported) XXX_Size added in v0.4.1

func (m *PredMessageMediaUnsupported) XXX_Size() int

func (*PredMessageMediaUnsupported) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaUnsupported) XXX_Unmarshal(b []byte) error

type PredMessageMediaVenue

type PredMessageMediaVenue struct {
	// default: GeoPoint
	Geo                  *TypeGeoPoint `protobuf:"bytes,1,opt,name=Geo" json:"Geo,omitempty"`
	Title                string        `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	Address              string        `protobuf:"bytes,3,opt,name=Address" json:"Address,omitempty"`
	Provider             string        `protobuf:"bytes,4,opt,name=Provider" json:"Provider,omitempty"`
	VenueId              string        `protobuf:"bytes,5,opt,name=VenueId" json:"VenueId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredMessageMediaVenue) Descriptor

func (*PredMessageMediaVenue) Descriptor() ([]byte, []int)

func (*PredMessageMediaVenue) GetAddress

func (m *PredMessageMediaVenue) GetAddress() string

func (*PredMessageMediaVenue) GetGeo

func (m *PredMessageMediaVenue) GetGeo() *TypeGeoPoint

func (*PredMessageMediaVenue) GetProvider

func (m *PredMessageMediaVenue) GetProvider() string

func (*PredMessageMediaVenue) GetTitle

func (m *PredMessageMediaVenue) GetTitle() string

func (*PredMessageMediaVenue) GetVenueId

func (m *PredMessageMediaVenue) GetVenueId() string

func (*PredMessageMediaVenue) ProtoMessage

func (*PredMessageMediaVenue) ProtoMessage()

func (*PredMessageMediaVenue) Reset

func (m *PredMessageMediaVenue) Reset()

func (*PredMessageMediaVenue) String

func (m *PredMessageMediaVenue) String() string

func (*PredMessageMediaVenue) ToType

func (p *PredMessageMediaVenue) ToType() TL

func (*PredMessageMediaVenue) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaVenue) XXX_DiscardUnknown()

func (*PredMessageMediaVenue) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaVenue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaVenue) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaVenue) XXX_Merge(src proto.Message)

func (*PredMessageMediaVenue) XXX_Size added in v0.4.1

func (m *PredMessageMediaVenue) XXX_Size() int

func (*PredMessageMediaVenue) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaVenue) XXX_Unmarshal(b []byte) error

type PredMessageMediaWebPage

type PredMessageMediaWebPage struct {
	// default: WebPage
	Webpage              *TypeWebPage `protobuf:"bytes,1,opt,name=Webpage" json:"Webpage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredMessageMediaWebPage) Descriptor

func (*PredMessageMediaWebPage) Descriptor() ([]byte, []int)

func (*PredMessageMediaWebPage) GetWebpage

func (m *PredMessageMediaWebPage) GetWebpage() *TypeWebPage

func (*PredMessageMediaWebPage) ProtoMessage

func (*PredMessageMediaWebPage) ProtoMessage()

func (*PredMessageMediaWebPage) Reset

func (m *PredMessageMediaWebPage) Reset()

func (*PredMessageMediaWebPage) String

func (m *PredMessageMediaWebPage) String() string

func (*PredMessageMediaWebPage) ToType

func (p *PredMessageMediaWebPage) ToType() TL

func (*PredMessageMediaWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageMediaWebPage) XXX_DiscardUnknown()

func (*PredMessageMediaWebPage) XXX_Marshal added in v0.4.1

func (m *PredMessageMediaWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageMediaWebPage) XXX_Merge added in v0.4.1

func (dst *PredMessageMediaWebPage) XXX_Merge(src proto.Message)

func (*PredMessageMediaWebPage) XXX_Size added in v0.4.1

func (m *PredMessageMediaWebPage) XXX_Size() int

func (*PredMessageMediaWebPage) XXX_Unmarshal added in v0.4.1

func (m *PredMessageMediaWebPage) XXX_Unmarshal(b []byte) error

type PredMessageRange

type PredMessageRange struct {
	MinId                int32    `protobuf:"varint,1,opt,name=MinId" json:"MinId,omitempty"`
	MaxId                int32    `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessageRange) Descriptor

func (*PredMessageRange) Descriptor() ([]byte, []int)

func (*PredMessageRange) GetMaxId

func (m *PredMessageRange) GetMaxId() int32

func (*PredMessageRange) GetMinId

func (m *PredMessageRange) GetMinId() int32

func (*PredMessageRange) ProtoMessage

func (*PredMessageRange) ProtoMessage()

func (*PredMessageRange) Reset

func (m *PredMessageRange) Reset()

func (*PredMessageRange) String

func (m *PredMessageRange) String() string

func (*PredMessageRange) ToType

func (p *PredMessageRange) ToType() TL

func (*PredMessageRange) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageRange) XXX_DiscardUnknown()

func (*PredMessageRange) XXX_Marshal added in v0.4.1

func (m *PredMessageRange) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageRange) XXX_Merge added in v0.4.1

func (dst *PredMessageRange) XXX_Merge(src proto.Message)

func (*PredMessageRange) XXX_Size added in v0.4.1

func (m *PredMessageRange) XXX_Size() int

func (*PredMessageRange) XXX_Unmarshal added in v0.4.1

func (m *PredMessageRange) XXX_Unmarshal(b []byte) error

type PredMessageService

type PredMessageService struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Out	bool // flags.1?true
	// Mentioned	bool // flags.4?true
	// MediaUnread	bool // flags.5?true
	// Silent	bool // flags.13?true
	// Post	bool // flags.14?true
	Id     int32 `protobuf:"varint,7,opt,name=Id" json:"Id,omitempty"`
	FromId int32 `protobuf:"varint,8,opt,name=FromId" json:"FromId,omitempty"`
	// default: Peer
	ToId         *TypePeer `protobuf:"bytes,9,opt,name=ToId" json:"ToId,omitempty"`
	ReplyToMsgId int32     `protobuf:"varint,10,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	Date         int32     `protobuf:"varint,11,opt,name=Date" json:"Date,omitempty"`
	// default: MessageAction
	Action               *TypeMessageAction `protobuf:"bytes,12,opt,name=Action" json:"Action,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredMessageService) Descriptor

func (*PredMessageService) Descriptor() ([]byte, []int)

func (*PredMessageService) GetAction

func (m *PredMessageService) GetAction() *TypeMessageAction

func (*PredMessageService) GetDate

func (m *PredMessageService) GetDate() int32

func (*PredMessageService) GetFlags

func (m *PredMessageService) GetFlags() int32

func (*PredMessageService) GetFromId

func (m *PredMessageService) GetFromId() int32

func (*PredMessageService) GetId

func (m *PredMessageService) GetId() int32

func (*PredMessageService) GetReplyToMsgId

func (m *PredMessageService) GetReplyToMsgId() int32

func (*PredMessageService) GetToId

func (m *PredMessageService) GetToId() *TypePeer

func (*PredMessageService) ProtoMessage

func (*PredMessageService) ProtoMessage()

func (*PredMessageService) Reset

func (m *PredMessageService) Reset()

func (*PredMessageService) String

func (m *PredMessageService) String() string

func (*PredMessageService) ToType

func (p *PredMessageService) ToType() TL

func (*PredMessageService) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessageService) XXX_DiscardUnknown()

func (*PredMessageService) XXX_Marshal added in v0.4.1

func (m *PredMessageService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessageService) XXX_Merge added in v0.4.1

func (dst *PredMessageService) XXX_Merge(src proto.Message)

func (*PredMessageService) XXX_Size added in v0.4.1

func (m *PredMessageService) XXX_Size() int

func (*PredMessageService) XXX_Unmarshal added in v0.4.1

func (m *PredMessageService) XXX_Unmarshal(b []byte) error

type PredMessagesAffectedHistory

type PredMessagesAffectedHistory struct {
	Pts                  int32    `protobuf:"varint,1,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32    `protobuf:"varint,2,opt,name=PtsCount" json:"PtsCount,omitempty"`
	Offset               int32    `protobuf:"varint,3,opt,name=Offset" json:"Offset,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesAffectedHistory) Descriptor

func (*PredMessagesAffectedHistory) Descriptor() ([]byte, []int)

func (*PredMessagesAffectedHistory) GetOffset

func (m *PredMessagesAffectedHistory) GetOffset() int32

func (*PredMessagesAffectedHistory) GetPts

func (m *PredMessagesAffectedHistory) GetPts() int32

func (*PredMessagesAffectedHistory) GetPtsCount

func (m *PredMessagesAffectedHistory) GetPtsCount() int32

func (*PredMessagesAffectedHistory) ProtoMessage

func (*PredMessagesAffectedHistory) ProtoMessage()

func (*PredMessagesAffectedHistory) Reset

func (m *PredMessagesAffectedHistory) Reset()

func (*PredMessagesAffectedHistory) String

func (m *PredMessagesAffectedHistory) String() string

func (*PredMessagesAffectedHistory) ToType

func (p *PredMessagesAffectedHistory) ToType() TL

func (*PredMessagesAffectedHistory) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesAffectedHistory) XXX_DiscardUnknown()

func (*PredMessagesAffectedHistory) XXX_Marshal added in v0.4.1

func (m *PredMessagesAffectedHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesAffectedHistory) XXX_Merge added in v0.4.1

func (dst *PredMessagesAffectedHistory) XXX_Merge(src proto.Message)

func (*PredMessagesAffectedHistory) XXX_Size added in v0.4.1

func (m *PredMessagesAffectedHistory) XXX_Size() int

func (*PredMessagesAffectedHistory) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesAffectedHistory) XXX_Unmarshal(b []byte) error

type PredMessagesAffectedMessages

type PredMessagesAffectedMessages struct {
	Pts                  int32    `protobuf:"varint,1,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32    `protobuf:"varint,2,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesAffectedMessages) Descriptor

func (*PredMessagesAffectedMessages) Descriptor() ([]byte, []int)

func (*PredMessagesAffectedMessages) GetPts

func (m *PredMessagesAffectedMessages) GetPts() int32

func (*PredMessagesAffectedMessages) GetPtsCount

func (m *PredMessagesAffectedMessages) GetPtsCount() int32

func (*PredMessagesAffectedMessages) ProtoMessage

func (*PredMessagesAffectedMessages) ProtoMessage()

func (*PredMessagesAffectedMessages) Reset

func (m *PredMessagesAffectedMessages) Reset()

func (*PredMessagesAffectedMessages) String

func (*PredMessagesAffectedMessages) ToType

func (p *PredMessagesAffectedMessages) ToType() TL

func (*PredMessagesAffectedMessages) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesAffectedMessages) XXX_DiscardUnknown()

func (*PredMessagesAffectedMessages) XXX_Marshal added in v0.4.1

func (m *PredMessagesAffectedMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesAffectedMessages) XXX_Merge added in v0.4.1

func (dst *PredMessagesAffectedMessages) XXX_Merge(src proto.Message)

func (*PredMessagesAffectedMessages) XXX_Size added in v0.4.1

func (m *PredMessagesAffectedMessages) XXX_Size() int

func (*PredMessagesAffectedMessages) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesAffectedMessages) XXX_Unmarshal(b []byte) error

type PredMessagesAllStickers

type PredMessagesAllStickers struct {
	Hash int32 `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<StickerSet>
	Sets                 []*TypeStickerSet `protobuf:"bytes,2,rep,name=Sets" json:"Sets,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredMessagesAllStickers) Descriptor

func (*PredMessagesAllStickers) Descriptor() ([]byte, []int)

func (*PredMessagesAllStickers) GetHash

func (m *PredMessagesAllStickers) GetHash() int32

func (*PredMessagesAllStickers) GetSets

func (m *PredMessagesAllStickers) GetSets() []*TypeStickerSet

func (*PredMessagesAllStickers) ProtoMessage

func (*PredMessagesAllStickers) ProtoMessage()

func (*PredMessagesAllStickers) Reset

func (m *PredMessagesAllStickers) Reset()

func (*PredMessagesAllStickers) String

func (m *PredMessagesAllStickers) String() string

func (*PredMessagesAllStickers) ToType

func (p *PredMessagesAllStickers) ToType() TL

func (*PredMessagesAllStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesAllStickers) XXX_DiscardUnknown()

func (*PredMessagesAllStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesAllStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesAllStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesAllStickers) XXX_Merge(src proto.Message)

func (*PredMessagesAllStickers) XXX_Size added in v0.4.1

func (m *PredMessagesAllStickers) XXX_Size() int

func (*PredMessagesAllStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesAllStickers) XXX_Unmarshal(b []byte) error

type PredMessagesAllStickersNotModified

type PredMessagesAllStickersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesAllStickersNotModified) Descriptor

func (*PredMessagesAllStickersNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesAllStickersNotModified) ProtoMessage

func (*PredMessagesAllStickersNotModified) ProtoMessage()

func (*PredMessagesAllStickersNotModified) Reset

func (*PredMessagesAllStickersNotModified) String

func (*PredMessagesAllStickersNotModified) ToType

func (*PredMessagesAllStickersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesAllStickersNotModified) XXX_DiscardUnknown()

func (*PredMessagesAllStickersNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesAllStickersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesAllStickersNotModified) XXX_Merge added in v0.4.1

func (dst *PredMessagesAllStickersNotModified) XXX_Merge(src proto.Message)

func (*PredMessagesAllStickersNotModified) XXX_Size added in v0.4.1

func (*PredMessagesAllStickersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesAllStickersNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesArchivedStickers

type PredMessagesArchivedStickers struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<StickerSetCovered>
	Sets                 []*TypeStickerSetCovered `protobuf:"bytes,2,rep,name=Sets" json:"Sets,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredMessagesArchivedStickers) Descriptor

func (*PredMessagesArchivedStickers) Descriptor() ([]byte, []int)

func (*PredMessagesArchivedStickers) GetCount

func (m *PredMessagesArchivedStickers) GetCount() int32

func (*PredMessagesArchivedStickers) GetSets

func (*PredMessagesArchivedStickers) ProtoMessage

func (*PredMessagesArchivedStickers) ProtoMessage()

func (*PredMessagesArchivedStickers) Reset

func (m *PredMessagesArchivedStickers) Reset()

func (*PredMessagesArchivedStickers) String

func (*PredMessagesArchivedStickers) ToType

func (p *PredMessagesArchivedStickers) ToType() TL

func (*PredMessagesArchivedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesArchivedStickers) XXX_DiscardUnknown()

func (*PredMessagesArchivedStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesArchivedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesArchivedStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesArchivedStickers) XXX_Merge(src proto.Message)

func (*PredMessagesArchivedStickers) XXX_Size added in v0.4.1

func (m *PredMessagesArchivedStickers) XXX_Size() int

func (*PredMessagesArchivedStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesArchivedStickers) XXX_Unmarshal(b []byte) error

type PredMessagesBotCallbackAnswer

type PredMessagesBotCallbackAnswer struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Alert	bool // flags.1?true
	// HasUrl	bool // flags.3?true
	Message              string   `protobuf:"bytes,4,opt,name=Message" json:"Message,omitempty"`
	Url                  string   `protobuf:"bytes,5,opt,name=Url" json:"Url,omitempty"`
	CacheTime            int32    `protobuf:"varint,6,opt,name=CacheTime" json:"CacheTime,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesBotCallbackAnswer) Descriptor

func (*PredMessagesBotCallbackAnswer) Descriptor() ([]byte, []int)

func (*PredMessagesBotCallbackAnswer) GetCacheTime

func (m *PredMessagesBotCallbackAnswer) GetCacheTime() int32

func (*PredMessagesBotCallbackAnswer) GetFlags

func (m *PredMessagesBotCallbackAnswer) GetFlags() int32

func (*PredMessagesBotCallbackAnswer) GetMessage

func (m *PredMessagesBotCallbackAnswer) GetMessage() string

func (*PredMessagesBotCallbackAnswer) GetUrl

func (*PredMessagesBotCallbackAnswer) ProtoMessage

func (*PredMessagesBotCallbackAnswer) ProtoMessage()

func (*PredMessagesBotCallbackAnswer) Reset

func (m *PredMessagesBotCallbackAnswer) Reset()

func (*PredMessagesBotCallbackAnswer) String

func (*PredMessagesBotCallbackAnswer) ToType

func (p *PredMessagesBotCallbackAnswer) ToType() TL

func (*PredMessagesBotCallbackAnswer) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesBotCallbackAnswer) XXX_DiscardUnknown()

func (*PredMessagesBotCallbackAnswer) XXX_Marshal added in v0.4.1

func (m *PredMessagesBotCallbackAnswer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesBotCallbackAnswer) XXX_Merge added in v0.4.1

func (dst *PredMessagesBotCallbackAnswer) XXX_Merge(src proto.Message)

func (*PredMessagesBotCallbackAnswer) XXX_Size added in v0.4.1

func (m *PredMessagesBotCallbackAnswer) XXX_Size() int

func (*PredMessagesBotCallbackAnswer) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesBotCallbackAnswer) XXX_Unmarshal(b []byte) error

type PredMessagesBotResults

type PredMessagesBotResults struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Gallery	bool // flags.0?true
	QueryId    int64  `protobuf:"varint,3,opt,name=QueryId" json:"QueryId,omitempty"`
	NextOffset string `protobuf:"bytes,4,opt,name=NextOffset" json:"NextOffset,omitempty"`
	// default: InlineBotSwitchPM
	SwitchPm *TypeInlineBotSwitchPM `protobuf:"bytes,5,opt,name=SwitchPm" json:"SwitchPm,omitempty"`
	// default: Vector<BotInlineResult>
	Results              []*TypeBotInlineResult `protobuf:"bytes,6,rep,name=Results" json:"Results,omitempty"`
	CacheTime            int32                  `protobuf:"varint,7,opt,name=CacheTime" json:"CacheTime,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredMessagesBotResults) Descriptor

func (*PredMessagesBotResults) Descriptor() ([]byte, []int)

func (*PredMessagesBotResults) GetCacheTime

func (m *PredMessagesBotResults) GetCacheTime() int32

func (*PredMessagesBotResults) GetFlags

func (m *PredMessagesBotResults) GetFlags() int32

func (*PredMessagesBotResults) GetNextOffset

func (m *PredMessagesBotResults) GetNextOffset() string

func (*PredMessagesBotResults) GetQueryId

func (m *PredMessagesBotResults) GetQueryId() int64

func (*PredMessagesBotResults) GetResults

func (m *PredMessagesBotResults) GetResults() []*TypeBotInlineResult

func (*PredMessagesBotResults) GetSwitchPm

func (*PredMessagesBotResults) ProtoMessage

func (*PredMessagesBotResults) ProtoMessage()

func (*PredMessagesBotResults) Reset

func (m *PredMessagesBotResults) Reset()

func (*PredMessagesBotResults) String

func (m *PredMessagesBotResults) String() string

func (*PredMessagesBotResults) ToType

func (p *PredMessagesBotResults) ToType() TL

func (*PredMessagesBotResults) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesBotResults) XXX_DiscardUnknown()

func (*PredMessagesBotResults) XXX_Marshal added in v0.4.1

func (m *PredMessagesBotResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesBotResults) XXX_Merge added in v0.4.1

func (dst *PredMessagesBotResults) XXX_Merge(src proto.Message)

func (*PredMessagesBotResults) XXX_Size added in v0.4.1

func (m *PredMessagesBotResults) XXX_Size() int

func (*PredMessagesBotResults) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesBotResults) XXX_Unmarshal(b []byte) error

type PredMessagesChannelMessages

type PredMessagesChannelMessages struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Pts   int32 `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	Count int32 `protobuf:"varint,3,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,4,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,5,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,6,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesChannelMessages) Descriptor

func (*PredMessagesChannelMessages) Descriptor() ([]byte, []int)

func (*PredMessagesChannelMessages) GetChats

func (m *PredMessagesChannelMessages) GetChats() []*TypeChat

func (*PredMessagesChannelMessages) GetCount

func (m *PredMessagesChannelMessages) GetCount() int32

func (*PredMessagesChannelMessages) GetFlags

func (m *PredMessagesChannelMessages) GetFlags() int32

func (*PredMessagesChannelMessages) GetMessages

func (m *PredMessagesChannelMessages) GetMessages() []*TypeMessage

func (*PredMessagesChannelMessages) GetPts

func (m *PredMessagesChannelMessages) GetPts() int32

func (*PredMessagesChannelMessages) GetUsers

func (m *PredMessagesChannelMessages) GetUsers() []*TypeUser

func (*PredMessagesChannelMessages) ProtoMessage

func (*PredMessagesChannelMessages) ProtoMessage()

func (*PredMessagesChannelMessages) Reset

func (m *PredMessagesChannelMessages) Reset()

func (*PredMessagesChannelMessages) String

func (m *PredMessagesChannelMessages) String() string

func (*PredMessagesChannelMessages) ToType

func (p *PredMessagesChannelMessages) ToType() TL

func (*PredMessagesChannelMessages) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesChannelMessages) XXX_DiscardUnknown()

func (*PredMessagesChannelMessages) XXX_Marshal added in v0.4.1

func (m *PredMessagesChannelMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesChannelMessages) XXX_Merge added in v0.4.1

func (dst *PredMessagesChannelMessages) XXX_Merge(src proto.Message)

func (*PredMessagesChannelMessages) XXX_Size added in v0.4.1

func (m *PredMessagesChannelMessages) XXX_Size() int

func (*PredMessagesChannelMessages) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesChannelMessages) XXX_Unmarshal(b []byte) error

type PredMessagesChatFull

type PredMessagesChatFull struct {
	// default: ChatFull
	FullChat *TypeChatFull `protobuf:"bytes,1,opt,name=FullChat" json:"FullChat,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesChatFull) Descriptor

func (*PredMessagesChatFull) Descriptor() ([]byte, []int)

func (*PredMessagesChatFull) GetChats

func (m *PredMessagesChatFull) GetChats() []*TypeChat

func (*PredMessagesChatFull) GetFullChat

func (m *PredMessagesChatFull) GetFullChat() *TypeChatFull

func (*PredMessagesChatFull) GetUsers

func (m *PredMessagesChatFull) GetUsers() []*TypeUser

func (*PredMessagesChatFull) ProtoMessage

func (*PredMessagesChatFull) ProtoMessage()

func (*PredMessagesChatFull) Reset

func (m *PredMessagesChatFull) Reset()

func (*PredMessagesChatFull) String

func (m *PredMessagesChatFull) String() string

func (*PredMessagesChatFull) ToType

func (p *PredMessagesChatFull) ToType() TL

func (*PredMessagesChatFull) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesChatFull) XXX_DiscardUnknown()

func (*PredMessagesChatFull) XXX_Marshal added in v0.4.1

func (m *PredMessagesChatFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesChatFull) XXX_Merge added in v0.4.1

func (dst *PredMessagesChatFull) XXX_Merge(src proto.Message)

func (*PredMessagesChatFull) XXX_Size added in v0.4.1

func (m *PredMessagesChatFull) XXX_Size() int

func (*PredMessagesChatFull) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesChatFull) XXX_Unmarshal(b []byte) error

type PredMessagesChats

type PredMessagesChats struct {
	// default: Vector<Chat>
	Chats                []*TypeChat `protobuf:"bytes,1,rep,name=Chats" json:"Chats,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesChats) Descriptor

func (*PredMessagesChats) Descriptor() ([]byte, []int)

func (*PredMessagesChats) GetChats

func (m *PredMessagesChats) GetChats() []*TypeChat

func (*PredMessagesChats) ProtoMessage

func (*PredMessagesChats) ProtoMessage()

func (*PredMessagesChats) Reset

func (m *PredMessagesChats) Reset()

func (*PredMessagesChats) String

func (m *PredMessagesChats) String() string

func (*PredMessagesChats) ToType

func (p *PredMessagesChats) ToType() TL

func (*PredMessagesChats) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesChats) XXX_DiscardUnknown()

func (*PredMessagesChats) XXX_Marshal added in v0.4.1

func (m *PredMessagesChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesChats) XXX_Merge added in v0.4.1

func (dst *PredMessagesChats) XXX_Merge(src proto.Message)

func (*PredMessagesChats) XXX_Size added in v0.4.1

func (m *PredMessagesChats) XXX_Size() int

func (*PredMessagesChats) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesChats) XXX_Unmarshal(b []byte) error

type PredMessagesChatsSlice

type PredMessagesChatsSlice struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<Chat>
	Chats                []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesChatsSlice) Descriptor

func (*PredMessagesChatsSlice) Descriptor() ([]byte, []int)

func (*PredMessagesChatsSlice) GetChats

func (m *PredMessagesChatsSlice) GetChats() []*TypeChat

func (*PredMessagesChatsSlice) GetCount

func (m *PredMessagesChatsSlice) GetCount() int32

func (*PredMessagesChatsSlice) ProtoMessage

func (*PredMessagesChatsSlice) ProtoMessage()

func (*PredMessagesChatsSlice) Reset

func (m *PredMessagesChatsSlice) Reset()

func (*PredMessagesChatsSlice) String

func (m *PredMessagesChatsSlice) String() string

func (*PredMessagesChatsSlice) ToType

func (p *PredMessagesChatsSlice) ToType() TL

func (*PredMessagesChatsSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesChatsSlice) XXX_DiscardUnknown()

func (*PredMessagesChatsSlice) XXX_Marshal added in v0.4.1

func (m *PredMessagesChatsSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesChatsSlice) XXX_Merge added in v0.4.1

func (dst *PredMessagesChatsSlice) XXX_Merge(src proto.Message)

func (*PredMessagesChatsSlice) XXX_Size added in v0.4.1

func (m *PredMessagesChatsSlice) XXX_Size() int

func (*PredMessagesChatsSlice) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesChatsSlice) XXX_Unmarshal(b []byte) error

type PredMessagesDhConfig

type PredMessagesDhConfig struct {
	G                    int32    `protobuf:"varint,1,opt,name=G" json:"G,omitempty"`
	P                    []byte   `protobuf:"bytes,2,opt,name=P,proto3" json:"P,omitempty"`
	Version              int32    `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	Random               []byte   `protobuf:"bytes,4,opt,name=Random,proto3" json:"Random,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesDhConfig) Descriptor

func (*PredMessagesDhConfig) Descriptor() ([]byte, []int)

func (*PredMessagesDhConfig) GetG

func (m *PredMessagesDhConfig) GetG() int32

func (*PredMessagesDhConfig) GetP

func (m *PredMessagesDhConfig) GetP() []byte

func (*PredMessagesDhConfig) GetRandom

func (m *PredMessagesDhConfig) GetRandom() []byte

func (*PredMessagesDhConfig) GetVersion

func (m *PredMessagesDhConfig) GetVersion() int32

func (*PredMessagesDhConfig) ProtoMessage

func (*PredMessagesDhConfig) ProtoMessage()

func (*PredMessagesDhConfig) Reset

func (m *PredMessagesDhConfig) Reset()

func (*PredMessagesDhConfig) String

func (m *PredMessagesDhConfig) String() string

func (*PredMessagesDhConfig) ToType

func (p *PredMessagesDhConfig) ToType() TL

func (*PredMessagesDhConfig) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesDhConfig) XXX_DiscardUnknown()

func (*PredMessagesDhConfig) XXX_Marshal added in v0.4.1

func (m *PredMessagesDhConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesDhConfig) XXX_Merge added in v0.4.1

func (dst *PredMessagesDhConfig) XXX_Merge(src proto.Message)

func (*PredMessagesDhConfig) XXX_Size added in v0.4.1

func (m *PredMessagesDhConfig) XXX_Size() int

func (*PredMessagesDhConfig) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesDhConfig) XXX_Unmarshal(b []byte) error

type PredMessagesDhConfigNotModified

type PredMessagesDhConfigNotModified struct {
	Random               []byte   `protobuf:"bytes,1,opt,name=Random,proto3" json:"Random,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesDhConfigNotModified) Descriptor

func (*PredMessagesDhConfigNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesDhConfigNotModified) GetRandom

func (m *PredMessagesDhConfigNotModified) GetRandom() []byte

func (*PredMessagesDhConfigNotModified) ProtoMessage

func (*PredMessagesDhConfigNotModified) ProtoMessage()

func (*PredMessagesDhConfigNotModified) Reset

func (*PredMessagesDhConfigNotModified) String

func (*PredMessagesDhConfigNotModified) ToType

func (p *PredMessagesDhConfigNotModified) ToType() TL

func (*PredMessagesDhConfigNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesDhConfigNotModified) XXX_DiscardUnknown()

func (*PredMessagesDhConfigNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesDhConfigNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesDhConfigNotModified) XXX_Merge added in v0.4.1

func (dst *PredMessagesDhConfigNotModified) XXX_Merge(src proto.Message)

func (*PredMessagesDhConfigNotModified) XXX_Size added in v0.4.1

func (m *PredMessagesDhConfigNotModified) XXX_Size() int

func (*PredMessagesDhConfigNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesDhConfigNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesDialogs

type PredMessagesDialogs struct {
	// default: Vector<Dialog>
	Dialogs []*TypeDialog `protobuf:"bytes,1,rep,name=Dialogs" json:"Dialogs,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,2,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,3,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,4,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesDialogs) Descriptor

func (*PredMessagesDialogs) Descriptor() ([]byte, []int)

func (*PredMessagesDialogs) GetChats

func (m *PredMessagesDialogs) GetChats() []*TypeChat

func (*PredMessagesDialogs) GetDialogs

func (m *PredMessagesDialogs) GetDialogs() []*TypeDialog

func (*PredMessagesDialogs) GetMessages

func (m *PredMessagesDialogs) GetMessages() []*TypeMessage

func (*PredMessagesDialogs) GetUsers

func (m *PredMessagesDialogs) GetUsers() []*TypeUser

func (*PredMessagesDialogs) ProtoMessage

func (*PredMessagesDialogs) ProtoMessage()

func (*PredMessagesDialogs) Reset

func (m *PredMessagesDialogs) Reset()

func (*PredMessagesDialogs) String

func (m *PredMessagesDialogs) String() string

func (*PredMessagesDialogs) ToType

func (p *PredMessagesDialogs) ToType() TL

func (*PredMessagesDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesDialogs) XXX_DiscardUnknown()

func (*PredMessagesDialogs) XXX_Marshal added in v0.4.1

func (m *PredMessagesDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesDialogs) XXX_Merge added in v0.4.1

func (dst *PredMessagesDialogs) XXX_Merge(src proto.Message)

func (*PredMessagesDialogs) XXX_Size added in v0.4.1

func (m *PredMessagesDialogs) XXX_Size() int

func (*PredMessagesDialogs) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesDialogs) XXX_Unmarshal(b []byte) error

type PredMessagesDialogsSlice

type PredMessagesDialogsSlice struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<Dialog>
	Dialogs []*TypeDialog `protobuf:"bytes,2,rep,name=Dialogs" json:"Dialogs,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,3,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,4,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,5,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesDialogsSlice) Descriptor

func (*PredMessagesDialogsSlice) Descriptor() ([]byte, []int)

func (*PredMessagesDialogsSlice) GetChats

func (m *PredMessagesDialogsSlice) GetChats() []*TypeChat

func (*PredMessagesDialogsSlice) GetCount

func (m *PredMessagesDialogsSlice) GetCount() int32

func (*PredMessagesDialogsSlice) GetDialogs

func (m *PredMessagesDialogsSlice) GetDialogs() []*TypeDialog

func (*PredMessagesDialogsSlice) GetMessages

func (m *PredMessagesDialogsSlice) GetMessages() []*TypeMessage

func (*PredMessagesDialogsSlice) GetUsers

func (m *PredMessagesDialogsSlice) GetUsers() []*TypeUser

func (*PredMessagesDialogsSlice) ProtoMessage

func (*PredMessagesDialogsSlice) ProtoMessage()

func (*PredMessagesDialogsSlice) Reset

func (m *PredMessagesDialogsSlice) Reset()

func (*PredMessagesDialogsSlice) String

func (m *PredMessagesDialogsSlice) String() string

func (*PredMessagesDialogsSlice) ToType

func (p *PredMessagesDialogsSlice) ToType() TL

func (*PredMessagesDialogsSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesDialogsSlice) XXX_DiscardUnknown()

func (*PredMessagesDialogsSlice) XXX_Marshal added in v0.4.1

func (m *PredMessagesDialogsSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesDialogsSlice) XXX_Merge added in v0.4.1

func (dst *PredMessagesDialogsSlice) XXX_Merge(src proto.Message)

func (*PredMessagesDialogsSlice) XXX_Size added in v0.4.1

func (m *PredMessagesDialogsSlice) XXX_Size() int

func (*PredMessagesDialogsSlice) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesDialogsSlice) XXX_Unmarshal(b []byte) error

type PredMessagesFavedStickers

type PredMessagesFavedStickers struct {
	Hash int32 `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<StickerPack>
	Packs []*TypeStickerPack `protobuf:"bytes,2,rep,name=Packs" json:"Packs,omitempty"`
	// default: Vector<Document>
	Stickers             []*TypeDocument `protobuf:"bytes,3,rep,name=Stickers" json:"Stickers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesFavedStickers) Descriptor

func (*PredMessagesFavedStickers) Descriptor() ([]byte, []int)

func (*PredMessagesFavedStickers) GetHash

func (m *PredMessagesFavedStickers) GetHash() int32

func (*PredMessagesFavedStickers) GetPacks

func (m *PredMessagesFavedStickers) GetPacks() []*TypeStickerPack

func (*PredMessagesFavedStickers) GetStickers

func (m *PredMessagesFavedStickers) GetStickers() []*TypeDocument

func (*PredMessagesFavedStickers) ProtoMessage

func (*PredMessagesFavedStickers) ProtoMessage()

func (*PredMessagesFavedStickers) Reset

func (m *PredMessagesFavedStickers) Reset()

func (*PredMessagesFavedStickers) String

func (m *PredMessagesFavedStickers) String() string

func (*PredMessagesFavedStickers) ToType

func (p *PredMessagesFavedStickers) ToType() TL

func (*PredMessagesFavedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesFavedStickers) XXX_DiscardUnknown()

func (*PredMessagesFavedStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesFavedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesFavedStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesFavedStickers) XXX_Merge(src proto.Message)

func (*PredMessagesFavedStickers) XXX_Size added in v0.4.1

func (m *PredMessagesFavedStickers) XXX_Size() int

func (*PredMessagesFavedStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesFavedStickers) XXX_Unmarshal(b []byte) error

type PredMessagesFavedStickersNotModified

type PredMessagesFavedStickersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesFavedStickersNotModified) Descriptor

func (*PredMessagesFavedStickersNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesFavedStickersNotModified) ProtoMessage

func (*PredMessagesFavedStickersNotModified) ProtoMessage()

func (*PredMessagesFavedStickersNotModified) Reset

func (*PredMessagesFavedStickersNotModified) String

func (*PredMessagesFavedStickersNotModified) ToType

func (*PredMessagesFavedStickersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesFavedStickersNotModified) XXX_DiscardUnknown()

func (*PredMessagesFavedStickersNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesFavedStickersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesFavedStickersNotModified) XXX_Merge added in v0.4.1

func (*PredMessagesFavedStickersNotModified) XXX_Size added in v0.4.1

func (*PredMessagesFavedStickersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesFavedStickersNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesFeaturedStickers

type PredMessagesFeaturedStickers struct {
	Hash int32 `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<StickerSetCovered>
	Sets                 []*TypeStickerSetCovered `protobuf:"bytes,2,rep,name=Sets" json:"Sets,omitempty"`
	Unread               []int64                  `protobuf:"varint,3,rep,packed,name=Unread" json:"Unread,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredMessagesFeaturedStickers) Descriptor

func (*PredMessagesFeaturedStickers) Descriptor() ([]byte, []int)

func (*PredMessagesFeaturedStickers) GetHash

func (m *PredMessagesFeaturedStickers) GetHash() int32

func (*PredMessagesFeaturedStickers) GetSets

func (*PredMessagesFeaturedStickers) GetUnread

func (m *PredMessagesFeaturedStickers) GetUnread() []int64

func (*PredMessagesFeaturedStickers) ProtoMessage

func (*PredMessagesFeaturedStickers) ProtoMessage()

func (*PredMessagesFeaturedStickers) Reset

func (m *PredMessagesFeaturedStickers) Reset()

func (*PredMessagesFeaturedStickers) String

func (*PredMessagesFeaturedStickers) ToType

func (p *PredMessagesFeaturedStickers) ToType() TL

func (*PredMessagesFeaturedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesFeaturedStickers) XXX_DiscardUnknown()

func (*PredMessagesFeaturedStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesFeaturedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesFeaturedStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesFeaturedStickers) XXX_Merge(src proto.Message)

func (*PredMessagesFeaturedStickers) XXX_Size added in v0.4.1

func (m *PredMessagesFeaturedStickers) XXX_Size() int

func (*PredMessagesFeaturedStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesFeaturedStickers) XXX_Unmarshal(b []byte) error

type PredMessagesFeaturedStickersNotModified

type PredMessagesFeaturedStickersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesFeaturedStickersNotModified) Descriptor

func (*PredMessagesFeaturedStickersNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesFeaturedStickersNotModified) ProtoMessage

func (*PredMessagesFeaturedStickersNotModified) Reset

func (*PredMessagesFeaturedStickersNotModified) String

func (*PredMessagesFeaturedStickersNotModified) ToType

func (*PredMessagesFeaturedStickersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesFeaturedStickersNotModified) XXX_DiscardUnknown()

func (*PredMessagesFeaturedStickersNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesFeaturedStickersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesFeaturedStickersNotModified) XXX_Merge added in v0.4.1

func (*PredMessagesFeaturedStickersNotModified) XXX_Size added in v0.4.1

func (*PredMessagesFeaturedStickersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesFeaturedStickersNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesFoundGifs

type PredMessagesFoundGifs struct {
	NextOffset int32 `protobuf:"varint,1,opt,name=NextOffset" json:"NextOffset,omitempty"`
	// default: Vector<FoundGif>
	Results              []*TypeFoundGif `protobuf:"bytes,2,rep,name=Results" json:"Results,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesFoundGifs) Descriptor

func (*PredMessagesFoundGifs) Descriptor() ([]byte, []int)

func (*PredMessagesFoundGifs) GetNextOffset

func (m *PredMessagesFoundGifs) GetNextOffset() int32

func (*PredMessagesFoundGifs) GetResults

func (m *PredMessagesFoundGifs) GetResults() []*TypeFoundGif

func (*PredMessagesFoundGifs) ProtoMessage

func (*PredMessagesFoundGifs) ProtoMessage()

func (*PredMessagesFoundGifs) Reset

func (m *PredMessagesFoundGifs) Reset()

func (*PredMessagesFoundGifs) String

func (m *PredMessagesFoundGifs) String() string

func (*PredMessagesFoundGifs) ToType

func (p *PredMessagesFoundGifs) ToType() TL

func (*PredMessagesFoundGifs) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesFoundGifs) XXX_DiscardUnknown()

func (*PredMessagesFoundGifs) XXX_Marshal added in v0.4.1

func (m *PredMessagesFoundGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesFoundGifs) XXX_Merge added in v0.4.1

func (dst *PredMessagesFoundGifs) XXX_Merge(src proto.Message)

func (*PredMessagesFoundGifs) XXX_Size added in v0.4.1

func (m *PredMessagesFoundGifs) XXX_Size() int

func (*PredMessagesFoundGifs) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesFoundGifs) XXX_Unmarshal(b []byte) error

type PredMessagesHighScores

type PredMessagesHighScores struct {
	// default: Vector<HighScore>
	Scores []*TypeHighScore `protobuf:"bytes,1,rep,name=Scores" json:"Scores,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesHighScores) Descriptor

func (*PredMessagesHighScores) Descriptor() ([]byte, []int)

func (*PredMessagesHighScores) GetScores

func (m *PredMessagesHighScores) GetScores() []*TypeHighScore

func (*PredMessagesHighScores) GetUsers

func (m *PredMessagesHighScores) GetUsers() []*TypeUser

func (*PredMessagesHighScores) ProtoMessage

func (*PredMessagesHighScores) ProtoMessage()

func (*PredMessagesHighScores) Reset

func (m *PredMessagesHighScores) Reset()

func (*PredMessagesHighScores) String

func (m *PredMessagesHighScores) String() string

func (*PredMessagesHighScores) ToType

func (p *PredMessagesHighScores) ToType() TL

func (*PredMessagesHighScores) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesHighScores) XXX_DiscardUnknown()

func (*PredMessagesHighScores) XXX_Marshal added in v0.4.1

func (m *PredMessagesHighScores) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesHighScores) XXX_Merge added in v0.4.1

func (dst *PredMessagesHighScores) XXX_Merge(src proto.Message)

func (*PredMessagesHighScores) XXX_Size added in v0.4.1

func (m *PredMessagesHighScores) XXX_Size() int

func (*PredMessagesHighScores) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesHighScores) XXX_Unmarshal(b []byte) error

type PredMessagesMessageEditData

type PredMessagesMessageEditData struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesMessageEditData) Descriptor

func (*PredMessagesMessageEditData) Descriptor() ([]byte, []int)

func (*PredMessagesMessageEditData) GetFlags

func (m *PredMessagesMessageEditData) GetFlags() int32

func (*PredMessagesMessageEditData) ProtoMessage

func (*PredMessagesMessageEditData) ProtoMessage()

func (*PredMessagesMessageEditData) Reset

func (m *PredMessagesMessageEditData) Reset()

func (*PredMessagesMessageEditData) String

func (m *PredMessagesMessageEditData) String() string

func (*PredMessagesMessageEditData) ToType

func (p *PredMessagesMessageEditData) ToType() TL

func (*PredMessagesMessageEditData) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesMessageEditData) XXX_DiscardUnknown()

func (*PredMessagesMessageEditData) XXX_Marshal added in v0.4.1

func (m *PredMessagesMessageEditData) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesMessageEditData) XXX_Merge added in v0.4.1

func (dst *PredMessagesMessageEditData) XXX_Merge(src proto.Message)

func (*PredMessagesMessageEditData) XXX_Size added in v0.4.1

func (m *PredMessagesMessageEditData) XXX_Size() int

func (*PredMessagesMessageEditData) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesMessageEditData) XXX_Unmarshal(b []byte) error

type PredMessagesMessages

type PredMessagesMessages struct {
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,1,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,2,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesMessages) Descriptor

func (*PredMessagesMessages) Descriptor() ([]byte, []int)

func (*PredMessagesMessages) GetChats

func (m *PredMessagesMessages) GetChats() []*TypeChat

func (*PredMessagesMessages) GetMessages

func (m *PredMessagesMessages) GetMessages() []*TypeMessage

func (*PredMessagesMessages) GetUsers

func (m *PredMessagesMessages) GetUsers() []*TypeUser

func (*PredMessagesMessages) ProtoMessage

func (*PredMessagesMessages) ProtoMessage()

func (*PredMessagesMessages) Reset

func (m *PredMessagesMessages) Reset()

func (*PredMessagesMessages) String

func (m *PredMessagesMessages) String() string

func (*PredMessagesMessages) ToType

func (p *PredMessagesMessages) ToType() TL

func (*PredMessagesMessages) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesMessages) XXX_DiscardUnknown()

func (*PredMessagesMessages) XXX_Marshal added in v0.4.1

func (m *PredMessagesMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesMessages) XXX_Merge added in v0.4.1

func (dst *PredMessagesMessages) XXX_Merge(src proto.Message)

func (*PredMessagesMessages) XXX_Size added in v0.4.1

func (m *PredMessagesMessages) XXX_Size() int

func (*PredMessagesMessages) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesMessages) XXX_Unmarshal(b []byte) error

type PredMessagesMessagesSlice

type PredMessagesMessagesSlice struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,2,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,3,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,4,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredMessagesMessagesSlice) Descriptor

func (*PredMessagesMessagesSlice) Descriptor() ([]byte, []int)

func (*PredMessagesMessagesSlice) GetChats

func (m *PredMessagesMessagesSlice) GetChats() []*TypeChat

func (*PredMessagesMessagesSlice) GetCount

func (m *PredMessagesMessagesSlice) GetCount() int32

func (*PredMessagesMessagesSlice) GetMessages

func (m *PredMessagesMessagesSlice) GetMessages() []*TypeMessage

func (*PredMessagesMessagesSlice) GetUsers

func (m *PredMessagesMessagesSlice) GetUsers() []*TypeUser

func (*PredMessagesMessagesSlice) ProtoMessage

func (*PredMessagesMessagesSlice) ProtoMessage()

func (*PredMessagesMessagesSlice) Reset

func (m *PredMessagesMessagesSlice) Reset()

func (*PredMessagesMessagesSlice) String

func (m *PredMessagesMessagesSlice) String() string

func (*PredMessagesMessagesSlice) ToType

func (p *PredMessagesMessagesSlice) ToType() TL

func (*PredMessagesMessagesSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesMessagesSlice) XXX_DiscardUnknown()

func (*PredMessagesMessagesSlice) XXX_Marshal added in v0.4.1

func (m *PredMessagesMessagesSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesMessagesSlice) XXX_Merge added in v0.4.1

func (dst *PredMessagesMessagesSlice) XXX_Merge(src proto.Message)

func (*PredMessagesMessagesSlice) XXX_Size added in v0.4.1

func (m *PredMessagesMessagesSlice) XXX_Size() int

func (*PredMessagesMessagesSlice) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesMessagesSlice) XXX_Unmarshal(b []byte) error

type PredMessagesPeerDialogs

type PredMessagesPeerDialogs struct {
	// default: Vector<Dialog>
	Dialogs []*TypeDialog `protobuf:"bytes,1,rep,name=Dialogs" json:"Dialogs,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,2,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,3,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users []*TypeUser `protobuf:"bytes,4,rep,name=Users" json:"Users,omitempty"`
	// default: updatesState
	State                *TypeUpdatesState `protobuf:"bytes,5,opt,name=State" json:"State,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredMessagesPeerDialogs) Descriptor

func (*PredMessagesPeerDialogs) Descriptor() ([]byte, []int)

func (*PredMessagesPeerDialogs) GetChats

func (m *PredMessagesPeerDialogs) GetChats() []*TypeChat

func (*PredMessagesPeerDialogs) GetDialogs

func (m *PredMessagesPeerDialogs) GetDialogs() []*TypeDialog

func (*PredMessagesPeerDialogs) GetMessages

func (m *PredMessagesPeerDialogs) GetMessages() []*TypeMessage

func (*PredMessagesPeerDialogs) GetState

func (*PredMessagesPeerDialogs) GetUsers

func (m *PredMessagesPeerDialogs) GetUsers() []*TypeUser

func (*PredMessagesPeerDialogs) ProtoMessage

func (*PredMessagesPeerDialogs) ProtoMessage()

func (*PredMessagesPeerDialogs) Reset

func (m *PredMessagesPeerDialogs) Reset()

func (*PredMessagesPeerDialogs) String

func (m *PredMessagesPeerDialogs) String() string

func (*PredMessagesPeerDialogs) ToType

func (p *PredMessagesPeerDialogs) ToType() TL

func (*PredMessagesPeerDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesPeerDialogs) XXX_DiscardUnknown()

func (*PredMessagesPeerDialogs) XXX_Marshal added in v0.4.1

func (m *PredMessagesPeerDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesPeerDialogs) XXX_Merge added in v0.4.1

func (dst *PredMessagesPeerDialogs) XXX_Merge(src proto.Message)

func (*PredMessagesPeerDialogs) XXX_Size added in v0.4.1

func (m *PredMessagesPeerDialogs) XXX_Size() int

func (*PredMessagesPeerDialogs) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesPeerDialogs) XXX_Unmarshal(b []byte) error

type PredMessagesRecentStickers

type PredMessagesRecentStickers struct {
	Hash int32 `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<Document>
	Stickers             []*TypeDocument `protobuf:"bytes,2,rep,name=Stickers" json:"Stickers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesRecentStickers) Descriptor

func (*PredMessagesRecentStickers) Descriptor() ([]byte, []int)

func (*PredMessagesRecentStickers) GetHash

func (m *PredMessagesRecentStickers) GetHash() int32

func (*PredMessagesRecentStickers) GetStickers

func (m *PredMessagesRecentStickers) GetStickers() []*TypeDocument

func (*PredMessagesRecentStickers) ProtoMessage

func (*PredMessagesRecentStickers) ProtoMessage()

func (*PredMessagesRecentStickers) Reset

func (m *PredMessagesRecentStickers) Reset()

func (*PredMessagesRecentStickers) String

func (m *PredMessagesRecentStickers) String() string

func (*PredMessagesRecentStickers) ToType

func (p *PredMessagesRecentStickers) ToType() TL

func (*PredMessagesRecentStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesRecentStickers) XXX_DiscardUnknown()

func (*PredMessagesRecentStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesRecentStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesRecentStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesRecentStickers) XXX_Merge(src proto.Message)

func (*PredMessagesRecentStickers) XXX_Size added in v0.4.1

func (m *PredMessagesRecentStickers) XXX_Size() int

func (*PredMessagesRecentStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesRecentStickers) XXX_Unmarshal(b []byte) error

type PredMessagesRecentStickersNotModified

type PredMessagesRecentStickersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesRecentStickersNotModified) Descriptor

func (*PredMessagesRecentStickersNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesRecentStickersNotModified) ProtoMessage

func (*PredMessagesRecentStickersNotModified) ProtoMessage()

func (*PredMessagesRecentStickersNotModified) Reset

func (*PredMessagesRecentStickersNotModified) String

func (*PredMessagesRecentStickersNotModified) ToType

func (*PredMessagesRecentStickersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesRecentStickersNotModified) XXX_DiscardUnknown()

func (*PredMessagesRecentStickersNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesRecentStickersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesRecentStickersNotModified) XXX_Merge added in v0.4.1

func (*PredMessagesRecentStickersNotModified) XXX_Size added in v0.4.1

func (*PredMessagesRecentStickersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesRecentStickersNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesSavedGifs

type PredMessagesSavedGifs struct {
	Hash int32 `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<Document>
	Gifs                 []*TypeDocument `protobuf:"bytes,2,rep,name=Gifs" json:"Gifs,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesSavedGifs) Descriptor

func (*PredMessagesSavedGifs) Descriptor() ([]byte, []int)

func (*PredMessagesSavedGifs) GetGifs

func (m *PredMessagesSavedGifs) GetGifs() []*TypeDocument

func (*PredMessagesSavedGifs) GetHash

func (m *PredMessagesSavedGifs) GetHash() int32

func (*PredMessagesSavedGifs) ProtoMessage

func (*PredMessagesSavedGifs) ProtoMessage()

func (*PredMessagesSavedGifs) Reset

func (m *PredMessagesSavedGifs) Reset()

func (*PredMessagesSavedGifs) String

func (m *PredMessagesSavedGifs) String() string

func (*PredMessagesSavedGifs) ToType

func (p *PredMessagesSavedGifs) ToType() TL

func (*PredMessagesSavedGifs) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesSavedGifs) XXX_DiscardUnknown()

func (*PredMessagesSavedGifs) XXX_Marshal added in v0.4.1

func (m *PredMessagesSavedGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesSavedGifs) XXX_Merge added in v0.4.1

func (dst *PredMessagesSavedGifs) XXX_Merge(src proto.Message)

func (*PredMessagesSavedGifs) XXX_Size added in v0.4.1

func (m *PredMessagesSavedGifs) XXX_Size() int

func (*PredMessagesSavedGifs) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesSavedGifs) XXX_Unmarshal(b []byte) error

type PredMessagesSavedGifsNotModified

type PredMessagesSavedGifsNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesSavedGifsNotModified) Descriptor

func (*PredMessagesSavedGifsNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesSavedGifsNotModified) ProtoMessage

func (*PredMessagesSavedGifsNotModified) ProtoMessage()

func (*PredMessagesSavedGifsNotModified) Reset

func (*PredMessagesSavedGifsNotModified) String

func (*PredMessagesSavedGifsNotModified) ToType

func (*PredMessagesSavedGifsNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesSavedGifsNotModified) XXX_DiscardUnknown()

func (*PredMessagesSavedGifsNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesSavedGifsNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesSavedGifsNotModified) XXX_Merge added in v0.4.1

func (dst *PredMessagesSavedGifsNotModified) XXX_Merge(src proto.Message)

func (*PredMessagesSavedGifsNotModified) XXX_Size added in v0.4.1

func (m *PredMessagesSavedGifsNotModified) XXX_Size() int

func (*PredMessagesSavedGifsNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesSavedGifsNotModified) XXX_Unmarshal(b []byte) error

type PredMessagesSentEncryptedFile

type PredMessagesSentEncryptedFile struct {
	Date int32 `protobuf:"varint,1,opt,name=Date" json:"Date,omitempty"`
	// default: EncryptedFile
	File                 *TypeEncryptedFile `protobuf:"bytes,2,opt,name=File" json:"File,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredMessagesSentEncryptedFile) Descriptor

func (*PredMessagesSentEncryptedFile) Descriptor() ([]byte, []int)

func (*PredMessagesSentEncryptedFile) GetDate

func (m *PredMessagesSentEncryptedFile) GetDate() int32

func (*PredMessagesSentEncryptedFile) GetFile

func (*PredMessagesSentEncryptedFile) ProtoMessage

func (*PredMessagesSentEncryptedFile) ProtoMessage()

func (*PredMessagesSentEncryptedFile) Reset

func (m *PredMessagesSentEncryptedFile) Reset()

func (*PredMessagesSentEncryptedFile) String

func (*PredMessagesSentEncryptedFile) ToType

func (p *PredMessagesSentEncryptedFile) ToType() TL

func (*PredMessagesSentEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesSentEncryptedFile) XXX_DiscardUnknown()

func (*PredMessagesSentEncryptedFile) XXX_Marshal added in v0.4.1

func (m *PredMessagesSentEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesSentEncryptedFile) XXX_Merge added in v0.4.1

func (dst *PredMessagesSentEncryptedFile) XXX_Merge(src proto.Message)

func (*PredMessagesSentEncryptedFile) XXX_Size added in v0.4.1

func (m *PredMessagesSentEncryptedFile) XXX_Size() int

func (*PredMessagesSentEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesSentEncryptedFile) XXX_Unmarshal(b []byte) error

type PredMessagesSentEncryptedMessage

type PredMessagesSentEncryptedMessage struct {
	Date                 int32    `protobuf:"varint,1,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesSentEncryptedMessage) Descriptor

func (*PredMessagesSentEncryptedMessage) Descriptor() ([]byte, []int)

func (*PredMessagesSentEncryptedMessage) GetDate

func (*PredMessagesSentEncryptedMessage) ProtoMessage

func (*PredMessagesSentEncryptedMessage) ProtoMessage()

func (*PredMessagesSentEncryptedMessage) Reset

func (*PredMessagesSentEncryptedMessage) String

func (*PredMessagesSentEncryptedMessage) ToType

func (*PredMessagesSentEncryptedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesSentEncryptedMessage) XXX_DiscardUnknown()

func (*PredMessagesSentEncryptedMessage) XXX_Marshal added in v0.4.1

func (m *PredMessagesSentEncryptedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesSentEncryptedMessage) XXX_Merge added in v0.4.1

func (dst *PredMessagesSentEncryptedMessage) XXX_Merge(src proto.Message)

func (*PredMessagesSentEncryptedMessage) XXX_Size added in v0.4.1

func (m *PredMessagesSentEncryptedMessage) XXX_Size() int

func (*PredMessagesSentEncryptedMessage) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesSentEncryptedMessage) XXX_Unmarshal(b []byte) error

type PredMessagesStickerSet

type PredMessagesStickerSet struct {
	// default: StickerSet
	Set *TypeStickerSet `protobuf:"bytes,1,opt,name=Set" json:"Set,omitempty"`
	// default: Vector<StickerPack>
	Packs []*TypeStickerPack `protobuf:"bytes,2,rep,name=Packs" json:"Packs,omitempty"`
	// default: Vector<Document>
	Documents            []*TypeDocument `protobuf:"bytes,3,rep,name=Documents" json:"Documents,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesStickerSet) Descriptor

func (*PredMessagesStickerSet) Descriptor() ([]byte, []int)

func (*PredMessagesStickerSet) GetDocuments

func (m *PredMessagesStickerSet) GetDocuments() []*TypeDocument

func (*PredMessagesStickerSet) GetPacks

func (m *PredMessagesStickerSet) GetPacks() []*TypeStickerPack

func (*PredMessagesStickerSet) GetSet

func (*PredMessagesStickerSet) ProtoMessage

func (*PredMessagesStickerSet) ProtoMessage()

func (*PredMessagesStickerSet) Reset

func (m *PredMessagesStickerSet) Reset()

func (*PredMessagesStickerSet) String

func (m *PredMessagesStickerSet) String() string

func (*PredMessagesStickerSet) ToType

func (p *PredMessagesStickerSet) ToType() TL

func (*PredMessagesStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesStickerSet) XXX_DiscardUnknown()

func (*PredMessagesStickerSet) XXX_Marshal added in v0.4.1

func (m *PredMessagesStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesStickerSet) XXX_Merge added in v0.4.1

func (dst *PredMessagesStickerSet) XXX_Merge(src proto.Message)

func (*PredMessagesStickerSet) XXX_Size added in v0.4.1

func (m *PredMessagesStickerSet) XXX_Size() int

func (*PredMessagesStickerSet) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesStickerSet) XXX_Unmarshal(b []byte) error

type PredMessagesStickerSetInstallResultArchive

type PredMessagesStickerSetInstallResultArchive struct {
	// default: Vector<StickerSetCovered>
	Sets                 []*TypeStickerSetCovered `protobuf:"bytes,1,rep,name=Sets" json:"Sets,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredMessagesStickerSetInstallResultArchive) Descriptor

func (*PredMessagesStickerSetInstallResultArchive) GetSets

func (*PredMessagesStickerSetInstallResultArchive) ProtoMessage

func (*PredMessagesStickerSetInstallResultArchive) Reset

func (*PredMessagesStickerSetInstallResultArchive) String

func (*PredMessagesStickerSetInstallResultArchive) ToType

func (*PredMessagesStickerSetInstallResultArchive) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesStickerSetInstallResultArchive) XXX_DiscardUnknown()

func (*PredMessagesStickerSetInstallResultArchive) XXX_Marshal added in v0.4.1

func (m *PredMessagesStickerSetInstallResultArchive) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesStickerSetInstallResultArchive) XXX_Merge added in v0.4.1

func (*PredMessagesStickerSetInstallResultArchive) XXX_Size added in v0.4.1

func (*PredMessagesStickerSetInstallResultArchive) XXX_Unmarshal added in v0.4.1

type PredMessagesStickerSetInstallResultSuccess

type PredMessagesStickerSetInstallResultSuccess struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesStickerSetInstallResultSuccess) Descriptor

func (*PredMessagesStickerSetInstallResultSuccess) ProtoMessage

func (*PredMessagesStickerSetInstallResultSuccess) Reset

func (*PredMessagesStickerSetInstallResultSuccess) String

func (*PredMessagesStickerSetInstallResultSuccess) ToType

func (*PredMessagesStickerSetInstallResultSuccess) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesStickerSetInstallResultSuccess) XXX_DiscardUnknown()

func (*PredMessagesStickerSetInstallResultSuccess) XXX_Marshal added in v0.4.1

func (m *PredMessagesStickerSetInstallResultSuccess) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesStickerSetInstallResultSuccess) XXX_Merge added in v0.4.1

func (*PredMessagesStickerSetInstallResultSuccess) XXX_Size added in v0.4.1

func (*PredMessagesStickerSetInstallResultSuccess) XXX_Unmarshal added in v0.4.1

type PredMessagesStickers

type PredMessagesStickers struct {
	Hash string `protobuf:"bytes,1,opt,name=Hash" json:"Hash,omitempty"`
	// default: Vector<Document>
	Stickers             []*TypeDocument `protobuf:"bytes,2,rep,name=Stickers" json:"Stickers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredMessagesStickers) Descriptor

func (*PredMessagesStickers) Descriptor() ([]byte, []int)

func (*PredMessagesStickers) GetHash

func (m *PredMessagesStickers) GetHash() string

func (*PredMessagesStickers) GetStickers

func (m *PredMessagesStickers) GetStickers() []*TypeDocument

func (*PredMessagesStickers) ProtoMessage

func (*PredMessagesStickers) ProtoMessage()

func (*PredMessagesStickers) Reset

func (m *PredMessagesStickers) Reset()

func (*PredMessagesStickers) String

func (m *PredMessagesStickers) String() string

func (*PredMessagesStickers) ToType

func (p *PredMessagesStickers) ToType() TL

func (*PredMessagesStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesStickers) XXX_DiscardUnknown()

func (*PredMessagesStickers) XXX_Marshal added in v0.4.1

func (m *PredMessagesStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesStickers) XXX_Merge added in v0.4.1

func (dst *PredMessagesStickers) XXX_Merge(src proto.Message)

func (*PredMessagesStickers) XXX_Size added in v0.4.1

func (m *PredMessagesStickers) XXX_Size() int

func (*PredMessagesStickers) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesStickers) XXX_Unmarshal(b []byte) error

type PredMessagesStickersNotModified

type PredMessagesStickersNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredMessagesStickersNotModified) Descriptor

func (*PredMessagesStickersNotModified) Descriptor() ([]byte, []int)

func (*PredMessagesStickersNotModified) ProtoMessage

func (*PredMessagesStickersNotModified) ProtoMessage()

func (*PredMessagesStickersNotModified) Reset

func (*PredMessagesStickersNotModified) String

func (*PredMessagesStickersNotModified) ToType

func (p *PredMessagesStickersNotModified) ToType() TL

func (*PredMessagesStickersNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredMessagesStickersNotModified) XXX_DiscardUnknown()

func (*PredMessagesStickersNotModified) XXX_Marshal added in v0.4.1

func (m *PredMessagesStickersNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredMessagesStickersNotModified) XXX_Merge added in v0.4.1

func (dst *PredMessagesStickersNotModified) XXX_Merge(src proto.Message)

func (*PredMessagesStickersNotModified) XXX_Size added in v0.4.1

func (m *PredMessagesStickersNotModified) XXX_Size() int

func (*PredMessagesStickersNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredMessagesStickersNotModified) XXX_Unmarshal(b []byte) error

type PredNearestDc

type PredNearestDc struct {
	Country              string   `protobuf:"bytes,1,opt,name=Country" json:"Country,omitempty"`
	ThisDc               int32    `protobuf:"varint,2,opt,name=ThisDc" json:"ThisDc,omitempty"`
	NearestDc            int32    `protobuf:"varint,3,opt,name=NearestDc" json:"NearestDc,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredNearestDc) Descriptor

func (*PredNearestDc) Descriptor() ([]byte, []int)

func (*PredNearestDc) GetCountry

func (m *PredNearestDc) GetCountry() string

func (*PredNearestDc) GetNearestDc

func (m *PredNearestDc) GetNearestDc() int32

func (*PredNearestDc) GetThisDc

func (m *PredNearestDc) GetThisDc() int32

func (*PredNearestDc) ProtoMessage

func (*PredNearestDc) ProtoMessage()

func (*PredNearestDc) Reset

func (m *PredNearestDc) Reset()

func (*PredNearestDc) String

func (m *PredNearestDc) String() string

func (*PredNearestDc) ToType

func (p *PredNearestDc) ToType() TL

func (*PredNearestDc) XXX_DiscardUnknown added in v0.4.1

func (m *PredNearestDc) XXX_DiscardUnknown()

func (*PredNearestDc) XXX_Marshal added in v0.4.1

func (m *PredNearestDc) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNearestDc) XXX_Merge added in v0.4.1

func (dst *PredNearestDc) XXX_Merge(src proto.Message)

func (*PredNearestDc) XXX_Size added in v0.4.1

func (m *PredNearestDc) XXX_Size() int

func (*PredNearestDc) XXX_Unmarshal added in v0.4.1

func (m *PredNearestDc) XXX_Unmarshal(b []byte) error

type PredNotifyAll

type PredNotifyAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredNotifyAll) Descriptor

func (*PredNotifyAll) Descriptor() ([]byte, []int)

func (*PredNotifyAll) ProtoMessage

func (*PredNotifyAll) ProtoMessage()

func (*PredNotifyAll) Reset

func (m *PredNotifyAll) Reset()

func (*PredNotifyAll) String

func (m *PredNotifyAll) String() string

func (*PredNotifyAll) ToType

func (p *PredNotifyAll) ToType() TL

func (*PredNotifyAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredNotifyAll) XXX_DiscardUnknown()

func (*PredNotifyAll) XXX_Marshal added in v0.4.1

func (m *PredNotifyAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNotifyAll) XXX_Merge added in v0.4.1

func (dst *PredNotifyAll) XXX_Merge(src proto.Message)

func (*PredNotifyAll) XXX_Size added in v0.4.1

func (m *PredNotifyAll) XXX_Size() int

func (*PredNotifyAll) XXX_Unmarshal added in v0.4.1

func (m *PredNotifyAll) XXX_Unmarshal(b []byte) error

type PredNotifyChats

type PredNotifyChats struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredNotifyChats) Descriptor

func (*PredNotifyChats) Descriptor() ([]byte, []int)

func (*PredNotifyChats) ProtoMessage

func (*PredNotifyChats) ProtoMessage()

func (*PredNotifyChats) Reset

func (m *PredNotifyChats) Reset()

func (*PredNotifyChats) String

func (m *PredNotifyChats) String() string

func (*PredNotifyChats) ToType

func (p *PredNotifyChats) ToType() TL

func (*PredNotifyChats) XXX_DiscardUnknown added in v0.4.1

func (m *PredNotifyChats) XXX_DiscardUnknown()

func (*PredNotifyChats) XXX_Marshal added in v0.4.1

func (m *PredNotifyChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNotifyChats) XXX_Merge added in v0.4.1

func (dst *PredNotifyChats) XXX_Merge(src proto.Message)

func (*PredNotifyChats) XXX_Size added in v0.4.1

func (m *PredNotifyChats) XXX_Size() int

func (*PredNotifyChats) XXX_Unmarshal added in v0.4.1

func (m *PredNotifyChats) XXX_Unmarshal(b []byte) error

type PredNotifyPeer

type PredNotifyPeer struct {
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredNotifyPeer) Descriptor

func (*PredNotifyPeer) Descriptor() ([]byte, []int)

func (*PredNotifyPeer) GetPeer

func (m *PredNotifyPeer) GetPeer() *TypePeer

func (*PredNotifyPeer) ProtoMessage

func (*PredNotifyPeer) ProtoMessage()

func (*PredNotifyPeer) Reset

func (m *PredNotifyPeer) Reset()

func (*PredNotifyPeer) String

func (m *PredNotifyPeer) String() string

func (*PredNotifyPeer) ToType

func (p *PredNotifyPeer) ToType() TL

func (*PredNotifyPeer) XXX_DiscardUnknown added in v0.4.1

func (m *PredNotifyPeer) XXX_DiscardUnknown()

func (*PredNotifyPeer) XXX_Marshal added in v0.4.1

func (m *PredNotifyPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNotifyPeer) XXX_Merge added in v0.4.1

func (dst *PredNotifyPeer) XXX_Merge(src proto.Message)

func (*PredNotifyPeer) XXX_Size added in v0.4.1

func (m *PredNotifyPeer) XXX_Size() int

func (*PredNotifyPeer) XXX_Unmarshal added in v0.4.1

func (m *PredNotifyPeer) XXX_Unmarshal(b []byte) error

type PredNotifyUsers

type PredNotifyUsers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredNotifyUsers) Descriptor

func (*PredNotifyUsers) Descriptor() ([]byte, []int)

func (*PredNotifyUsers) ProtoMessage

func (*PredNotifyUsers) ProtoMessage()

func (*PredNotifyUsers) Reset

func (m *PredNotifyUsers) Reset()

func (*PredNotifyUsers) String

func (m *PredNotifyUsers) String() string

func (*PredNotifyUsers) ToType

func (p *PredNotifyUsers) ToType() TL

func (*PredNotifyUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredNotifyUsers) XXX_DiscardUnknown()

func (*PredNotifyUsers) XXX_Marshal added in v0.4.1

func (m *PredNotifyUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNotifyUsers) XXX_Merge added in v0.4.1

func (dst *PredNotifyUsers) XXX_Merge(src proto.Message)

func (*PredNotifyUsers) XXX_Size added in v0.4.1

func (m *PredNotifyUsers) XXX_Size() int

func (*PredNotifyUsers) XXX_Unmarshal added in v0.4.1

func (m *PredNotifyUsers) XXX_Unmarshal(b []byte) error

type PredNull

type PredNull struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredNull) Descriptor

func (*PredNull) Descriptor() ([]byte, []int)

func (*PredNull) ProtoMessage

func (*PredNull) ProtoMessage()

func (*PredNull) Reset

func (m *PredNull) Reset()

func (*PredNull) String

func (m *PredNull) String() string

func (*PredNull) ToType

func (p *PredNull) ToType() TL

func (*PredNull) XXX_DiscardUnknown added in v0.4.1

func (m *PredNull) XXX_DiscardUnknown()

func (*PredNull) XXX_Marshal added in v0.4.1

func (m *PredNull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredNull) XXX_Merge added in v0.4.1

func (dst *PredNull) XXX_Merge(src proto.Message)

func (*PredNull) XXX_Size added in v0.4.1

func (m *PredNull) XXX_Size() int

func (*PredNull) XXX_Unmarshal added in v0.4.1

func (m *PredNull) XXX_Unmarshal(b []byte) error

type PredPageBlockAnchor

type PredPageBlockAnchor struct {
	Name                 string   `protobuf:"bytes,1,opt,name=Name" json:"Name,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPageBlockAnchor) Descriptor

func (*PredPageBlockAnchor) Descriptor() ([]byte, []int)

func (*PredPageBlockAnchor) GetName

func (m *PredPageBlockAnchor) GetName() string

func (*PredPageBlockAnchor) ProtoMessage

func (*PredPageBlockAnchor) ProtoMessage()

func (*PredPageBlockAnchor) Reset

func (m *PredPageBlockAnchor) Reset()

func (*PredPageBlockAnchor) String

func (m *PredPageBlockAnchor) String() string

func (*PredPageBlockAnchor) ToType

func (p *PredPageBlockAnchor) ToType() TL

func (*PredPageBlockAnchor) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockAnchor) XXX_DiscardUnknown()

func (*PredPageBlockAnchor) XXX_Marshal added in v0.4.1

func (m *PredPageBlockAnchor) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockAnchor) XXX_Merge added in v0.4.1

func (dst *PredPageBlockAnchor) XXX_Merge(src proto.Message)

func (*PredPageBlockAnchor) XXX_Size added in v0.4.1

func (m *PredPageBlockAnchor) XXX_Size() int

func (*PredPageBlockAnchor) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockAnchor) XXX_Unmarshal(b []byte) error

type PredPageBlockAudio

type PredPageBlockAudio struct {
	AudioId int64 `protobuf:"varint,1,opt,name=AudioId" json:"AudioId,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockAudio) Descriptor

func (*PredPageBlockAudio) Descriptor() ([]byte, []int)

func (*PredPageBlockAudio) GetAudioId

func (m *PredPageBlockAudio) GetAudioId() int64

func (*PredPageBlockAudio) GetCaption

func (m *PredPageBlockAudio) GetCaption() *TypeRichText

func (*PredPageBlockAudio) ProtoMessage

func (*PredPageBlockAudio) ProtoMessage()

func (*PredPageBlockAudio) Reset

func (m *PredPageBlockAudio) Reset()

func (*PredPageBlockAudio) String

func (m *PredPageBlockAudio) String() string

func (*PredPageBlockAudio) ToType

func (p *PredPageBlockAudio) ToType() TL

func (*PredPageBlockAudio) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockAudio) XXX_DiscardUnknown()

func (*PredPageBlockAudio) XXX_Marshal added in v0.4.1

func (m *PredPageBlockAudio) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockAudio) XXX_Merge added in v0.4.1

func (dst *PredPageBlockAudio) XXX_Merge(src proto.Message)

func (*PredPageBlockAudio) XXX_Size added in v0.4.1

func (m *PredPageBlockAudio) XXX_Size() int

func (*PredPageBlockAudio) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockAudio) XXX_Unmarshal(b []byte) error

type PredPageBlockAuthorDate

type PredPageBlockAuthorDate struct {
	// default: RichText
	Author               *TypeRichText `protobuf:"bytes,1,opt,name=Author" json:"Author,omitempty"`
	PublishedDate        int32         `protobuf:"varint,2,opt,name=PublishedDate" json:"PublishedDate,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockAuthorDate) Descriptor

func (*PredPageBlockAuthorDate) Descriptor() ([]byte, []int)

func (*PredPageBlockAuthorDate) GetAuthor

func (m *PredPageBlockAuthorDate) GetAuthor() *TypeRichText

func (*PredPageBlockAuthorDate) GetPublishedDate

func (m *PredPageBlockAuthorDate) GetPublishedDate() int32

func (*PredPageBlockAuthorDate) ProtoMessage

func (*PredPageBlockAuthorDate) ProtoMessage()

func (*PredPageBlockAuthorDate) Reset

func (m *PredPageBlockAuthorDate) Reset()

func (*PredPageBlockAuthorDate) String

func (m *PredPageBlockAuthorDate) String() string

func (*PredPageBlockAuthorDate) ToType

func (p *PredPageBlockAuthorDate) ToType() TL

func (*PredPageBlockAuthorDate) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockAuthorDate) XXX_DiscardUnknown()

func (*PredPageBlockAuthorDate) XXX_Marshal added in v0.4.1

func (m *PredPageBlockAuthorDate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockAuthorDate) XXX_Merge added in v0.4.1

func (dst *PredPageBlockAuthorDate) XXX_Merge(src proto.Message)

func (*PredPageBlockAuthorDate) XXX_Size added in v0.4.1

func (m *PredPageBlockAuthorDate) XXX_Size() int

func (*PredPageBlockAuthorDate) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockAuthorDate) XXX_Unmarshal(b []byte) error

type PredPageBlockBlockquote

type PredPageBlockBlockquote struct {
	// default: RichText
	Text *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockBlockquote) Descriptor

func (*PredPageBlockBlockquote) Descriptor() ([]byte, []int)

func (*PredPageBlockBlockquote) GetCaption

func (m *PredPageBlockBlockquote) GetCaption() *TypeRichText

func (*PredPageBlockBlockquote) GetText

func (m *PredPageBlockBlockquote) GetText() *TypeRichText

func (*PredPageBlockBlockquote) ProtoMessage

func (*PredPageBlockBlockquote) ProtoMessage()

func (*PredPageBlockBlockquote) Reset

func (m *PredPageBlockBlockquote) Reset()

func (*PredPageBlockBlockquote) String

func (m *PredPageBlockBlockquote) String() string

func (*PredPageBlockBlockquote) ToType

func (p *PredPageBlockBlockquote) ToType() TL

func (*PredPageBlockBlockquote) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockBlockquote) XXX_DiscardUnknown()

func (*PredPageBlockBlockquote) XXX_Marshal added in v0.4.1

func (m *PredPageBlockBlockquote) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockBlockquote) XXX_Merge added in v0.4.1

func (dst *PredPageBlockBlockquote) XXX_Merge(src proto.Message)

func (*PredPageBlockBlockquote) XXX_Size added in v0.4.1

func (m *PredPageBlockBlockquote) XXX_Size() int

func (*PredPageBlockBlockquote) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockBlockquote) XXX_Unmarshal(b []byte) error

type PredPageBlockChannel

type PredPageBlockChannel struct {
	// default: Chat
	Channel              *TypeChat `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredPageBlockChannel) Descriptor

func (*PredPageBlockChannel) Descriptor() ([]byte, []int)

func (*PredPageBlockChannel) GetChannel

func (m *PredPageBlockChannel) GetChannel() *TypeChat

func (*PredPageBlockChannel) ProtoMessage

func (*PredPageBlockChannel) ProtoMessage()

func (*PredPageBlockChannel) Reset

func (m *PredPageBlockChannel) Reset()

func (*PredPageBlockChannel) String

func (m *PredPageBlockChannel) String() string

func (*PredPageBlockChannel) ToType

func (p *PredPageBlockChannel) ToType() TL

func (*PredPageBlockChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockChannel) XXX_DiscardUnknown()

func (*PredPageBlockChannel) XXX_Marshal added in v0.4.1

func (m *PredPageBlockChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockChannel) XXX_Merge added in v0.4.1

func (dst *PredPageBlockChannel) XXX_Merge(src proto.Message)

func (*PredPageBlockChannel) XXX_Size added in v0.4.1

func (m *PredPageBlockChannel) XXX_Size() int

func (*PredPageBlockChannel) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockChannel) XXX_Unmarshal(b []byte) error

type PredPageBlockCollage

type PredPageBlockCollage struct {
	// default: Vector<PageBlock>
	Items []*TypePageBlock `protobuf:"bytes,1,rep,name=Items" json:"Items,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockCollage) Descriptor

func (*PredPageBlockCollage) Descriptor() ([]byte, []int)

func (*PredPageBlockCollage) GetCaption

func (m *PredPageBlockCollage) GetCaption() *TypeRichText

func (*PredPageBlockCollage) GetItems

func (m *PredPageBlockCollage) GetItems() []*TypePageBlock

func (*PredPageBlockCollage) ProtoMessage

func (*PredPageBlockCollage) ProtoMessage()

func (*PredPageBlockCollage) Reset

func (m *PredPageBlockCollage) Reset()

func (*PredPageBlockCollage) String

func (m *PredPageBlockCollage) String() string

func (*PredPageBlockCollage) ToType

func (p *PredPageBlockCollage) ToType() TL

func (*PredPageBlockCollage) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockCollage) XXX_DiscardUnknown()

func (*PredPageBlockCollage) XXX_Marshal added in v0.4.1

func (m *PredPageBlockCollage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockCollage) XXX_Merge added in v0.4.1

func (dst *PredPageBlockCollage) XXX_Merge(src proto.Message)

func (*PredPageBlockCollage) XXX_Size added in v0.4.1

func (m *PredPageBlockCollage) XXX_Size() int

func (*PredPageBlockCollage) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockCollage) XXX_Unmarshal(b []byte) error

type PredPageBlockCover

type PredPageBlockCover struct {
	// default: PageBlock
	Cover                *TypePageBlock `protobuf:"bytes,1,opt,name=Cover" json:"Cover,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredPageBlockCover) Descriptor

func (*PredPageBlockCover) Descriptor() ([]byte, []int)

func (*PredPageBlockCover) GetCover

func (m *PredPageBlockCover) GetCover() *TypePageBlock

func (*PredPageBlockCover) ProtoMessage

func (*PredPageBlockCover) ProtoMessage()

func (*PredPageBlockCover) Reset

func (m *PredPageBlockCover) Reset()

func (*PredPageBlockCover) String

func (m *PredPageBlockCover) String() string

func (*PredPageBlockCover) ToType

func (p *PredPageBlockCover) ToType() TL

func (*PredPageBlockCover) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockCover) XXX_DiscardUnknown()

func (*PredPageBlockCover) XXX_Marshal added in v0.4.1

func (m *PredPageBlockCover) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockCover) XXX_Merge added in v0.4.1

func (dst *PredPageBlockCover) XXX_Merge(src proto.Message)

func (*PredPageBlockCover) XXX_Size added in v0.4.1

func (m *PredPageBlockCover) XXX_Size() int

func (*PredPageBlockCover) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockCover) XXX_Unmarshal(b []byte) error

type PredPageBlockDivider

type PredPageBlockDivider struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPageBlockDivider) Descriptor

func (*PredPageBlockDivider) Descriptor() ([]byte, []int)

func (*PredPageBlockDivider) ProtoMessage

func (*PredPageBlockDivider) ProtoMessage()

func (*PredPageBlockDivider) Reset

func (m *PredPageBlockDivider) Reset()

func (*PredPageBlockDivider) String

func (m *PredPageBlockDivider) String() string

func (*PredPageBlockDivider) ToType

func (p *PredPageBlockDivider) ToType() TL

func (*PredPageBlockDivider) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockDivider) XXX_DiscardUnknown()

func (*PredPageBlockDivider) XXX_Marshal added in v0.4.1

func (m *PredPageBlockDivider) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockDivider) XXX_Merge added in v0.4.1

func (dst *PredPageBlockDivider) XXX_Merge(src proto.Message)

func (*PredPageBlockDivider) XXX_Size added in v0.4.1

func (m *PredPageBlockDivider) XXX_Size() int

func (*PredPageBlockDivider) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockDivider) XXX_Unmarshal(b []byte) error

type PredPageBlockEmbed

type PredPageBlockEmbed struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// FullWidth	bool // flags.0?true
	// AllowScrolling	bool // flags.3?true
	Url           string `protobuf:"bytes,4,opt,name=Url" json:"Url,omitempty"`
	Html          string `protobuf:"bytes,5,opt,name=Html" json:"Html,omitempty"`
	PosterPhotoId int64  `protobuf:"varint,6,opt,name=PosterPhotoId" json:"PosterPhotoId,omitempty"`
	W             int32  `protobuf:"varint,7,opt,name=W" json:"W,omitempty"`
	H             int32  `protobuf:"varint,8,opt,name=H" json:"H,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,9,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockEmbed) Descriptor

func (*PredPageBlockEmbed) Descriptor() ([]byte, []int)

func (*PredPageBlockEmbed) GetCaption

func (m *PredPageBlockEmbed) GetCaption() *TypeRichText

func (*PredPageBlockEmbed) GetFlags

func (m *PredPageBlockEmbed) GetFlags() int32

func (*PredPageBlockEmbed) GetH

func (m *PredPageBlockEmbed) GetH() int32

func (*PredPageBlockEmbed) GetHtml

func (m *PredPageBlockEmbed) GetHtml() string

func (*PredPageBlockEmbed) GetPosterPhotoId

func (m *PredPageBlockEmbed) GetPosterPhotoId() int64

func (*PredPageBlockEmbed) GetUrl

func (m *PredPageBlockEmbed) GetUrl() string

func (*PredPageBlockEmbed) GetW

func (m *PredPageBlockEmbed) GetW() int32

func (*PredPageBlockEmbed) ProtoMessage

func (*PredPageBlockEmbed) ProtoMessage()

func (*PredPageBlockEmbed) Reset

func (m *PredPageBlockEmbed) Reset()

func (*PredPageBlockEmbed) String

func (m *PredPageBlockEmbed) String() string

func (*PredPageBlockEmbed) ToType

func (p *PredPageBlockEmbed) ToType() TL

func (*PredPageBlockEmbed) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockEmbed) XXX_DiscardUnknown()

func (*PredPageBlockEmbed) XXX_Marshal added in v0.4.1

func (m *PredPageBlockEmbed) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockEmbed) XXX_Merge added in v0.4.1

func (dst *PredPageBlockEmbed) XXX_Merge(src proto.Message)

func (*PredPageBlockEmbed) XXX_Size added in v0.4.1

func (m *PredPageBlockEmbed) XXX_Size() int

func (*PredPageBlockEmbed) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockEmbed) XXX_Unmarshal(b []byte) error

type PredPageBlockEmbedPost

type PredPageBlockEmbedPost struct {
	Url           string `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	WebpageId     int64  `protobuf:"varint,2,opt,name=WebpageId" json:"WebpageId,omitempty"`
	AuthorPhotoId int64  `protobuf:"varint,3,opt,name=AuthorPhotoId" json:"AuthorPhotoId,omitempty"`
	Author        string `protobuf:"bytes,4,opt,name=Author" json:"Author,omitempty"`
	Date          int32  `protobuf:"varint,5,opt,name=Date" json:"Date,omitempty"`
	// default: Vector<PageBlock>
	Blocks []*TypePageBlock `protobuf:"bytes,6,rep,name=Blocks" json:"Blocks,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,7,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockEmbedPost) Descriptor

func (*PredPageBlockEmbedPost) Descriptor() ([]byte, []int)

func (*PredPageBlockEmbedPost) GetAuthor

func (m *PredPageBlockEmbedPost) GetAuthor() string

func (*PredPageBlockEmbedPost) GetAuthorPhotoId

func (m *PredPageBlockEmbedPost) GetAuthorPhotoId() int64

func (*PredPageBlockEmbedPost) GetBlocks

func (m *PredPageBlockEmbedPost) GetBlocks() []*TypePageBlock

func (*PredPageBlockEmbedPost) GetCaption

func (m *PredPageBlockEmbedPost) GetCaption() *TypeRichText

func (*PredPageBlockEmbedPost) GetDate

func (m *PredPageBlockEmbedPost) GetDate() int32

func (*PredPageBlockEmbedPost) GetUrl

func (m *PredPageBlockEmbedPost) GetUrl() string

func (*PredPageBlockEmbedPost) GetWebpageId

func (m *PredPageBlockEmbedPost) GetWebpageId() int64

func (*PredPageBlockEmbedPost) ProtoMessage

func (*PredPageBlockEmbedPost) ProtoMessage()

func (*PredPageBlockEmbedPost) Reset

func (m *PredPageBlockEmbedPost) Reset()

func (*PredPageBlockEmbedPost) String

func (m *PredPageBlockEmbedPost) String() string

func (*PredPageBlockEmbedPost) ToType

func (p *PredPageBlockEmbedPost) ToType() TL

func (*PredPageBlockEmbedPost) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockEmbedPost) XXX_DiscardUnknown()

func (*PredPageBlockEmbedPost) XXX_Marshal added in v0.4.1

func (m *PredPageBlockEmbedPost) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockEmbedPost) XXX_Merge added in v0.4.1

func (dst *PredPageBlockEmbedPost) XXX_Merge(src proto.Message)

func (*PredPageBlockEmbedPost) XXX_Size added in v0.4.1

func (m *PredPageBlockEmbedPost) XXX_Size() int

func (*PredPageBlockEmbedPost) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockEmbedPost) XXX_Unmarshal(b []byte) error

type PredPageBlockFooter

type PredPageBlockFooter struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockFooter) Descriptor

func (*PredPageBlockFooter) Descriptor() ([]byte, []int)

func (*PredPageBlockFooter) GetText

func (m *PredPageBlockFooter) GetText() *TypeRichText

func (*PredPageBlockFooter) ProtoMessage

func (*PredPageBlockFooter) ProtoMessage()

func (*PredPageBlockFooter) Reset

func (m *PredPageBlockFooter) Reset()

func (*PredPageBlockFooter) String

func (m *PredPageBlockFooter) String() string

func (*PredPageBlockFooter) ToType

func (p *PredPageBlockFooter) ToType() TL

func (*PredPageBlockFooter) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockFooter) XXX_DiscardUnknown()

func (*PredPageBlockFooter) XXX_Marshal added in v0.4.1

func (m *PredPageBlockFooter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockFooter) XXX_Merge added in v0.4.1

func (dst *PredPageBlockFooter) XXX_Merge(src proto.Message)

func (*PredPageBlockFooter) XXX_Size added in v0.4.1

func (m *PredPageBlockFooter) XXX_Size() int

func (*PredPageBlockFooter) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockFooter) XXX_Unmarshal(b []byte) error

type PredPageBlockHeader

type PredPageBlockHeader struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockHeader) Descriptor

func (*PredPageBlockHeader) Descriptor() ([]byte, []int)

func (*PredPageBlockHeader) GetText

func (m *PredPageBlockHeader) GetText() *TypeRichText

func (*PredPageBlockHeader) ProtoMessage

func (*PredPageBlockHeader) ProtoMessage()

func (*PredPageBlockHeader) Reset

func (m *PredPageBlockHeader) Reset()

func (*PredPageBlockHeader) String

func (m *PredPageBlockHeader) String() string

func (*PredPageBlockHeader) ToType

func (p *PredPageBlockHeader) ToType() TL

func (*PredPageBlockHeader) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockHeader) XXX_DiscardUnknown()

func (*PredPageBlockHeader) XXX_Marshal added in v0.4.1

func (m *PredPageBlockHeader) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockHeader) XXX_Merge added in v0.4.1

func (dst *PredPageBlockHeader) XXX_Merge(src proto.Message)

func (*PredPageBlockHeader) XXX_Size added in v0.4.1

func (m *PredPageBlockHeader) XXX_Size() int

func (*PredPageBlockHeader) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockHeader) XXX_Unmarshal(b []byte) error

type PredPageBlockList

type PredPageBlockList struct {
	// default: Bool
	Ordered *TypeBool `protobuf:"bytes,1,opt,name=Ordered" json:"Ordered,omitempty"`
	// default: Vector<RichText>
	Items                []*TypeRichText `protobuf:"bytes,2,rep,name=Items" json:"Items,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredPageBlockList) Descriptor

func (*PredPageBlockList) Descriptor() ([]byte, []int)

func (*PredPageBlockList) GetItems

func (m *PredPageBlockList) GetItems() []*TypeRichText

func (*PredPageBlockList) GetOrdered

func (m *PredPageBlockList) GetOrdered() *TypeBool

func (*PredPageBlockList) ProtoMessage

func (*PredPageBlockList) ProtoMessage()

func (*PredPageBlockList) Reset

func (m *PredPageBlockList) Reset()

func (*PredPageBlockList) String

func (m *PredPageBlockList) String() string

func (*PredPageBlockList) ToType

func (p *PredPageBlockList) ToType() TL

func (*PredPageBlockList) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockList) XXX_DiscardUnknown()

func (*PredPageBlockList) XXX_Marshal added in v0.4.1

func (m *PredPageBlockList) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockList) XXX_Merge added in v0.4.1

func (dst *PredPageBlockList) XXX_Merge(src proto.Message)

func (*PredPageBlockList) XXX_Size added in v0.4.1

func (m *PredPageBlockList) XXX_Size() int

func (*PredPageBlockList) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockList) XXX_Unmarshal(b []byte) error

type PredPageBlockParagraph

type PredPageBlockParagraph struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockParagraph) Descriptor

func (*PredPageBlockParagraph) Descriptor() ([]byte, []int)

func (*PredPageBlockParagraph) GetText

func (m *PredPageBlockParagraph) GetText() *TypeRichText

func (*PredPageBlockParagraph) ProtoMessage

func (*PredPageBlockParagraph) ProtoMessage()

func (*PredPageBlockParagraph) Reset

func (m *PredPageBlockParagraph) Reset()

func (*PredPageBlockParagraph) String

func (m *PredPageBlockParagraph) String() string

func (*PredPageBlockParagraph) ToType

func (p *PredPageBlockParagraph) ToType() TL

func (*PredPageBlockParagraph) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockParagraph) XXX_DiscardUnknown()

func (*PredPageBlockParagraph) XXX_Marshal added in v0.4.1

func (m *PredPageBlockParagraph) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockParagraph) XXX_Merge added in v0.4.1

func (dst *PredPageBlockParagraph) XXX_Merge(src proto.Message)

func (*PredPageBlockParagraph) XXX_Size added in v0.4.1

func (m *PredPageBlockParagraph) XXX_Size() int

func (*PredPageBlockParagraph) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockParagraph) XXX_Unmarshal(b []byte) error

type PredPageBlockPhoto

type PredPageBlockPhoto struct {
	PhotoId int64 `protobuf:"varint,1,opt,name=PhotoId" json:"PhotoId,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockPhoto) Descriptor

func (*PredPageBlockPhoto) Descriptor() ([]byte, []int)

func (*PredPageBlockPhoto) GetCaption

func (m *PredPageBlockPhoto) GetCaption() *TypeRichText

func (*PredPageBlockPhoto) GetPhotoId

func (m *PredPageBlockPhoto) GetPhotoId() int64

func (*PredPageBlockPhoto) ProtoMessage

func (*PredPageBlockPhoto) ProtoMessage()

func (*PredPageBlockPhoto) Reset

func (m *PredPageBlockPhoto) Reset()

func (*PredPageBlockPhoto) String

func (m *PredPageBlockPhoto) String() string

func (*PredPageBlockPhoto) ToType

func (p *PredPageBlockPhoto) ToType() TL

func (*PredPageBlockPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockPhoto) XXX_DiscardUnknown()

func (*PredPageBlockPhoto) XXX_Marshal added in v0.4.1

func (m *PredPageBlockPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockPhoto) XXX_Merge added in v0.4.1

func (dst *PredPageBlockPhoto) XXX_Merge(src proto.Message)

func (*PredPageBlockPhoto) XXX_Size added in v0.4.1

func (m *PredPageBlockPhoto) XXX_Size() int

func (*PredPageBlockPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockPhoto) XXX_Unmarshal(b []byte) error

type PredPageBlockPreformatted

type PredPageBlockPreformatted struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	Language             string        `protobuf:"bytes,2,opt,name=Language" json:"Language,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockPreformatted) Descriptor

func (*PredPageBlockPreformatted) Descriptor() ([]byte, []int)

func (*PredPageBlockPreformatted) GetLanguage

func (m *PredPageBlockPreformatted) GetLanguage() string

func (*PredPageBlockPreformatted) GetText

func (*PredPageBlockPreformatted) ProtoMessage

func (*PredPageBlockPreformatted) ProtoMessage()

func (*PredPageBlockPreformatted) Reset

func (m *PredPageBlockPreformatted) Reset()

func (*PredPageBlockPreformatted) String

func (m *PredPageBlockPreformatted) String() string

func (*PredPageBlockPreformatted) ToType

func (p *PredPageBlockPreformatted) ToType() TL

func (*PredPageBlockPreformatted) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockPreformatted) XXX_DiscardUnknown()

func (*PredPageBlockPreformatted) XXX_Marshal added in v0.4.1

func (m *PredPageBlockPreformatted) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockPreformatted) XXX_Merge added in v0.4.1

func (dst *PredPageBlockPreformatted) XXX_Merge(src proto.Message)

func (*PredPageBlockPreformatted) XXX_Size added in v0.4.1

func (m *PredPageBlockPreformatted) XXX_Size() int

func (*PredPageBlockPreformatted) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockPreformatted) XXX_Unmarshal(b []byte) error

type PredPageBlockPullquote

type PredPageBlockPullquote struct {
	// default: RichText
	Text *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockPullquote) Descriptor

func (*PredPageBlockPullquote) Descriptor() ([]byte, []int)

func (*PredPageBlockPullquote) GetCaption

func (m *PredPageBlockPullquote) GetCaption() *TypeRichText

func (*PredPageBlockPullquote) GetText

func (m *PredPageBlockPullquote) GetText() *TypeRichText

func (*PredPageBlockPullquote) ProtoMessage

func (*PredPageBlockPullquote) ProtoMessage()

func (*PredPageBlockPullquote) Reset

func (m *PredPageBlockPullquote) Reset()

func (*PredPageBlockPullquote) String

func (m *PredPageBlockPullquote) String() string

func (*PredPageBlockPullquote) ToType

func (p *PredPageBlockPullquote) ToType() TL

func (*PredPageBlockPullquote) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockPullquote) XXX_DiscardUnknown()

func (*PredPageBlockPullquote) XXX_Marshal added in v0.4.1

func (m *PredPageBlockPullquote) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockPullquote) XXX_Merge added in v0.4.1

func (dst *PredPageBlockPullquote) XXX_Merge(src proto.Message)

func (*PredPageBlockPullquote) XXX_Size added in v0.4.1

func (m *PredPageBlockPullquote) XXX_Size() int

func (*PredPageBlockPullquote) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockPullquote) XXX_Unmarshal(b []byte) error

type PredPageBlockSlideshow

type PredPageBlockSlideshow struct {
	// default: Vector<PageBlock>
	Items []*TypePageBlock `protobuf:"bytes,1,rep,name=Items" json:"Items,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,2,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockSlideshow) Descriptor

func (*PredPageBlockSlideshow) Descriptor() ([]byte, []int)

func (*PredPageBlockSlideshow) GetCaption

func (m *PredPageBlockSlideshow) GetCaption() *TypeRichText

func (*PredPageBlockSlideshow) GetItems

func (m *PredPageBlockSlideshow) GetItems() []*TypePageBlock

func (*PredPageBlockSlideshow) ProtoMessage

func (*PredPageBlockSlideshow) ProtoMessage()

func (*PredPageBlockSlideshow) Reset

func (m *PredPageBlockSlideshow) Reset()

func (*PredPageBlockSlideshow) String

func (m *PredPageBlockSlideshow) String() string

func (*PredPageBlockSlideshow) ToType

func (p *PredPageBlockSlideshow) ToType() TL

func (*PredPageBlockSlideshow) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockSlideshow) XXX_DiscardUnknown()

func (*PredPageBlockSlideshow) XXX_Marshal added in v0.4.1

func (m *PredPageBlockSlideshow) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockSlideshow) XXX_Merge added in v0.4.1

func (dst *PredPageBlockSlideshow) XXX_Merge(src proto.Message)

func (*PredPageBlockSlideshow) XXX_Size added in v0.4.1

func (m *PredPageBlockSlideshow) XXX_Size() int

func (*PredPageBlockSlideshow) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockSlideshow) XXX_Unmarshal(b []byte) error

type PredPageBlockSubheader

type PredPageBlockSubheader struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockSubheader) Descriptor

func (*PredPageBlockSubheader) Descriptor() ([]byte, []int)

func (*PredPageBlockSubheader) GetText

func (m *PredPageBlockSubheader) GetText() *TypeRichText

func (*PredPageBlockSubheader) ProtoMessage

func (*PredPageBlockSubheader) ProtoMessage()

func (*PredPageBlockSubheader) Reset

func (m *PredPageBlockSubheader) Reset()

func (*PredPageBlockSubheader) String

func (m *PredPageBlockSubheader) String() string

func (*PredPageBlockSubheader) ToType

func (p *PredPageBlockSubheader) ToType() TL

func (*PredPageBlockSubheader) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockSubheader) XXX_DiscardUnknown()

func (*PredPageBlockSubheader) XXX_Marshal added in v0.4.1

func (m *PredPageBlockSubheader) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockSubheader) XXX_Merge added in v0.4.1

func (dst *PredPageBlockSubheader) XXX_Merge(src proto.Message)

func (*PredPageBlockSubheader) XXX_Size added in v0.4.1

func (m *PredPageBlockSubheader) XXX_Size() int

func (*PredPageBlockSubheader) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockSubheader) XXX_Unmarshal(b []byte) error

type PredPageBlockSubtitle

type PredPageBlockSubtitle struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockSubtitle) Descriptor

func (*PredPageBlockSubtitle) Descriptor() ([]byte, []int)

func (*PredPageBlockSubtitle) GetText

func (m *PredPageBlockSubtitle) GetText() *TypeRichText

func (*PredPageBlockSubtitle) ProtoMessage

func (*PredPageBlockSubtitle) ProtoMessage()

func (*PredPageBlockSubtitle) Reset

func (m *PredPageBlockSubtitle) Reset()

func (*PredPageBlockSubtitle) String

func (m *PredPageBlockSubtitle) String() string

func (*PredPageBlockSubtitle) ToType

func (p *PredPageBlockSubtitle) ToType() TL

func (*PredPageBlockSubtitle) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockSubtitle) XXX_DiscardUnknown()

func (*PredPageBlockSubtitle) XXX_Marshal added in v0.4.1

func (m *PredPageBlockSubtitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockSubtitle) XXX_Merge added in v0.4.1

func (dst *PredPageBlockSubtitle) XXX_Merge(src proto.Message)

func (*PredPageBlockSubtitle) XXX_Size added in v0.4.1

func (m *PredPageBlockSubtitle) XXX_Size() int

func (*PredPageBlockSubtitle) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockSubtitle) XXX_Unmarshal(b []byte) error

type PredPageBlockTitle

type PredPageBlockTitle struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockTitle) Descriptor

func (*PredPageBlockTitle) Descriptor() ([]byte, []int)

func (*PredPageBlockTitle) GetText

func (m *PredPageBlockTitle) GetText() *TypeRichText

func (*PredPageBlockTitle) ProtoMessage

func (*PredPageBlockTitle) ProtoMessage()

func (*PredPageBlockTitle) Reset

func (m *PredPageBlockTitle) Reset()

func (*PredPageBlockTitle) String

func (m *PredPageBlockTitle) String() string

func (*PredPageBlockTitle) ToType

func (p *PredPageBlockTitle) ToType() TL

func (*PredPageBlockTitle) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockTitle) XXX_DiscardUnknown()

func (*PredPageBlockTitle) XXX_Marshal added in v0.4.1

func (m *PredPageBlockTitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockTitle) XXX_Merge added in v0.4.1

func (dst *PredPageBlockTitle) XXX_Merge(src proto.Message)

func (*PredPageBlockTitle) XXX_Size added in v0.4.1

func (m *PredPageBlockTitle) XXX_Size() int

func (*PredPageBlockTitle) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockTitle) XXX_Unmarshal(b []byte) error

type PredPageBlockUnsupported

type PredPageBlockUnsupported struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPageBlockUnsupported) Descriptor

func (*PredPageBlockUnsupported) Descriptor() ([]byte, []int)

func (*PredPageBlockUnsupported) ProtoMessage

func (*PredPageBlockUnsupported) ProtoMessage()

func (*PredPageBlockUnsupported) Reset

func (m *PredPageBlockUnsupported) Reset()

func (*PredPageBlockUnsupported) String

func (m *PredPageBlockUnsupported) String() string

func (*PredPageBlockUnsupported) ToType

func (p *PredPageBlockUnsupported) ToType() TL

func (*PredPageBlockUnsupported) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockUnsupported) XXX_DiscardUnknown()

func (*PredPageBlockUnsupported) XXX_Marshal added in v0.4.1

func (m *PredPageBlockUnsupported) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockUnsupported) XXX_Merge added in v0.4.1

func (dst *PredPageBlockUnsupported) XXX_Merge(src proto.Message)

func (*PredPageBlockUnsupported) XXX_Size added in v0.4.1

func (m *PredPageBlockUnsupported) XXX_Size() int

func (*PredPageBlockUnsupported) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockUnsupported) XXX_Unmarshal(b []byte) error

type PredPageBlockVideo

type PredPageBlockVideo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Autoplay	bool // flags.0?true
	// Loop	bool // flags.1?true
	VideoId int64 `protobuf:"varint,4,opt,name=VideoId" json:"VideoId,omitempty"`
	// default: RichText
	Caption              *TypeRichText `protobuf:"bytes,5,opt,name=Caption" json:"Caption,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredPageBlockVideo) Descriptor

func (*PredPageBlockVideo) Descriptor() ([]byte, []int)

func (*PredPageBlockVideo) GetCaption

func (m *PredPageBlockVideo) GetCaption() *TypeRichText

func (*PredPageBlockVideo) GetFlags

func (m *PredPageBlockVideo) GetFlags() int32

func (*PredPageBlockVideo) GetVideoId

func (m *PredPageBlockVideo) GetVideoId() int64

func (*PredPageBlockVideo) ProtoMessage

func (*PredPageBlockVideo) ProtoMessage()

func (*PredPageBlockVideo) Reset

func (m *PredPageBlockVideo) Reset()

func (*PredPageBlockVideo) String

func (m *PredPageBlockVideo) String() string

func (*PredPageBlockVideo) ToType

func (p *PredPageBlockVideo) ToType() TL

func (*PredPageBlockVideo) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageBlockVideo) XXX_DiscardUnknown()

func (*PredPageBlockVideo) XXX_Marshal added in v0.4.1

func (m *PredPageBlockVideo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageBlockVideo) XXX_Merge added in v0.4.1

func (dst *PredPageBlockVideo) XXX_Merge(src proto.Message)

func (*PredPageBlockVideo) XXX_Size added in v0.4.1

func (m *PredPageBlockVideo) XXX_Size() int

func (*PredPageBlockVideo) XXX_Unmarshal added in v0.4.1

func (m *PredPageBlockVideo) XXX_Unmarshal(b []byte) error

type PredPageFull

type PredPageFull struct {
	// default: Vector<PageBlock>
	Blocks []*TypePageBlock `protobuf:"bytes,1,rep,name=Blocks" json:"Blocks,omitempty"`
	// default: Vector<Photo>
	Photos []*TypePhoto `protobuf:"bytes,2,rep,name=Photos" json:"Photos,omitempty"`
	// default: Vector<Document>
	Documents            []*TypeDocument `protobuf:"bytes,3,rep,name=Documents" json:"Documents,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredPageFull) Descriptor

func (*PredPageFull) Descriptor() ([]byte, []int)

func (*PredPageFull) GetBlocks

func (m *PredPageFull) GetBlocks() []*TypePageBlock

func (*PredPageFull) GetDocuments

func (m *PredPageFull) GetDocuments() []*TypeDocument

func (*PredPageFull) GetPhotos

func (m *PredPageFull) GetPhotos() []*TypePhoto

func (*PredPageFull) ProtoMessage

func (*PredPageFull) ProtoMessage()

func (*PredPageFull) Reset

func (m *PredPageFull) Reset()

func (*PredPageFull) String

func (m *PredPageFull) String() string

func (*PredPageFull) ToType

func (p *PredPageFull) ToType() TL

func (*PredPageFull) XXX_DiscardUnknown added in v0.4.1

func (m *PredPageFull) XXX_DiscardUnknown()

func (*PredPageFull) XXX_Marshal added in v0.4.1

func (m *PredPageFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPageFull) XXX_Merge added in v0.4.1

func (dst *PredPageFull) XXX_Merge(src proto.Message)

func (*PredPageFull) XXX_Size added in v0.4.1

func (m *PredPageFull) XXX_Size() int

func (*PredPageFull) XXX_Unmarshal added in v0.4.1

func (m *PredPageFull) XXX_Unmarshal(b []byte) error

type PredPagePart

type PredPagePart struct {
	// default: Vector<PageBlock>
	Blocks []*TypePageBlock `protobuf:"bytes,1,rep,name=Blocks" json:"Blocks,omitempty"`
	// default: Vector<Photo>
	Photos []*TypePhoto `protobuf:"bytes,2,rep,name=Photos" json:"Photos,omitempty"`
	// default: Vector<Document>
	Documents            []*TypeDocument `protobuf:"bytes,3,rep,name=Documents" json:"Documents,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredPagePart) Descriptor

func (*PredPagePart) Descriptor() ([]byte, []int)

func (*PredPagePart) GetBlocks

func (m *PredPagePart) GetBlocks() []*TypePageBlock

func (*PredPagePart) GetDocuments

func (m *PredPagePart) GetDocuments() []*TypeDocument

func (*PredPagePart) GetPhotos

func (m *PredPagePart) GetPhotos() []*TypePhoto

func (*PredPagePart) ProtoMessage

func (*PredPagePart) ProtoMessage()

func (*PredPagePart) Reset

func (m *PredPagePart) Reset()

func (*PredPagePart) String

func (m *PredPagePart) String() string

func (*PredPagePart) ToType

func (p *PredPagePart) ToType() TL

func (*PredPagePart) XXX_DiscardUnknown added in v0.4.1

func (m *PredPagePart) XXX_DiscardUnknown()

func (*PredPagePart) XXX_Marshal added in v0.4.1

func (m *PredPagePart) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPagePart) XXX_Merge added in v0.4.1

func (dst *PredPagePart) XXX_Merge(src proto.Message)

func (*PredPagePart) XXX_Size added in v0.4.1

func (m *PredPagePart) XXX_Size() int

func (*PredPagePart) XXX_Unmarshal added in v0.4.1

func (m *PredPagePart) XXX_Unmarshal(b []byte) error

type PredPaymentCharge

type PredPaymentCharge struct {
	Id                   string   `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	ProviderChargeId     string   `protobuf:"bytes,2,opt,name=ProviderChargeId" json:"ProviderChargeId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPaymentCharge) Descriptor

func (*PredPaymentCharge) Descriptor() ([]byte, []int)

func (*PredPaymentCharge) GetId

func (m *PredPaymentCharge) GetId() string

func (*PredPaymentCharge) GetProviderChargeId

func (m *PredPaymentCharge) GetProviderChargeId() string

func (*PredPaymentCharge) ProtoMessage

func (*PredPaymentCharge) ProtoMessage()

func (*PredPaymentCharge) Reset

func (m *PredPaymentCharge) Reset()

func (*PredPaymentCharge) String

func (m *PredPaymentCharge) String() string

func (*PredPaymentCharge) ToType

func (p *PredPaymentCharge) ToType() TL

func (*PredPaymentCharge) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentCharge) XXX_DiscardUnknown()

func (*PredPaymentCharge) XXX_Marshal added in v0.4.1

func (m *PredPaymentCharge) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentCharge) XXX_Merge added in v0.4.1

func (dst *PredPaymentCharge) XXX_Merge(src proto.Message)

func (*PredPaymentCharge) XXX_Size added in v0.4.1

func (m *PredPaymentCharge) XXX_Size() int

func (*PredPaymentCharge) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentCharge) XXX_Unmarshal(b []byte) error

type PredPaymentRequestedInfo

type PredPaymentRequestedInfo struct {
	Flags int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Name  string `protobuf:"bytes,2,opt,name=Name" json:"Name,omitempty"`
	Phone string `protobuf:"bytes,3,opt,name=Phone" json:"Phone,omitempty"`
	Email string `protobuf:"bytes,4,opt,name=Email" json:"Email,omitempty"`
	// default: PostAddress
	ShippingAddress      *TypePostAddress `protobuf:"bytes,5,opt,name=ShippingAddress" json:"ShippingAddress,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredPaymentRequestedInfo) Descriptor

func (*PredPaymentRequestedInfo) Descriptor() ([]byte, []int)

func (*PredPaymentRequestedInfo) GetEmail

func (m *PredPaymentRequestedInfo) GetEmail() string

func (*PredPaymentRequestedInfo) GetFlags

func (m *PredPaymentRequestedInfo) GetFlags() int32

func (*PredPaymentRequestedInfo) GetName

func (m *PredPaymentRequestedInfo) GetName() string

func (*PredPaymentRequestedInfo) GetPhone

func (m *PredPaymentRequestedInfo) GetPhone() string

func (*PredPaymentRequestedInfo) GetShippingAddress

func (m *PredPaymentRequestedInfo) GetShippingAddress() *TypePostAddress

func (*PredPaymentRequestedInfo) ProtoMessage

func (*PredPaymentRequestedInfo) ProtoMessage()

func (*PredPaymentRequestedInfo) Reset

func (m *PredPaymentRequestedInfo) Reset()

func (*PredPaymentRequestedInfo) String

func (m *PredPaymentRequestedInfo) String() string

func (*PredPaymentRequestedInfo) ToType

func (p *PredPaymentRequestedInfo) ToType() TL

func (*PredPaymentRequestedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentRequestedInfo) XXX_DiscardUnknown()

func (*PredPaymentRequestedInfo) XXX_Marshal added in v0.4.1

func (m *PredPaymentRequestedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentRequestedInfo) XXX_Merge added in v0.4.1

func (dst *PredPaymentRequestedInfo) XXX_Merge(src proto.Message)

func (*PredPaymentRequestedInfo) XXX_Size added in v0.4.1

func (m *PredPaymentRequestedInfo) XXX_Size() int

func (*PredPaymentRequestedInfo) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentRequestedInfo) XXX_Unmarshal(b []byte) error

type PredPaymentSavedCredentialsCard

type PredPaymentSavedCredentialsCard struct {
	Id                   string   `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	Title                string   `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPaymentSavedCredentialsCard) Descriptor

func (*PredPaymentSavedCredentialsCard) Descriptor() ([]byte, []int)

func (*PredPaymentSavedCredentialsCard) GetId

func (*PredPaymentSavedCredentialsCard) GetTitle

func (*PredPaymentSavedCredentialsCard) ProtoMessage

func (*PredPaymentSavedCredentialsCard) ProtoMessage()

func (*PredPaymentSavedCredentialsCard) Reset

func (*PredPaymentSavedCredentialsCard) String

func (*PredPaymentSavedCredentialsCard) ToType

func (p *PredPaymentSavedCredentialsCard) ToType() TL

func (*PredPaymentSavedCredentialsCard) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentSavedCredentialsCard) XXX_DiscardUnknown()

func (*PredPaymentSavedCredentialsCard) XXX_Marshal added in v0.4.1

func (m *PredPaymentSavedCredentialsCard) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentSavedCredentialsCard) XXX_Merge added in v0.4.1

func (dst *PredPaymentSavedCredentialsCard) XXX_Merge(src proto.Message)

func (*PredPaymentSavedCredentialsCard) XXX_Size added in v0.4.1

func (m *PredPaymentSavedCredentialsCard) XXX_Size() int

func (*PredPaymentSavedCredentialsCard) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentSavedCredentialsCard) XXX_Unmarshal(b []byte) error

type PredPaymentsPaymentForm

type PredPaymentsPaymentForm struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// CanSaveCredentials	bool // flags.2?true
	// PasswordMissing	bool // flags.3?true
	BotId int32 `protobuf:"varint,4,opt,name=BotId" json:"BotId,omitempty"`
	// default: Invoice
	Invoice        *TypeInvoice `protobuf:"bytes,5,opt,name=Invoice" json:"Invoice,omitempty"`
	ProviderId     int32        `protobuf:"varint,6,opt,name=ProviderId" json:"ProviderId,omitempty"`
	Url            string       `protobuf:"bytes,7,opt,name=Url" json:"Url,omitempty"`
	NativeProvider string       `protobuf:"bytes,8,opt,name=NativeProvider" json:"NativeProvider,omitempty"`
	// default: DataJSON
	NativeParams *TypeDataJSON `protobuf:"bytes,9,opt,name=NativeParams" json:"NativeParams,omitempty"`
	// default: PaymentRequestedInfo
	SavedInfo *TypePaymentRequestedInfo `protobuf:"bytes,10,opt,name=SavedInfo" json:"SavedInfo,omitempty"`
	// default: PaymentSavedCredentials
	SavedCredentials *TypePaymentSavedCredentials `protobuf:"bytes,11,opt,name=SavedCredentials" json:"SavedCredentials,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,12,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPaymentsPaymentForm) Descriptor

func (*PredPaymentsPaymentForm) Descriptor() ([]byte, []int)

func (*PredPaymentsPaymentForm) GetBotId

func (m *PredPaymentsPaymentForm) GetBotId() int32

func (*PredPaymentsPaymentForm) GetFlags

func (m *PredPaymentsPaymentForm) GetFlags() int32

func (*PredPaymentsPaymentForm) GetInvoice

func (m *PredPaymentsPaymentForm) GetInvoice() *TypeInvoice

func (*PredPaymentsPaymentForm) GetNativeParams

func (m *PredPaymentsPaymentForm) GetNativeParams() *TypeDataJSON

func (*PredPaymentsPaymentForm) GetNativeProvider

func (m *PredPaymentsPaymentForm) GetNativeProvider() string

func (*PredPaymentsPaymentForm) GetProviderId

func (m *PredPaymentsPaymentForm) GetProviderId() int32

func (*PredPaymentsPaymentForm) GetSavedCredentials

func (m *PredPaymentsPaymentForm) GetSavedCredentials() *TypePaymentSavedCredentials

func (*PredPaymentsPaymentForm) GetSavedInfo

func (*PredPaymentsPaymentForm) GetUrl

func (m *PredPaymentsPaymentForm) GetUrl() string

func (*PredPaymentsPaymentForm) GetUsers

func (m *PredPaymentsPaymentForm) GetUsers() []*TypeUser

func (*PredPaymentsPaymentForm) ProtoMessage

func (*PredPaymentsPaymentForm) ProtoMessage()

func (*PredPaymentsPaymentForm) Reset

func (m *PredPaymentsPaymentForm) Reset()

func (*PredPaymentsPaymentForm) String

func (m *PredPaymentsPaymentForm) String() string

func (*PredPaymentsPaymentForm) ToType

func (p *PredPaymentsPaymentForm) ToType() TL

func (*PredPaymentsPaymentForm) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsPaymentForm) XXX_DiscardUnknown()

func (*PredPaymentsPaymentForm) XXX_Marshal added in v0.4.1

func (m *PredPaymentsPaymentForm) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsPaymentForm) XXX_Merge added in v0.4.1

func (dst *PredPaymentsPaymentForm) XXX_Merge(src proto.Message)

func (*PredPaymentsPaymentForm) XXX_Size added in v0.4.1

func (m *PredPaymentsPaymentForm) XXX_Size() int

func (*PredPaymentsPaymentForm) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsPaymentForm) XXX_Unmarshal(b []byte) error

type PredPaymentsPaymentReceipt

type PredPaymentsPaymentReceipt struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Date  int32 `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	BotId int32 `protobuf:"varint,3,opt,name=BotId" json:"BotId,omitempty"`
	// default: Invoice
	Invoice    *TypeInvoice `protobuf:"bytes,4,opt,name=Invoice" json:"Invoice,omitempty"`
	ProviderId int32        `protobuf:"varint,5,opt,name=ProviderId" json:"ProviderId,omitempty"`
	// default: PaymentRequestedInfo
	Info *TypePaymentRequestedInfo `protobuf:"bytes,6,opt,name=Info" json:"Info,omitempty"`
	// default: ShippingOption
	Shipping         *TypeShippingOption `protobuf:"bytes,7,opt,name=Shipping" json:"Shipping,omitempty"`
	Currency         string              `protobuf:"bytes,8,opt,name=Currency" json:"Currency,omitempty"`
	TotalAmount      int64               `protobuf:"varint,9,opt,name=TotalAmount" json:"TotalAmount,omitempty"`
	CredentialsTitle string              `protobuf:"bytes,10,opt,name=CredentialsTitle" json:"CredentialsTitle,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,11,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPaymentsPaymentReceipt) Descriptor

func (*PredPaymentsPaymentReceipt) Descriptor() ([]byte, []int)

func (*PredPaymentsPaymentReceipt) GetBotId

func (m *PredPaymentsPaymentReceipt) GetBotId() int32

func (*PredPaymentsPaymentReceipt) GetCredentialsTitle

func (m *PredPaymentsPaymentReceipt) GetCredentialsTitle() string

func (*PredPaymentsPaymentReceipt) GetCurrency

func (m *PredPaymentsPaymentReceipt) GetCurrency() string

func (*PredPaymentsPaymentReceipt) GetDate

func (m *PredPaymentsPaymentReceipt) GetDate() int32

func (*PredPaymentsPaymentReceipt) GetFlags

func (m *PredPaymentsPaymentReceipt) GetFlags() int32

func (*PredPaymentsPaymentReceipt) GetInfo

func (*PredPaymentsPaymentReceipt) GetInvoice

func (m *PredPaymentsPaymentReceipt) GetInvoice() *TypeInvoice

func (*PredPaymentsPaymentReceipt) GetProviderId

func (m *PredPaymentsPaymentReceipt) GetProviderId() int32

func (*PredPaymentsPaymentReceipt) GetShipping

func (*PredPaymentsPaymentReceipt) GetTotalAmount

func (m *PredPaymentsPaymentReceipt) GetTotalAmount() int64

func (*PredPaymentsPaymentReceipt) GetUsers

func (m *PredPaymentsPaymentReceipt) GetUsers() []*TypeUser

func (*PredPaymentsPaymentReceipt) ProtoMessage

func (*PredPaymentsPaymentReceipt) ProtoMessage()

func (*PredPaymentsPaymentReceipt) Reset

func (m *PredPaymentsPaymentReceipt) Reset()

func (*PredPaymentsPaymentReceipt) String

func (m *PredPaymentsPaymentReceipt) String() string

func (*PredPaymentsPaymentReceipt) ToType

func (p *PredPaymentsPaymentReceipt) ToType() TL

func (*PredPaymentsPaymentReceipt) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsPaymentReceipt) XXX_DiscardUnknown()

func (*PredPaymentsPaymentReceipt) XXX_Marshal added in v0.4.1

func (m *PredPaymentsPaymentReceipt) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsPaymentReceipt) XXX_Merge added in v0.4.1

func (dst *PredPaymentsPaymentReceipt) XXX_Merge(src proto.Message)

func (*PredPaymentsPaymentReceipt) XXX_Size added in v0.4.1

func (m *PredPaymentsPaymentReceipt) XXX_Size() int

func (*PredPaymentsPaymentReceipt) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsPaymentReceipt) XXX_Unmarshal(b []byte) error

type PredPaymentsPaymentResult

type PredPaymentsPaymentResult struct {
	// default: Updates
	Updates              *TypeUpdates `protobuf:"bytes,1,opt,name=Updates" json:"Updates,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredPaymentsPaymentResult) Descriptor

func (*PredPaymentsPaymentResult) Descriptor() ([]byte, []int)

func (*PredPaymentsPaymentResult) GetUpdates

func (m *PredPaymentsPaymentResult) GetUpdates() *TypeUpdates

func (*PredPaymentsPaymentResult) ProtoMessage

func (*PredPaymentsPaymentResult) ProtoMessage()

func (*PredPaymentsPaymentResult) Reset

func (m *PredPaymentsPaymentResult) Reset()

func (*PredPaymentsPaymentResult) String

func (m *PredPaymentsPaymentResult) String() string

func (*PredPaymentsPaymentResult) ToType

func (p *PredPaymentsPaymentResult) ToType() TL

func (*PredPaymentsPaymentResult) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsPaymentResult) XXX_DiscardUnknown()

func (*PredPaymentsPaymentResult) XXX_Marshal added in v0.4.1

func (m *PredPaymentsPaymentResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsPaymentResult) XXX_Merge added in v0.4.1

func (dst *PredPaymentsPaymentResult) XXX_Merge(src proto.Message)

func (*PredPaymentsPaymentResult) XXX_Size added in v0.4.1

func (m *PredPaymentsPaymentResult) XXX_Size() int

func (*PredPaymentsPaymentResult) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsPaymentResult) XXX_Unmarshal(b []byte) error

type PredPaymentsPaymentVerficationNeeded

type PredPaymentsPaymentVerficationNeeded struct {
	Url                  string   `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPaymentsPaymentVerficationNeeded) Descriptor

func (*PredPaymentsPaymentVerficationNeeded) Descriptor() ([]byte, []int)

func (*PredPaymentsPaymentVerficationNeeded) GetUrl

func (*PredPaymentsPaymentVerficationNeeded) ProtoMessage

func (*PredPaymentsPaymentVerficationNeeded) ProtoMessage()

func (*PredPaymentsPaymentVerficationNeeded) Reset

func (*PredPaymentsPaymentVerficationNeeded) String

func (*PredPaymentsPaymentVerficationNeeded) ToType

func (*PredPaymentsPaymentVerficationNeeded) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsPaymentVerficationNeeded) XXX_DiscardUnknown()

func (*PredPaymentsPaymentVerficationNeeded) XXX_Marshal added in v0.4.1

func (m *PredPaymentsPaymentVerficationNeeded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsPaymentVerficationNeeded) XXX_Merge added in v0.4.1

func (*PredPaymentsPaymentVerficationNeeded) XXX_Size added in v0.4.1

func (*PredPaymentsPaymentVerficationNeeded) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsPaymentVerficationNeeded) XXX_Unmarshal(b []byte) error

type PredPaymentsSavedInfo

type PredPaymentsSavedInfo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// HasSavedCredentials	bool // flags.1?true
	// default: PaymentRequestedInfo
	SavedInfo            *TypePaymentRequestedInfo `protobuf:"bytes,3,opt,name=SavedInfo" json:"SavedInfo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*PredPaymentsSavedInfo) Descriptor

func (*PredPaymentsSavedInfo) Descriptor() ([]byte, []int)

func (*PredPaymentsSavedInfo) GetFlags

func (m *PredPaymentsSavedInfo) GetFlags() int32

func (*PredPaymentsSavedInfo) GetSavedInfo

func (*PredPaymentsSavedInfo) ProtoMessage

func (*PredPaymentsSavedInfo) ProtoMessage()

func (*PredPaymentsSavedInfo) Reset

func (m *PredPaymentsSavedInfo) Reset()

func (*PredPaymentsSavedInfo) String

func (m *PredPaymentsSavedInfo) String() string

func (*PredPaymentsSavedInfo) ToType

func (p *PredPaymentsSavedInfo) ToType() TL

func (*PredPaymentsSavedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsSavedInfo) XXX_DiscardUnknown()

func (*PredPaymentsSavedInfo) XXX_Marshal added in v0.4.1

func (m *PredPaymentsSavedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsSavedInfo) XXX_Merge added in v0.4.1

func (dst *PredPaymentsSavedInfo) XXX_Merge(src proto.Message)

func (*PredPaymentsSavedInfo) XXX_Size added in v0.4.1

func (m *PredPaymentsSavedInfo) XXX_Size() int

func (*PredPaymentsSavedInfo) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsSavedInfo) XXX_Unmarshal(b []byte) error

type PredPaymentsValidatedRequestedInfo

type PredPaymentsValidatedRequestedInfo struct {
	Flags int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id    string `protobuf:"bytes,2,opt,name=Id" json:"Id,omitempty"`
	// default: Vector<ShippingOption>
	ShippingOptions      []*TypeShippingOption `protobuf:"bytes,3,rep,name=ShippingOptions" json:"ShippingOptions,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredPaymentsValidatedRequestedInfo) Descriptor

func (*PredPaymentsValidatedRequestedInfo) Descriptor() ([]byte, []int)

func (*PredPaymentsValidatedRequestedInfo) GetFlags

func (*PredPaymentsValidatedRequestedInfo) GetId

func (*PredPaymentsValidatedRequestedInfo) GetShippingOptions

func (m *PredPaymentsValidatedRequestedInfo) GetShippingOptions() []*TypeShippingOption

func (*PredPaymentsValidatedRequestedInfo) ProtoMessage

func (*PredPaymentsValidatedRequestedInfo) ProtoMessage()

func (*PredPaymentsValidatedRequestedInfo) Reset

func (*PredPaymentsValidatedRequestedInfo) String

func (*PredPaymentsValidatedRequestedInfo) ToType

func (*PredPaymentsValidatedRequestedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *PredPaymentsValidatedRequestedInfo) XXX_DiscardUnknown()

func (*PredPaymentsValidatedRequestedInfo) XXX_Marshal added in v0.4.1

func (m *PredPaymentsValidatedRequestedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPaymentsValidatedRequestedInfo) XXX_Merge added in v0.4.1

func (dst *PredPaymentsValidatedRequestedInfo) XXX_Merge(src proto.Message)

func (*PredPaymentsValidatedRequestedInfo) XXX_Size added in v0.4.1

func (*PredPaymentsValidatedRequestedInfo) XXX_Unmarshal added in v0.4.1

func (m *PredPaymentsValidatedRequestedInfo) XXX_Unmarshal(b []byte) error

type PredPeerChannel

type PredPeerChannel struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerChannel) Descriptor

func (*PredPeerChannel) Descriptor() ([]byte, []int)

func (*PredPeerChannel) GetChannelId

func (m *PredPeerChannel) GetChannelId() int32

func (*PredPeerChannel) ProtoMessage

func (*PredPeerChannel) ProtoMessage()

func (*PredPeerChannel) Reset

func (m *PredPeerChannel) Reset()

func (*PredPeerChannel) String

func (m *PredPeerChannel) String() string

func (*PredPeerChannel) ToType

func (p *PredPeerChannel) ToType() TL

func (*PredPeerChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerChannel) XXX_DiscardUnknown()

func (*PredPeerChannel) XXX_Marshal added in v0.4.1

func (m *PredPeerChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerChannel) XXX_Merge added in v0.4.1

func (dst *PredPeerChannel) XXX_Merge(src proto.Message)

func (*PredPeerChannel) XXX_Size added in v0.4.1

func (m *PredPeerChannel) XXX_Size() int

func (*PredPeerChannel) XXX_Unmarshal added in v0.4.1

func (m *PredPeerChannel) XXX_Unmarshal(b []byte) error

type PredPeerChat

type PredPeerChat struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerChat) Descriptor

func (*PredPeerChat) Descriptor() ([]byte, []int)

func (*PredPeerChat) GetChatId

func (m *PredPeerChat) GetChatId() int32

func (*PredPeerChat) ProtoMessage

func (*PredPeerChat) ProtoMessage()

func (*PredPeerChat) Reset

func (m *PredPeerChat) Reset()

func (*PredPeerChat) String

func (m *PredPeerChat) String() string

func (*PredPeerChat) ToType

func (p *PredPeerChat) ToType() TL

func (*PredPeerChat) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerChat) XXX_DiscardUnknown()

func (*PredPeerChat) XXX_Marshal added in v0.4.1

func (m *PredPeerChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerChat) XXX_Merge added in v0.4.1

func (dst *PredPeerChat) XXX_Merge(src proto.Message)

func (*PredPeerChat) XXX_Size added in v0.4.1

func (m *PredPeerChat) XXX_Size() int

func (*PredPeerChat) XXX_Unmarshal added in v0.4.1

func (m *PredPeerChat) XXX_Unmarshal(b []byte) error

type PredPeerNotifyEventsAll

type PredPeerNotifyEventsAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerNotifyEventsAll) Descriptor

func (*PredPeerNotifyEventsAll) Descriptor() ([]byte, []int)

func (*PredPeerNotifyEventsAll) ProtoMessage

func (*PredPeerNotifyEventsAll) ProtoMessage()

func (*PredPeerNotifyEventsAll) Reset

func (m *PredPeerNotifyEventsAll) Reset()

func (*PredPeerNotifyEventsAll) String

func (m *PredPeerNotifyEventsAll) String() string

func (*PredPeerNotifyEventsAll) ToType

func (p *PredPeerNotifyEventsAll) ToType() TL

func (*PredPeerNotifyEventsAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerNotifyEventsAll) XXX_DiscardUnknown()

func (*PredPeerNotifyEventsAll) XXX_Marshal added in v0.4.1

func (m *PredPeerNotifyEventsAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerNotifyEventsAll) XXX_Merge added in v0.4.1

func (dst *PredPeerNotifyEventsAll) XXX_Merge(src proto.Message)

func (*PredPeerNotifyEventsAll) XXX_Size added in v0.4.1

func (m *PredPeerNotifyEventsAll) XXX_Size() int

func (*PredPeerNotifyEventsAll) XXX_Unmarshal added in v0.4.1

func (m *PredPeerNotifyEventsAll) XXX_Unmarshal(b []byte) error

type PredPeerNotifyEventsEmpty

type PredPeerNotifyEventsEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerNotifyEventsEmpty) Descriptor

func (*PredPeerNotifyEventsEmpty) Descriptor() ([]byte, []int)

func (*PredPeerNotifyEventsEmpty) ProtoMessage

func (*PredPeerNotifyEventsEmpty) ProtoMessage()

func (*PredPeerNotifyEventsEmpty) Reset

func (m *PredPeerNotifyEventsEmpty) Reset()

func (*PredPeerNotifyEventsEmpty) String

func (m *PredPeerNotifyEventsEmpty) String() string

func (*PredPeerNotifyEventsEmpty) ToType

func (p *PredPeerNotifyEventsEmpty) ToType() TL

func (*PredPeerNotifyEventsEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerNotifyEventsEmpty) XXX_DiscardUnknown()

func (*PredPeerNotifyEventsEmpty) XXX_Marshal added in v0.4.1

func (m *PredPeerNotifyEventsEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerNotifyEventsEmpty) XXX_Merge added in v0.4.1

func (dst *PredPeerNotifyEventsEmpty) XXX_Merge(src proto.Message)

func (*PredPeerNotifyEventsEmpty) XXX_Size added in v0.4.1

func (m *PredPeerNotifyEventsEmpty) XXX_Size() int

func (*PredPeerNotifyEventsEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredPeerNotifyEventsEmpty) XXX_Unmarshal(b []byte) error

type PredPeerNotifySettings

type PredPeerNotifySettings struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ShowPreviews	bool // flags.0?true
	// Silent	bool // flags.1?true
	MuteUntil            int32    `protobuf:"varint,4,opt,name=MuteUntil" json:"MuteUntil,omitempty"`
	Sound                string   `protobuf:"bytes,5,opt,name=Sound" json:"Sound,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerNotifySettings) Descriptor

func (*PredPeerNotifySettings) Descriptor() ([]byte, []int)

func (*PredPeerNotifySettings) GetFlags

func (m *PredPeerNotifySettings) GetFlags() int32

func (*PredPeerNotifySettings) GetMuteUntil

func (m *PredPeerNotifySettings) GetMuteUntil() int32

func (*PredPeerNotifySettings) GetSound

func (m *PredPeerNotifySettings) GetSound() string

func (*PredPeerNotifySettings) ProtoMessage

func (*PredPeerNotifySettings) ProtoMessage()

func (*PredPeerNotifySettings) Reset

func (m *PredPeerNotifySettings) Reset()

func (*PredPeerNotifySettings) String

func (m *PredPeerNotifySettings) String() string

func (*PredPeerNotifySettings) ToType

func (p *PredPeerNotifySettings) ToType() TL

func (*PredPeerNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerNotifySettings) XXX_DiscardUnknown()

func (*PredPeerNotifySettings) XXX_Marshal added in v0.4.1

func (m *PredPeerNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerNotifySettings) XXX_Merge added in v0.4.1

func (dst *PredPeerNotifySettings) XXX_Merge(src proto.Message)

func (*PredPeerNotifySettings) XXX_Size added in v0.4.1

func (m *PredPeerNotifySettings) XXX_Size() int

func (*PredPeerNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *PredPeerNotifySettings) XXX_Unmarshal(b []byte) error

type PredPeerNotifySettingsEmpty

type PredPeerNotifySettingsEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerNotifySettingsEmpty) Descriptor

func (*PredPeerNotifySettingsEmpty) Descriptor() ([]byte, []int)

func (*PredPeerNotifySettingsEmpty) ProtoMessage

func (*PredPeerNotifySettingsEmpty) ProtoMessage()

func (*PredPeerNotifySettingsEmpty) Reset

func (m *PredPeerNotifySettingsEmpty) Reset()

func (*PredPeerNotifySettingsEmpty) String

func (m *PredPeerNotifySettingsEmpty) String() string

func (*PredPeerNotifySettingsEmpty) ToType

func (p *PredPeerNotifySettingsEmpty) ToType() TL

func (*PredPeerNotifySettingsEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerNotifySettingsEmpty) XXX_DiscardUnknown()

func (*PredPeerNotifySettingsEmpty) XXX_Marshal added in v0.4.1

func (m *PredPeerNotifySettingsEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerNotifySettingsEmpty) XXX_Merge added in v0.4.1

func (dst *PredPeerNotifySettingsEmpty) XXX_Merge(src proto.Message)

func (*PredPeerNotifySettingsEmpty) XXX_Size added in v0.4.1

func (m *PredPeerNotifySettingsEmpty) XXX_Size() int

func (*PredPeerNotifySettingsEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredPeerNotifySettingsEmpty) XXX_Unmarshal(b []byte) error

type PredPeerSettings

type PredPeerSettings struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerSettings) Descriptor

func (*PredPeerSettings) Descriptor() ([]byte, []int)

func (*PredPeerSettings) GetFlags

func (m *PredPeerSettings) GetFlags() int32

func (*PredPeerSettings) ProtoMessage

func (*PredPeerSettings) ProtoMessage()

func (*PredPeerSettings) Reset

func (m *PredPeerSettings) Reset()

func (*PredPeerSettings) String

func (m *PredPeerSettings) String() string

func (*PredPeerSettings) ToType

func (p *PredPeerSettings) ToType() TL

func (*PredPeerSettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerSettings) XXX_DiscardUnknown()

func (*PredPeerSettings) XXX_Marshal added in v0.4.1

func (m *PredPeerSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerSettings) XXX_Merge added in v0.4.1

func (dst *PredPeerSettings) XXX_Merge(src proto.Message)

func (*PredPeerSettings) XXX_Size added in v0.4.1

func (m *PredPeerSettings) XXX_Size() int

func (*PredPeerSettings) XXX_Unmarshal added in v0.4.1

func (m *PredPeerSettings) XXX_Unmarshal(b []byte) error

type PredPeerUser

type PredPeerUser struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPeerUser) Descriptor

func (*PredPeerUser) Descriptor() ([]byte, []int)

func (*PredPeerUser) GetUserId

func (m *PredPeerUser) GetUserId() int32

func (*PredPeerUser) ProtoMessage

func (*PredPeerUser) ProtoMessage()

func (*PredPeerUser) Reset

func (m *PredPeerUser) Reset()

func (*PredPeerUser) String

func (m *PredPeerUser) String() string

func (*PredPeerUser) ToType

func (p *PredPeerUser) ToType() TL

func (*PredPeerUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredPeerUser) XXX_DiscardUnknown()

func (*PredPeerUser) XXX_Marshal added in v0.4.1

func (m *PredPeerUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPeerUser) XXX_Merge added in v0.4.1

func (dst *PredPeerUser) XXX_Merge(src proto.Message)

func (*PredPeerUser) XXX_Size added in v0.4.1

func (m *PredPeerUser) XXX_Size() int

func (*PredPeerUser) XXX_Unmarshal added in v0.4.1

func (m *PredPeerUser) XXX_Unmarshal(b []byte) error

type PredPhoneCall

type PredPhoneCall struct {
	Id             int64  `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash     int64  `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date           int32  `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId        int32  `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId  int32  `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	GAOrB          []byte `protobuf:"bytes,6,opt,name=GAOrB,proto3" json:"GAOrB,omitempty"`
	KeyFingerprint int64  `protobuf:"varint,7,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	// default: PhoneCallProtocol
	Protocol *TypePhoneCallProtocol `protobuf:"bytes,8,opt,name=Protocol" json:"Protocol,omitempty"`
	// default: PhoneConnection
	Connection *TypePhoneConnection `protobuf:"bytes,9,opt,name=Connection" json:"Connection,omitempty"`
	// default: Vector<PhoneConnection>
	AlternativeConnections []*TypePhoneConnection `protobuf:"bytes,10,rep,name=AlternativeConnections" json:"AlternativeConnections,omitempty"`
	StartDate              int32                  `protobuf:"varint,11,opt,name=StartDate" json:"StartDate,omitempty"`
	XXX_NoUnkeyedLiteral   struct{}               `json:"-"`
	XXX_unrecognized       []byte                 `json:"-"`
	XXX_sizecache          int32                  `json:"-"`
}

func (*PredPhoneCall) Descriptor

func (*PredPhoneCall) Descriptor() ([]byte, []int)

func (*PredPhoneCall) GetAccessHash

func (m *PredPhoneCall) GetAccessHash() int64

func (*PredPhoneCall) GetAdminId

func (m *PredPhoneCall) GetAdminId() int32

func (*PredPhoneCall) GetAlternativeConnections

func (m *PredPhoneCall) GetAlternativeConnections() []*TypePhoneConnection

func (*PredPhoneCall) GetConnection

func (m *PredPhoneCall) GetConnection() *TypePhoneConnection

func (*PredPhoneCall) GetDate

func (m *PredPhoneCall) GetDate() int32

func (*PredPhoneCall) GetGAOrB

func (m *PredPhoneCall) GetGAOrB() []byte

func (*PredPhoneCall) GetId

func (m *PredPhoneCall) GetId() int64

func (*PredPhoneCall) GetKeyFingerprint

func (m *PredPhoneCall) GetKeyFingerprint() int64

func (*PredPhoneCall) GetParticipantId

func (m *PredPhoneCall) GetParticipantId() int32

func (*PredPhoneCall) GetProtocol

func (m *PredPhoneCall) GetProtocol() *TypePhoneCallProtocol

func (*PredPhoneCall) GetStartDate

func (m *PredPhoneCall) GetStartDate() int32

func (*PredPhoneCall) ProtoMessage

func (*PredPhoneCall) ProtoMessage()

func (*PredPhoneCall) Reset

func (m *PredPhoneCall) Reset()

func (*PredPhoneCall) String

func (m *PredPhoneCall) String() string

func (*PredPhoneCall) ToType

func (p *PredPhoneCall) ToType() TL

func (*PredPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCall) XXX_DiscardUnknown()

func (*PredPhoneCall) XXX_Marshal added in v0.4.1

func (m *PredPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCall) XXX_Merge added in v0.4.1

func (dst *PredPhoneCall) XXX_Merge(src proto.Message)

func (*PredPhoneCall) XXX_Size added in v0.4.1

func (m *PredPhoneCall) XXX_Size() int

func (*PredPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCall) XXX_Unmarshal(b []byte) error

type PredPhoneCallAccepted

type PredPhoneCallAccepted struct {
	Id            int64  `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash    int64  `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date          int32  `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId       int32  `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId int32  `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	GB            []byte `protobuf:"bytes,6,opt,name=GB,proto3" json:"GB,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,7,opt,name=Protocol" json:"Protocol,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredPhoneCallAccepted) Descriptor

func (*PredPhoneCallAccepted) Descriptor() ([]byte, []int)

func (*PredPhoneCallAccepted) GetAccessHash

func (m *PredPhoneCallAccepted) GetAccessHash() int64

func (*PredPhoneCallAccepted) GetAdminId

func (m *PredPhoneCallAccepted) GetAdminId() int32

func (*PredPhoneCallAccepted) GetDate

func (m *PredPhoneCallAccepted) GetDate() int32

func (*PredPhoneCallAccepted) GetGB

func (m *PredPhoneCallAccepted) GetGB() []byte

func (*PredPhoneCallAccepted) GetId

func (m *PredPhoneCallAccepted) GetId() int64

func (*PredPhoneCallAccepted) GetParticipantId

func (m *PredPhoneCallAccepted) GetParticipantId() int32

func (*PredPhoneCallAccepted) GetProtocol

func (m *PredPhoneCallAccepted) GetProtocol() *TypePhoneCallProtocol

func (*PredPhoneCallAccepted) ProtoMessage

func (*PredPhoneCallAccepted) ProtoMessage()

func (*PredPhoneCallAccepted) Reset

func (m *PredPhoneCallAccepted) Reset()

func (*PredPhoneCallAccepted) String

func (m *PredPhoneCallAccepted) String() string

func (*PredPhoneCallAccepted) ToType

func (p *PredPhoneCallAccepted) ToType() TL

func (*PredPhoneCallAccepted) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallAccepted) XXX_DiscardUnknown()

func (*PredPhoneCallAccepted) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallAccepted) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallAccepted) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallAccepted) XXX_Merge(src proto.Message)

func (*PredPhoneCallAccepted) XXX_Size added in v0.4.1

func (m *PredPhoneCallAccepted) XXX_Size() int

func (*PredPhoneCallAccepted) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallAccepted) XXX_Unmarshal(b []byte) error

type PredPhoneCallDiscardReasonBusy

type PredPhoneCallDiscardReasonBusy struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallDiscardReasonBusy) Descriptor

func (*PredPhoneCallDiscardReasonBusy) Descriptor() ([]byte, []int)

func (*PredPhoneCallDiscardReasonBusy) ProtoMessage

func (*PredPhoneCallDiscardReasonBusy) ProtoMessage()

func (*PredPhoneCallDiscardReasonBusy) Reset

func (m *PredPhoneCallDiscardReasonBusy) Reset()

func (*PredPhoneCallDiscardReasonBusy) String

func (*PredPhoneCallDiscardReasonBusy) ToType

func (p *PredPhoneCallDiscardReasonBusy) ToType() TL

func (*PredPhoneCallDiscardReasonBusy) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallDiscardReasonBusy) XXX_DiscardUnknown()

func (*PredPhoneCallDiscardReasonBusy) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonBusy) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallDiscardReasonBusy) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallDiscardReasonBusy) XXX_Merge(src proto.Message)

func (*PredPhoneCallDiscardReasonBusy) XXX_Size added in v0.4.1

func (m *PredPhoneCallDiscardReasonBusy) XXX_Size() int

func (*PredPhoneCallDiscardReasonBusy) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonBusy) XXX_Unmarshal(b []byte) error

type PredPhoneCallDiscardReasonDisconnect

type PredPhoneCallDiscardReasonDisconnect struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallDiscardReasonDisconnect) Descriptor

func (*PredPhoneCallDiscardReasonDisconnect) Descriptor() ([]byte, []int)

func (*PredPhoneCallDiscardReasonDisconnect) ProtoMessage

func (*PredPhoneCallDiscardReasonDisconnect) ProtoMessage()

func (*PredPhoneCallDiscardReasonDisconnect) Reset

func (*PredPhoneCallDiscardReasonDisconnect) String

func (*PredPhoneCallDiscardReasonDisconnect) ToType

func (*PredPhoneCallDiscardReasonDisconnect) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallDiscardReasonDisconnect) XXX_DiscardUnknown()

func (*PredPhoneCallDiscardReasonDisconnect) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonDisconnect) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallDiscardReasonDisconnect) XXX_Merge added in v0.4.1

func (*PredPhoneCallDiscardReasonDisconnect) XXX_Size added in v0.4.1

func (*PredPhoneCallDiscardReasonDisconnect) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonDisconnect) XXX_Unmarshal(b []byte) error

type PredPhoneCallDiscardReasonHangup

type PredPhoneCallDiscardReasonHangup struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallDiscardReasonHangup) Descriptor

func (*PredPhoneCallDiscardReasonHangup) Descriptor() ([]byte, []int)

func (*PredPhoneCallDiscardReasonHangup) ProtoMessage

func (*PredPhoneCallDiscardReasonHangup) ProtoMessage()

func (*PredPhoneCallDiscardReasonHangup) Reset

func (*PredPhoneCallDiscardReasonHangup) String

func (*PredPhoneCallDiscardReasonHangup) ToType

func (*PredPhoneCallDiscardReasonHangup) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallDiscardReasonHangup) XXX_DiscardUnknown()

func (*PredPhoneCallDiscardReasonHangup) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonHangup) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallDiscardReasonHangup) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallDiscardReasonHangup) XXX_Merge(src proto.Message)

func (*PredPhoneCallDiscardReasonHangup) XXX_Size added in v0.4.1

func (m *PredPhoneCallDiscardReasonHangup) XXX_Size() int

func (*PredPhoneCallDiscardReasonHangup) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonHangup) XXX_Unmarshal(b []byte) error

type PredPhoneCallDiscardReasonMissed

type PredPhoneCallDiscardReasonMissed struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallDiscardReasonMissed) Descriptor

func (*PredPhoneCallDiscardReasonMissed) Descriptor() ([]byte, []int)

func (*PredPhoneCallDiscardReasonMissed) ProtoMessage

func (*PredPhoneCallDiscardReasonMissed) ProtoMessage()

func (*PredPhoneCallDiscardReasonMissed) Reset

func (*PredPhoneCallDiscardReasonMissed) String

func (*PredPhoneCallDiscardReasonMissed) ToType

func (*PredPhoneCallDiscardReasonMissed) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallDiscardReasonMissed) XXX_DiscardUnknown()

func (*PredPhoneCallDiscardReasonMissed) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonMissed) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallDiscardReasonMissed) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallDiscardReasonMissed) XXX_Merge(src proto.Message)

func (*PredPhoneCallDiscardReasonMissed) XXX_Size added in v0.4.1

func (m *PredPhoneCallDiscardReasonMissed) XXX_Size() int

func (*PredPhoneCallDiscardReasonMissed) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallDiscardReasonMissed) XXX_Unmarshal(b []byte) error

type PredPhoneCallDiscarded

type PredPhoneCallDiscarded struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NeedRating	bool // flags.2?true
	// NeedDebug	bool // flags.3?true
	Id int64 `protobuf:"varint,4,opt,name=Id" json:"Id,omitempty"`
	// default: PhoneCallDiscardReason
	Reason               *TypePhoneCallDiscardReason `protobuf:"bytes,5,opt,name=Reason" json:"Reason,omitempty"`
	Duration             int32                       `protobuf:"varint,6,opt,name=Duration" json:"Duration,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*PredPhoneCallDiscarded) Descriptor

func (*PredPhoneCallDiscarded) Descriptor() ([]byte, []int)

func (*PredPhoneCallDiscarded) GetDuration

func (m *PredPhoneCallDiscarded) GetDuration() int32

func (*PredPhoneCallDiscarded) GetFlags

func (m *PredPhoneCallDiscarded) GetFlags() int32

func (*PredPhoneCallDiscarded) GetId

func (m *PredPhoneCallDiscarded) GetId() int64

func (*PredPhoneCallDiscarded) GetReason

func (*PredPhoneCallDiscarded) ProtoMessage

func (*PredPhoneCallDiscarded) ProtoMessage()

func (*PredPhoneCallDiscarded) Reset

func (m *PredPhoneCallDiscarded) Reset()

func (*PredPhoneCallDiscarded) String

func (m *PredPhoneCallDiscarded) String() string

func (*PredPhoneCallDiscarded) ToType

func (p *PredPhoneCallDiscarded) ToType() TL

func (*PredPhoneCallDiscarded) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallDiscarded) XXX_DiscardUnknown()

func (*PredPhoneCallDiscarded) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallDiscarded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallDiscarded) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallDiscarded) XXX_Merge(src proto.Message)

func (*PredPhoneCallDiscarded) XXX_Size added in v0.4.1

func (m *PredPhoneCallDiscarded) XXX_Size() int

func (*PredPhoneCallDiscarded) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallDiscarded) XXX_Unmarshal(b []byte) error

type PredPhoneCallEmpty

type PredPhoneCallEmpty struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallEmpty) Descriptor

func (*PredPhoneCallEmpty) Descriptor() ([]byte, []int)

func (*PredPhoneCallEmpty) GetId

func (m *PredPhoneCallEmpty) GetId() int64

func (*PredPhoneCallEmpty) ProtoMessage

func (*PredPhoneCallEmpty) ProtoMessage()

func (*PredPhoneCallEmpty) Reset

func (m *PredPhoneCallEmpty) Reset()

func (*PredPhoneCallEmpty) String

func (m *PredPhoneCallEmpty) String() string

func (*PredPhoneCallEmpty) ToType

func (p *PredPhoneCallEmpty) ToType() TL

func (*PredPhoneCallEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallEmpty) XXX_DiscardUnknown()

func (*PredPhoneCallEmpty) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallEmpty) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallEmpty) XXX_Merge(src proto.Message)

func (*PredPhoneCallEmpty) XXX_Size added in v0.4.1

func (m *PredPhoneCallEmpty) XXX_Size() int

func (*PredPhoneCallEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallEmpty) XXX_Unmarshal(b []byte) error

type PredPhoneCallProtocol

type PredPhoneCallProtocol struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// UdpP2p	bool // flags.0?true
	// UdpReflector	bool // flags.1?true
	MinLayer             int32    `protobuf:"varint,4,opt,name=MinLayer" json:"MinLayer,omitempty"`
	MaxLayer             int32    `protobuf:"varint,5,opt,name=MaxLayer" json:"MaxLayer,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneCallProtocol) Descriptor

func (*PredPhoneCallProtocol) Descriptor() ([]byte, []int)

func (*PredPhoneCallProtocol) GetFlags

func (m *PredPhoneCallProtocol) GetFlags() int32

func (*PredPhoneCallProtocol) GetMaxLayer

func (m *PredPhoneCallProtocol) GetMaxLayer() int32

func (*PredPhoneCallProtocol) GetMinLayer

func (m *PredPhoneCallProtocol) GetMinLayer() int32

func (*PredPhoneCallProtocol) ProtoMessage

func (*PredPhoneCallProtocol) ProtoMessage()

func (*PredPhoneCallProtocol) Reset

func (m *PredPhoneCallProtocol) Reset()

func (*PredPhoneCallProtocol) String

func (m *PredPhoneCallProtocol) String() string

func (*PredPhoneCallProtocol) ToType

func (p *PredPhoneCallProtocol) ToType() TL

func (*PredPhoneCallProtocol) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallProtocol) XXX_DiscardUnknown()

func (*PredPhoneCallProtocol) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallProtocol) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallProtocol) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallProtocol) XXX_Merge(src proto.Message)

func (*PredPhoneCallProtocol) XXX_Size added in v0.4.1

func (m *PredPhoneCallProtocol) XXX_Size() int

func (*PredPhoneCallProtocol) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallProtocol) XXX_Unmarshal(b []byte) error

type PredPhoneCallRequested

type PredPhoneCallRequested struct {
	Id            int64  `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	AccessHash    int64  `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date          int32  `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	AdminId       int32  `protobuf:"varint,4,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId int32  `protobuf:"varint,5,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	GAHash        []byte `protobuf:"bytes,6,opt,name=GAHash,proto3" json:"GAHash,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,7,opt,name=Protocol" json:"Protocol,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredPhoneCallRequested) Descriptor

func (*PredPhoneCallRequested) Descriptor() ([]byte, []int)

func (*PredPhoneCallRequested) GetAccessHash

func (m *PredPhoneCallRequested) GetAccessHash() int64

func (*PredPhoneCallRequested) GetAdminId

func (m *PredPhoneCallRequested) GetAdminId() int32

func (*PredPhoneCallRequested) GetDate

func (m *PredPhoneCallRequested) GetDate() int32

func (*PredPhoneCallRequested) GetGAHash

func (m *PredPhoneCallRequested) GetGAHash() []byte

func (*PredPhoneCallRequested) GetId

func (m *PredPhoneCallRequested) GetId() int64

func (*PredPhoneCallRequested) GetParticipantId

func (m *PredPhoneCallRequested) GetParticipantId() int32

func (*PredPhoneCallRequested) GetProtocol

func (*PredPhoneCallRequested) ProtoMessage

func (*PredPhoneCallRequested) ProtoMessage()

func (*PredPhoneCallRequested) Reset

func (m *PredPhoneCallRequested) Reset()

func (*PredPhoneCallRequested) String

func (m *PredPhoneCallRequested) String() string

func (*PredPhoneCallRequested) ToType

func (p *PredPhoneCallRequested) ToType() TL

func (*PredPhoneCallRequested) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallRequested) XXX_DiscardUnknown()

func (*PredPhoneCallRequested) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallRequested) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallRequested) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallRequested) XXX_Merge(src proto.Message)

func (*PredPhoneCallRequested) XXX_Size added in v0.4.1

func (m *PredPhoneCallRequested) XXX_Size() int

func (*PredPhoneCallRequested) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallRequested) XXX_Unmarshal(b []byte) error

type PredPhoneCallWaiting

type PredPhoneCallWaiting struct {
	Flags         int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id            int64 `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	AccessHash    int64 `protobuf:"varint,3,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date          int32 `protobuf:"varint,4,opt,name=Date" json:"Date,omitempty"`
	AdminId       int32 `protobuf:"varint,5,opt,name=AdminId" json:"AdminId,omitempty"`
	ParticipantId int32 `protobuf:"varint,6,opt,name=ParticipantId" json:"ParticipantId,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,7,opt,name=Protocol" json:"Protocol,omitempty"`
	ReceiveDate          int32                  `protobuf:"varint,8,opt,name=ReceiveDate" json:"ReceiveDate,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredPhoneCallWaiting) Descriptor

func (*PredPhoneCallWaiting) Descriptor() ([]byte, []int)

func (*PredPhoneCallWaiting) GetAccessHash

func (m *PredPhoneCallWaiting) GetAccessHash() int64

func (*PredPhoneCallWaiting) GetAdminId

func (m *PredPhoneCallWaiting) GetAdminId() int32

func (*PredPhoneCallWaiting) GetDate

func (m *PredPhoneCallWaiting) GetDate() int32

func (*PredPhoneCallWaiting) GetFlags

func (m *PredPhoneCallWaiting) GetFlags() int32

func (*PredPhoneCallWaiting) GetId

func (m *PredPhoneCallWaiting) GetId() int64

func (*PredPhoneCallWaiting) GetParticipantId

func (m *PredPhoneCallWaiting) GetParticipantId() int32

func (*PredPhoneCallWaiting) GetProtocol

func (m *PredPhoneCallWaiting) GetProtocol() *TypePhoneCallProtocol

func (*PredPhoneCallWaiting) GetReceiveDate

func (m *PredPhoneCallWaiting) GetReceiveDate() int32

func (*PredPhoneCallWaiting) ProtoMessage

func (*PredPhoneCallWaiting) ProtoMessage()

func (*PredPhoneCallWaiting) Reset

func (m *PredPhoneCallWaiting) Reset()

func (*PredPhoneCallWaiting) String

func (m *PredPhoneCallWaiting) String() string

func (*PredPhoneCallWaiting) ToType

func (p *PredPhoneCallWaiting) ToType() TL

func (*PredPhoneCallWaiting) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneCallWaiting) XXX_DiscardUnknown()

func (*PredPhoneCallWaiting) XXX_Marshal added in v0.4.1

func (m *PredPhoneCallWaiting) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneCallWaiting) XXX_Merge added in v0.4.1

func (dst *PredPhoneCallWaiting) XXX_Merge(src proto.Message)

func (*PredPhoneCallWaiting) XXX_Size added in v0.4.1

func (m *PredPhoneCallWaiting) XXX_Size() int

func (*PredPhoneCallWaiting) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneCallWaiting) XXX_Unmarshal(b []byte) error

type PredPhoneConnection

type PredPhoneConnection struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Ip                   string   `protobuf:"bytes,2,opt,name=Ip" json:"Ip,omitempty"`
	Ipv6                 string   `protobuf:"bytes,3,opt,name=Ipv6" json:"Ipv6,omitempty"`
	Port                 int32    `protobuf:"varint,4,opt,name=Port" json:"Port,omitempty"`
	PeerTag              []byte   `protobuf:"bytes,5,opt,name=PeerTag,proto3" json:"PeerTag,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhoneConnection) Descriptor

func (*PredPhoneConnection) Descriptor() ([]byte, []int)

func (*PredPhoneConnection) GetId

func (m *PredPhoneConnection) GetId() int64

func (*PredPhoneConnection) GetIp

func (m *PredPhoneConnection) GetIp() string

func (*PredPhoneConnection) GetIpv6

func (m *PredPhoneConnection) GetIpv6() string

func (*PredPhoneConnection) GetPeerTag

func (m *PredPhoneConnection) GetPeerTag() []byte

func (*PredPhoneConnection) GetPort

func (m *PredPhoneConnection) GetPort() int32

func (*PredPhoneConnection) ProtoMessage

func (*PredPhoneConnection) ProtoMessage()

func (*PredPhoneConnection) Reset

func (m *PredPhoneConnection) Reset()

func (*PredPhoneConnection) String

func (m *PredPhoneConnection) String() string

func (*PredPhoneConnection) ToType

func (p *PredPhoneConnection) ToType() TL

func (*PredPhoneConnection) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoneConnection) XXX_DiscardUnknown()

func (*PredPhoneConnection) XXX_Marshal added in v0.4.1

func (m *PredPhoneConnection) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoneConnection) XXX_Merge added in v0.4.1

func (dst *PredPhoneConnection) XXX_Merge(src proto.Message)

func (*PredPhoneConnection) XXX_Size added in v0.4.1

func (m *PredPhoneConnection) XXX_Size() int

func (*PredPhoneConnection) XXX_Unmarshal added in v0.4.1

func (m *PredPhoneConnection) XXX_Unmarshal(b []byte) error

type PredPhonePhoneCall

type PredPhonePhoneCall struct {
	// default: PhoneCall
	PhoneCall *TypePhoneCall `protobuf:"bytes,1,opt,name=PhoneCall" json:"PhoneCall,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPhonePhoneCall) Descriptor

func (*PredPhonePhoneCall) Descriptor() ([]byte, []int)

func (*PredPhonePhoneCall) GetPhoneCall

func (m *PredPhonePhoneCall) GetPhoneCall() *TypePhoneCall

func (*PredPhonePhoneCall) GetUsers

func (m *PredPhonePhoneCall) GetUsers() []*TypeUser

func (*PredPhonePhoneCall) ProtoMessage

func (*PredPhonePhoneCall) ProtoMessage()

func (*PredPhonePhoneCall) Reset

func (m *PredPhonePhoneCall) Reset()

func (*PredPhonePhoneCall) String

func (m *PredPhonePhoneCall) String() string

func (*PredPhonePhoneCall) ToType

func (p *PredPhonePhoneCall) ToType() TL

func (*PredPhonePhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhonePhoneCall) XXX_DiscardUnknown()

func (*PredPhonePhoneCall) XXX_Marshal added in v0.4.1

func (m *PredPhonePhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhonePhoneCall) XXX_Merge added in v0.4.1

func (dst *PredPhonePhoneCall) XXX_Merge(src proto.Message)

func (*PredPhonePhoneCall) XXX_Size added in v0.4.1

func (m *PredPhonePhoneCall) XXX_Size() int

func (*PredPhonePhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredPhonePhoneCall) XXX_Unmarshal(b []byte) error

type PredPhoto

type PredPhoto struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// HasStickers	bool // flags.0?true
	Id         int64 `protobuf:"varint,3,opt,name=Id" json:"Id,omitempty"`
	AccessHash int64 `protobuf:"varint,4,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Date       int32 `protobuf:"varint,5,opt,name=Date" json:"Date,omitempty"`
	// default: Vector<PhotoSize>
	Sizes                []*TypePhotoSize `protobuf:"bytes,6,rep,name=Sizes" json:"Sizes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredPhoto) Descriptor

func (*PredPhoto) Descriptor() ([]byte, []int)

func (*PredPhoto) GetAccessHash

func (m *PredPhoto) GetAccessHash() int64

func (*PredPhoto) GetDate

func (m *PredPhoto) GetDate() int32

func (*PredPhoto) GetFlags

func (m *PredPhoto) GetFlags() int32

func (*PredPhoto) GetId

func (m *PredPhoto) GetId() int64

func (*PredPhoto) GetSizes

func (m *PredPhoto) GetSizes() []*TypePhotoSize

func (*PredPhoto) ProtoMessage

func (*PredPhoto) ProtoMessage()

func (*PredPhoto) Reset

func (m *PredPhoto) Reset()

func (*PredPhoto) String

func (m *PredPhoto) String() string

func (*PredPhoto) ToType

func (p *PredPhoto) ToType() TL

func (*PredPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhoto) XXX_DiscardUnknown()

func (*PredPhoto) XXX_Marshal added in v0.4.1

func (m *PredPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhoto) XXX_Merge added in v0.4.1

func (dst *PredPhoto) XXX_Merge(src proto.Message)

func (*PredPhoto) XXX_Size added in v0.4.1

func (m *PredPhoto) XXX_Size() int

func (*PredPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredPhoto) XXX_Unmarshal(b []byte) error

type PredPhotoCachedSize

type PredPhotoCachedSize struct {
	Type string `protobuf:"bytes,1,opt,name=Type" json:"Type,omitempty"`
	// default: FileLocation
	Location             *TypeFileLocation `protobuf:"bytes,2,opt,name=Location" json:"Location,omitempty"`
	W                    int32             `protobuf:"varint,3,opt,name=W" json:"W,omitempty"`
	H                    int32             `protobuf:"varint,4,opt,name=H" json:"H,omitempty"`
	Bytes                []byte            `protobuf:"bytes,5,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredPhotoCachedSize) Descriptor

func (*PredPhotoCachedSize) Descriptor() ([]byte, []int)

func (*PredPhotoCachedSize) GetBytes

func (m *PredPhotoCachedSize) GetBytes() []byte

func (*PredPhotoCachedSize) GetH

func (m *PredPhotoCachedSize) GetH() int32

func (*PredPhotoCachedSize) GetLocation

func (m *PredPhotoCachedSize) GetLocation() *TypeFileLocation

func (*PredPhotoCachedSize) GetType

func (m *PredPhotoCachedSize) GetType() string

func (*PredPhotoCachedSize) GetW

func (m *PredPhotoCachedSize) GetW() int32

func (*PredPhotoCachedSize) ProtoMessage

func (*PredPhotoCachedSize) ProtoMessage()

func (*PredPhotoCachedSize) Reset

func (m *PredPhotoCachedSize) Reset()

func (*PredPhotoCachedSize) String

func (m *PredPhotoCachedSize) String() string

func (*PredPhotoCachedSize) ToType

func (p *PredPhotoCachedSize) ToType() TL

func (*PredPhotoCachedSize) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotoCachedSize) XXX_DiscardUnknown()

func (*PredPhotoCachedSize) XXX_Marshal added in v0.4.1

func (m *PredPhotoCachedSize) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotoCachedSize) XXX_Merge added in v0.4.1

func (dst *PredPhotoCachedSize) XXX_Merge(src proto.Message)

func (*PredPhotoCachedSize) XXX_Size added in v0.4.1

func (m *PredPhotoCachedSize) XXX_Size() int

func (*PredPhotoCachedSize) XXX_Unmarshal added in v0.4.1

func (m *PredPhotoCachedSize) XXX_Unmarshal(b []byte) error

type PredPhotoEmpty

type PredPhotoEmpty struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhotoEmpty) Descriptor

func (*PredPhotoEmpty) Descriptor() ([]byte, []int)

func (*PredPhotoEmpty) GetId

func (m *PredPhotoEmpty) GetId() int64

func (*PredPhotoEmpty) ProtoMessage

func (*PredPhotoEmpty) ProtoMessage()

func (*PredPhotoEmpty) Reset

func (m *PredPhotoEmpty) Reset()

func (*PredPhotoEmpty) String

func (m *PredPhotoEmpty) String() string

func (*PredPhotoEmpty) ToType

func (p *PredPhotoEmpty) ToType() TL

func (*PredPhotoEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotoEmpty) XXX_DiscardUnknown()

func (*PredPhotoEmpty) XXX_Marshal added in v0.4.1

func (m *PredPhotoEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotoEmpty) XXX_Merge added in v0.4.1

func (dst *PredPhotoEmpty) XXX_Merge(src proto.Message)

func (*PredPhotoEmpty) XXX_Size added in v0.4.1

func (m *PredPhotoEmpty) XXX_Size() int

func (*PredPhotoEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredPhotoEmpty) XXX_Unmarshal(b []byte) error

type PredPhotoSize

type PredPhotoSize struct {
	Type string `protobuf:"bytes,1,opt,name=Type" json:"Type,omitempty"`
	// default: FileLocation
	Location             *TypeFileLocation `protobuf:"bytes,2,opt,name=Location" json:"Location,omitempty"`
	W                    int32             `protobuf:"varint,3,opt,name=W" json:"W,omitempty"`
	H                    int32             `protobuf:"varint,4,opt,name=H" json:"H,omitempty"`
	Size                 int32             `protobuf:"varint,5,opt,name=Size" json:"Size,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredPhotoSize) Descriptor

func (*PredPhotoSize) Descriptor() ([]byte, []int)

func (*PredPhotoSize) GetH

func (m *PredPhotoSize) GetH() int32

func (*PredPhotoSize) GetLocation

func (m *PredPhotoSize) GetLocation() *TypeFileLocation

func (*PredPhotoSize) GetSize

func (m *PredPhotoSize) GetSize() int32

func (*PredPhotoSize) GetType

func (m *PredPhotoSize) GetType() string

func (*PredPhotoSize) GetW

func (m *PredPhotoSize) GetW() int32

func (*PredPhotoSize) ProtoMessage

func (*PredPhotoSize) ProtoMessage()

func (*PredPhotoSize) Reset

func (m *PredPhotoSize) Reset()

func (*PredPhotoSize) String

func (m *PredPhotoSize) String() string

func (*PredPhotoSize) ToType

func (p *PredPhotoSize) ToType() TL

func (*PredPhotoSize) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotoSize) XXX_DiscardUnknown()

func (*PredPhotoSize) XXX_Marshal added in v0.4.1

func (m *PredPhotoSize) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotoSize) XXX_Merge added in v0.4.1

func (dst *PredPhotoSize) XXX_Merge(src proto.Message)

func (*PredPhotoSize) XXX_Size added in v0.4.1

func (m *PredPhotoSize) XXX_Size() int

func (*PredPhotoSize) XXX_Unmarshal added in v0.4.1

func (m *PredPhotoSize) XXX_Unmarshal(b []byte) error

type PredPhotoSizeEmpty

type PredPhotoSizeEmpty struct {
	Type                 string   `protobuf:"bytes,1,opt,name=Type" json:"Type,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPhotoSizeEmpty) Descriptor

func (*PredPhotoSizeEmpty) Descriptor() ([]byte, []int)

func (*PredPhotoSizeEmpty) GetType

func (m *PredPhotoSizeEmpty) GetType() string

func (*PredPhotoSizeEmpty) ProtoMessage

func (*PredPhotoSizeEmpty) ProtoMessage()

func (*PredPhotoSizeEmpty) Reset

func (m *PredPhotoSizeEmpty) Reset()

func (*PredPhotoSizeEmpty) String

func (m *PredPhotoSizeEmpty) String() string

func (*PredPhotoSizeEmpty) ToType

func (p *PredPhotoSizeEmpty) ToType() TL

func (*PredPhotoSizeEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotoSizeEmpty) XXX_DiscardUnknown()

func (*PredPhotoSizeEmpty) XXX_Marshal added in v0.4.1

func (m *PredPhotoSizeEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotoSizeEmpty) XXX_Merge added in v0.4.1

func (dst *PredPhotoSizeEmpty) XXX_Merge(src proto.Message)

func (*PredPhotoSizeEmpty) XXX_Size added in v0.4.1

func (m *PredPhotoSizeEmpty) XXX_Size() int

func (*PredPhotoSizeEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredPhotoSizeEmpty) XXX_Unmarshal(b []byte) error

type PredPhotosPhoto

type PredPhotosPhoto struct {
	// default: Photo
	Photo *TypePhoto `protobuf:"bytes,1,opt,name=Photo" json:"Photo,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPhotosPhoto) Descriptor

func (*PredPhotosPhoto) Descriptor() ([]byte, []int)

func (*PredPhotosPhoto) GetPhoto

func (m *PredPhotosPhoto) GetPhoto() *TypePhoto

func (*PredPhotosPhoto) GetUsers

func (m *PredPhotosPhoto) GetUsers() []*TypeUser

func (*PredPhotosPhoto) ProtoMessage

func (*PredPhotosPhoto) ProtoMessage()

func (*PredPhotosPhoto) Reset

func (m *PredPhotosPhoto) Reset()

func (*PredPhotosPhoto) String

func (m *PredPhotosPhoto) String() string

func (*PredPhotosPhoto) ToType

func (p *PredPhotosPhoto) ToType() TL

func (*PredPhotosPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotosPhoto) XXX_DiscardUnknown()

func (*PredPhotosPhoto) XXX_Marshal added in v0.4.1

func (m *PredPhotosPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotosPhoto) XXX_Merge added in v0.4.1

func (dst *PredPhotosPhoto) XXX_Merge(src proto.Message)

func (*PredPhotosPhoto) XXX_Size added in v0.4.1

func (m *PredPhotosPhoto) XXX_Size() int

func (*PredPhotosPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredPhotosPhoto) XXX_Unmarshal(b []byte) error

type PredPhotosPhotos

type PredPhotosPhotos struct {
	// default: Vector<Photo>
	Photos []*TypePhoto `protobuf:"bytes,1,rep,name=Photos" json:"Photos,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPhotosPhotos) Descriptor

func (*PredPhotosPhotos) Descriptor() ([]byte, []int)

func (*PredPhotosPhotos) GetPhotos

func (m *PredPhotosPhotos) GetPhotos() []*TypePhoto

func (*PredPhotosPhotos) GetUsers

func (m *PredPhotosPhotos) GetUsers() []*TypeUser

func (*PredPhotosPhotos) ProtoMessage

func (*PredPhotosPhotos) ProtoMessage()

func (*PredPhotosPhotos) Reset

func (m *PredPhotosPhotos) Reset()

func (*PredPhotosPhotos) String

func (m *PredPhotosPhotos) String() string

func (*PredPhotosPhotos) ToType

func (p *PredPhotosPhotos) ToType() TL

func (*PredPhotosPhotos) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotosPhotos) XXX_DiscardUnknown()

func (*PredPhotosPhotos) XXX_Marshal added in v0.4.1

func (m *PredPhotosPhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotosPhotos) XXX_Merge added in v0.4.1

func (dst *PredPhotosPhotos) XXX_Merge(src proto.Message)

func (*PredPhotosPhotos) XXX_Size added in v0.4.1

func (m *PredPhotosPhotos) XXX_Size() int

func (*PredPhotosPhotos) XXX_Unmarshal added in v0.4.1

func (m *PredPhotosPhotos) XXX_Unmarshal(b []byte) error

type PredPhotosPhotosSlice

type PredPhotosPhotosSlice struct {
	Count int32 `protobuf:"varint,1,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<Photo>
	Photos []*TypePhoto `protobuf:"bytes,2,rep,name=Photos" json:"Photos,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,3,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredPhotosPhotosSlice) Descriptor

func (*PredPhotosPhotosSlice) Descriptor() ([]byte, []int)

func (*PredPhotosPhotosSlice) GetCount

func (m *PredPhotosPhotosSlice) GetCount() int32

func (*PredPhotosPhotosSlice) GetPhotos

func (m *PredPhotosPhotosSlice) GetPhotos() []*TypePhoto

func (*PredPhotosPhotosSlice) GetUsers

func (m *PredPhotosPhotosSlice) GetUsers() []*TypeUser

func (*PredPhotosPhotosSlice) ProtoMessage

func (*PredPhotosPhotosSlice) ProtoMessage()

func (*PredPhotosPhotosSlice) Reset

func (m *PredPhotosPhotosSlice) Reset()

func (*PredPhotosPhotosSlice) String

func (m *PredPhotosPhotosSlice) String() string

func (*PredPhotosPhotosSlice) ToType

func (p *PredPhotosPhotosSlice) ToType() TL

func (*PredPhotosPhotosSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredPhotosPhotosSlice) XXX_DiscardUnknown()

func (*PredPhotosPhotosSlice) XXX_Marshal added in v0.4.1

func (m *PredPhotosPhotosSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPhotosPhotosSlice) XXX_Merge added in v0.4.1

func (dst *PredPhotosPhotosSlice) XXX_Merge(src proto.Message)

func (*PredPhotosPhotosSlice) XXX_Size added in v0.4.1

func (m *PredPhotosPhotosSlice) XXX_Size() int

func (*PredPhotosPhotosSlice) XXX_Unmarshal added in v0.4.1

func (m *PredPhotosPhotosSlice) XXX_Unmarshal(b []byte) error

type PredPopularContact

type PredPopularContact struct {
	ClientId             int64    `protobuf:"varint,1,opt,name=ClientId" json:"ClientId,omitempty"`
	Importers            int32    `protobuf:"varint,2,opt,name=Importers" json:"Importers,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPopularContact) Descriptor

func (*PredPopularContact) Descriptor() ([]byte, []int)

func (*PredPopularContact) GetClientId

func (m *PredPopularContact) GetClientId() int64

func (*PredPopularContact) GetImporters

func (m *PredPopularContact) GetImporters() int32

func (*PredPopularContact) ProtoMessage

func (*PredPopularContact) ProtoMessage()

func (*PredPopularContact) Reset

func (m *PredPopularContact) Reset()

func (*PredPopularContact) String

func (m *PredPopularContact) String() string

func (*PredPopularContact) ToType

func (p *PredPopularContact) ToType() TL

func (*PredPopularContact) XXX_DiscardUnknown added in v0.4.1

func (m *PredPopularContact) XXX_DiscardUnknown()

func (*PredPopularContact) XXX_Marshal added in v0.4.1

func (m *PredPopularContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPopularContact) XXX_Merge added in v0.4.1

func (dst *PredPopularContact) XXX_Merge(src proto.Message)

func (*PredPopularContact) XXX_Size added in v0.4.1

func (m *PredPopularContact) XXX_Size() int

func (*PredPopularContact) XXX_Unmarshal added in v0.4.1

func (m *PredPopularContact) XXX_Unmarshal(b []byte) error

type PredPostAddress

type PredPostAddress struct {
	StreetLine1          string   `protobuf:"bytes,1,opt,name=StreetLine1" json:"StreetLine1,omitempty"`
	StreetLine2          string   `protobuf:"bytes,2,opt,name=StreetLine2" json:"StreetLine2,omitempty"`
	City                 string   `protobuf:"bytes,3,opt,name=City" json:"City,omitempty"`
	State                string   `protobuf:"bytes,4,opt,name=State" json:"State,omitempty"`
	CountryIso2          string   `protobuf:"bytes,5,opt,name=CountryIso2" json:"CountryIso2,omitempty"`
	PostCode             string   `protobuf:"bytes,6,opt,name=PostCode" json:"PostCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPostAddress) Descriptor

func (*PredPostAddress) Descriptor() ([]byte, []int)

func (*PredPostAddress) GetCity

func (m *PredPostAddress) GetCity() string

func (*PredPostAddress) GetCountryIso2

func (m *PredPostAddress) GetCountryIso2() string

func (*PredPostAddress) GetPostCode

func (m *PredPostAddress) GetPostCode() string

func (*PredPostAddress) GetState

func (m *PredPostAddress) GetState() string

func (*PredPostAddress) GetStreetLine1

func (m *PredPostAddress) GetStreetLine1() string

func (*PredPostAddress) GetStreetLine2

func (m *PredPostAddress) GetStreetLine2() string

func (*PredPostAddress) ProtoMessage

func (*PredPostAddress) ProtoMessage()

func (*PredPostAddress) Reset

func (m *PredPostAddress) Reset()

func (*PredPostAddress) String

func (m *PredPostAddress) String() string

func (*PredPostAddress) ToType

func (p *PredPostAddress) ToType() TL

func (*PredPostAddress) XXX_DiscardUnknown added in v0.4.1

func (m *PredPostAddress) XXX_DiscardUnknown()

func (*PredPostAddress) XXX_Marshal added in v0.4.1

func (m *PredPostAddress) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPostAddress) XXX_Merge added in v0.4.1

func (dst *PredPostAddress) XXX_Merge(src proto.Message)

func (*PredPostAddress) XXX_Size added in v0.4.1

func (m *PredPostAddress) XXX_Size() int

func (*PredPostAddress) XXX_Unmarshal added in v0.4.1

func (m *PredPostAddress) XXX_Unmarshal(b []byte) error

type PredPrivacyKeyChatInvite

type PredPrivacyKeyChatInvite struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyKeyChatInvite) Descriptor

func (*PredPrivacyKeyChatInvite) Descriptor() ([]byte, []int)

func (*PredPrivacyKeyChatInvite) ProtoMessage

func (*PredPrivacyKeyChatInvite) ProtoMessage()

func (*PredPrivacyKeyChatInvite) Reset

func (m *PredPrivacyKeyChatInvite) Reset()

func (*PredPrivacyKeyChatInvite) String

func (m *PredPrivacyKeyChatInvite) String() string

func (*PredPrivacyKeyChatInvite) ToType

func (p *PredPrivacyKeyChatInvite) ToType() TL

func (*PredPrivacyKeyChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyKeyChatInvite) XXX_DiscardUnknown()

func (*PredPrivacyKeyChatInvite) XXX_Marshal added in v0.4.1

func (m *PredPrivacyKeyChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyKeyChatInvite) XXX_Merge added in v0.4.1

func (dst *PredPrivacyKeyChatInvite) XXX_Merge(src proto.Message)

func (*PredPrivacyKeyChatInvite) XXX_Size added in v0.4.1

func (m *PredPrivacyKeyChatInvite) XXX_Size() int

func (*PredPrivacyKeyChatInvite) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyKeyChatInvite) XXX_Unmarshal(b []byte) error

type PredPrivacyKeyPhoneCall

type PredPrivacyKeyPhoneCall struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyKeyPhoneCall) Descriptor

func (*PredPrivacyKeyPhoneCall) Descriptor() ([]byte, []int)

func (*PredPrivacyKeyPhoneCall) ProtoMessage

func (*PredPrivacyKeyPhoneCall) ProtoMessage()

func (*PredPrivacyKeyPhoneCall) Reset

func (m *PredPrivacyKeyPhoneCall) Reset()

func (*PredPrivacyKeyPhoneCall) String

func (m *PredPrivacyKeyPhoneCall) String() string

func (*PredPrivacyKeyPhoneCall) ToType

func (p *PredPrivacyKeyPhoneCall) ToType() TL

func (*PredPrivacyKeyPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyKeyPhoneCall) XXX_DiscardUnknown()

func (*PredPrivacyKeyPhoneCall) XXX_Marshal added in v0.4.1

func (m *PredPrivacyKeyPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyKeyPhoneCall) XXX_Merge added in v0.4.1

func (dst *PredPrivacyKeyPhoneCall) XXX_Merge(src proto.Message)

func (*PredPrivacyKeyPhoneCall) XXX_Size added in v0.4.1

func (m *PredPrivacyKeyPhoneCall) XXX_Size() int

func (*PredPrivacyKeyPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyKeyPhoneCall) XXX_Unmarshal(b []byte) error

type PredPrivacyKeyStatusTimestamp

type PredPrivacyKeyStatusTimestamp struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyKeyStatusTimestamp) Descriptor

func (*PredPrivacyKeyStatusTimestamp) Descriptor() ([]byte, []int)

func (*PredPrivacyKeyStatusTimestamp) ProtoMessage

func (*PredPrivacyKeyStatusTimestamp) ProtoMessage()

func (*PredPrivacyKeyStatusTimestamp) Reset

func (m *PredPrivacyKeyStatusTimestamp) Reset()

func (*PredPrivacyKeyStatusTimestamp) String

func (*PredPrivacyKeyStatusTimestamp) ToType

func (p *PredPrivacyKeyStatusTimestamp) ToType() TL

func (*PredPrivacyKeyStatusTimestamp) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyKeyStatusTimestamp) XXX_DiscardUnknown()

func (*PredPrivacyKeyStatusTimestamp) XXX_Marshal added in v0.4.1

func (m *PredPrivacyKeyStatusTimestamp) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyKeyStatusTimestamp) XXX_Merge added in v0.4.1

func (dst *PredPrivacyKeyStatusTimestamp) XXX_Merge(src proto.Message)

func (*PredPrivacyKeyStatusTimestamp) XXX_Size added in v0.4.1

func (m *PredPrivacyKeyStatusTimestamp) XXX_Size() int

func (*PredPrivacyKeyStatusTimestamp) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyKeyStatusTimestamp) XXX_Unmarshal(b []byte) error

type PredPrivacyValueAllowAll

type PredPrivacyValueAllowAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueAllowAll) Descriptor

func (*PredPrivacyValueAllowAll) Descriptor() ([]byte, []int)

func (*PredPrivacyValueAllowAll) ProtoMessage

func (*PredPrivacyValueAllowAll) ProtoMessage()

func (*PredPrivacyValueAllowAll) Reset

func (m *PredPrivacyValueAllowAll) Reset()

func (*PredPrivacyValueAllowAll) String

func (m *PredPrivacyValueAllowAll) String() string

func (*PredPrivacyValueAllowAll) ToType

func (p *PredPrivacyValueAllowAll) ToType() TL

func (*PredPrivacyValueAllowAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueAllowAll) XXX_DiscardUnknown()

func (*PredPrivacyValueAllowAll) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueAllowAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueAllowAll) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueAllowAll) XXX_Merge(src proto.Message)

func (*PredPrivacyValueAllowAll) XXX_Size added in v0.4.1

func (m *PredPrivacyValueAllowAll) XXX_Size() int

func (*PredPrivacyValueAllowAll) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueAllowAll) XXX_Unmarshal(b []byte) error

type PredPrivacyValueAllowContacts

type PredPrivacyValueAllowContacts struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueAllowContacts) Descriptor

func (*PredPrivacyValueAllowContacts) Descriptor() ([]byte, []int)

func (*PredPrivacyValueAllowContacts) ProtoMessage

func (*PredPrivacyValueAllowContacts) ProtoMessage()

func (*PredPrivacyValueAllowContacts) Reset

func (m *PredPrivacyValueAllowContacts) Reset()

func (*PredPrivacyValueAllowContacts) String

func (*PredPrivacyValueAllowContacts) ToType

func (p *PredPrivacyValueAllowContacts) ToType() TL

func (*PredPrivacyValueAllowContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueAllowContacts) XXX_DiscardUnknown()

func (*PredPrivacyValueAllowContacts) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueAllowContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueAllowContacts) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueAllowContacts) XXX_Merge(src proto.Message)

func (*PredPrivacyValueAllowContacts) XXX_Size added in v0.4.1

func (m *PredPrivacyValueAllowContacts) XXX_Size() int

func (*PredPrivacyValueAllowContacts) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueAllowContacts) XXX_Unmarshal(b []byte) error

type PredPrivacyValueAllowUsers

type PredPrivacyValueAllowUsers struct {
	Users                []int32  `protobuf:"varint,1,rep,packed,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueAllowUsers) Descriptor

func (*PredPrivacyValueAllowUsers) Descriptor() ([]byte, []int)

func (*PredPrivacyValueAllowUsers) GetUsers

func (m *PredPrivacyValueAllowUsers) GetUsers() []int32

func (*PredPrivacyValueAllowUsers) ProtoMessage

func (*PredPrivacyValueAllowUsers) ProtoMessage()

func (*PredPrivacyValueAllowUsers) Reset

func (m *PredPrivacyValueAllowUsers) Reset()

func (*PredPrivacyValueAllowUsers) String

func (m *PredPrivacyValueAllowUsers) String() string

func (*PredPrivacyValueAllowUsers) ToType

func (p *PredPrivacyValueAllowUsers) ToType() TL

func (*PredPrivacyValueAllowUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueAllowUsers) XXX_DiscardUnknown()

func (*PredPrivacyValueAllowUsers) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueAllowUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueAllowUsers) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueAllowUsers) XXX_Merge(src proto.Message)

func (*PredPrivacyValueAllowUsers) XXX_Size added in v0.4.1

func (m *PredPrivacyValueAllowUsers) XXX_Size() int

func (*PredPrivacyValueAllowUsers) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueAllowUsers) XXX_Unmarshal(b []byte) error

type PredPrivacyValueDisallowAll

type PredPrivacyValueDisallowAll struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueDisallowAll) Descriptor

func (*PredPrivacyValueDisallowAll) Descriptor() ([]byte, []int)

func (*PredPrivacyValueDisallowAll) ProtoMessage

func (*PredPrivacyValueDisallowAll) ProtoMessage()

func (*PredPrivacyValueDisallowAll) Reset

func (m *PredPrivacyValueDisallowAll) Reset()

func (*PredPrivacyValueDisallowAll) String

func (m *PredPrivacyValueDisallowAll) String() string

func (*PredPrivacyValueDisallowAll) ToType

func (p *PredPrivacyValueDisallowAll) ToType() TL

func (*PredPrivacyValueDisallowAll) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueDisallowAll) XXX_DiscardUnknown()

func (*PredPrivacyValueDisallowAll) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueDisallowAll) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueDisallowAll) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueDisallowAll) XXX_Merge(src proto.Message)

func (*PredPrivacyValueDisallowAll) XXX_Size added in v0.4.1

func (m *PredPrivacyValueDisallowAll) XXX_Size() int

func (*PredPrivacyValueDisallowAll) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueDisallowAll) XXX_Unmarshal(b []byte) error

type PredPrivacyValueDisallowContacts

type PredPrivacyValueDisallowContacts struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueDisallowContacts) Descriptor

func (*PredPrivacyValueDisallowContacts) Descriptor() ([]byte, []int)

func (*PredPrivacyValueDisallowContacts) ProtoMessage

func (*PredPrivacyValueDisallowContacts) ProtoMessage()

func (*PredPrivacyValueDisallowContacts) Reset

func (*PredPrivacyValueDisallowContacts) String

func (*PredPrivacyValueDisallowContacts) ToType

func (*PredPrivacyValueDisallowContacts) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueDisallowContacts) XXX_DiscardUnknown()

func (*PredPrivacyValueDisallowContacts) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueDisallowContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueDisallowContacts) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueDisallowContacts) XXX_Merge(src proto.Message)

func (*PredPrivacyValueDisallowContacts) XXX_Size added in v0.4.1

func (m *PredPrivacyValueDisallowContacts) XXX_Size() int

func (*PredPrivacyValueDisallowContacts) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueDisallowContacts) XXX_Unmarshal(b []byte) error

type PredPrivacyValueDisallowUsers

type PredPrivacyValueDisallowUsers struct {
	Users                []int32  `protobuf:"varint,1,rep,packed,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredPrivacyValueDisallowUsers) Descriptor

func (*PredPrivacyValueDisallowUsers) Descriptor() ([]byte, []int)

func (*PredPrivacyValueDisallowUsers) GetUsers

func (m *PredPrivacyValueDisallowUsers) GetUsers() []int32

func (*PredPrivacyValueDisallowUsers) ProtoMessage

func (*PredPrivacyValueDisallowUsers) ProtoMessage()

func (*PredPrivacyValueDisallowUsers) Reset

func (m *PredPrivacyValueDisallowUsers) Reset()

func (*PredPrivacyValueDisallowUsers) String

func (*PredPrivacyValueDisallowUsers) ToType

func (p *PredPrivacyValueDisallowUsers) ToType() TL

func (*PredPrivacyValueDisallowUsers) XXX_DiscardUnknown added in v0.4.1

func (m *PredPrivacyValueDisallowUsers) XXX_DiscardUnknown()

func (*PredPrivacyValueDisallowUsers) XXX_Marshal added in v0.4.1

func (m *PredPrivacyValueDisallowUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredPrivacyValueDisallowUsers) XXX_Merge added in v0.4.1

func (dst *PredPrivacyValueDisallowUsers) XXX_Merge(src proto.Message)

func (*PredPrivacyValueDisallowUsers) XXX_Size added in v0.4.1

func (m *PredPrivacyValueDisallowUsers) XXX_Size() int

func (*PredPrivacyValueDisallowUsers) XXX_Unmarshal added in v0.4.1

func (m *PredPrivacyValueDisallowUsers) XXX_Unmarshal(b []byte) error

type PredReceivedNotifyMessage

type PredReceivedNotifyMessage struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Flags                int32    `protobuf:"varint,2,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredReceivedNotifyMessage) Descriptor

func (*PredReceivedNotifyMessage) Descriptor() ([]byte, []int)

func (*PredReceivedNotifyMessage) GetFlags

func (m *PredReceivedNotifyMessage) GetFlags() int32

func (*PredReceivedNotifyMessage) GetId

func (m *PredReceivedNotifyMessage) GetId() int32

func (*PredReceivedNotifyMessage) ProtoMessage

func (*PredReceivedNotifyMessage) ProtoMessage()

func (*PredReceivedNotifyMessage) Reset

func (m *PredReceivedNotifyMessage) Reset()

func (*PredReceivedNotifyMessage) String

func (m *PredReceivedNotifyMessage) String() string

func (*PredReceivedNotifyMessage) ToType

func (p *PredReceivedNotifyMessage) ToType() TL

func (*PredReceivedNotifyMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredReceivedNotifyMessage) XXX_DiscardUnknown()

func (*PredReceivedNotifyMessage) XXX_Marshal added in v0.4.1

func (m *PredReceivedNotifyMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredReceivedNotifyMessage) XXX_Merge added in v0.4.1

func (dst *PredReceivedNotifyMessage) XXX_Merge(src proto.Message)

func (*PredReceivedNotifyMessage) XXX_Size added in v0.4.1

func (m *PredReceivedNotifyMessage) XXX_Size() int

func (*PredReceivedNotifyMessage) XXX_Unmarshal added in v0.4.1

func (m *PredReceivedNotifyMessage) XXX_Unmarshal(b []byte) error

type PredReplyInlineMarkup

type PredReplyInlineMarkup struct {
	// default: Vector<KeyboardButtonRow>
	Rows                 []*TypeKeyboardButtonRow `protobuf:"bytes,1,rep,name=Rows" json:"Rows,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredReplyInlineMarkup) Descriptor

func (*PredReplyInlineMarkup) Descriptor() ([]byte, []int)

func (*PredReplyInlineMarkup) GetRows

func (*PredReplyInlineMarkup) ProtoMessage

func (*PredReplyInlineMarkup) ProtoMessage()

func (*PredReplyInlineMarkup) Reset

func (m *PredReplyInlineMarkup) Reset()

func (*PredReplyInlineMarkup) String

func (m *PredReplyInlineMarkup) String() string

func (*PredReplyInlineMarkup) ToType

func (p *PredReplyInlineMarkup) ToType() TL

func (*PredReplyInlineMarkup) XXX_DiscardUnknown added in v0.4.1

func (m *PredReplyInlineMarkup) XXX_DiscardUnknown()

func (*PredReplyInlineMarkup) XXX_Marshal added in v0.4.1

func (m *PredReplyInlineMarkup) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredReplyInlineMarkup) XXX_Merge added in v0.4.1

func (dst *PredReplyInlineMarkup) XXX_Merge(src proto.Message)

func (*PredReplyInlineMarkup) XXX_Size added in v0.4.1

func (m *PredReplyInlineMarkup) XXX_Size() int

func (*PredReplyInlineMarkup) XXX_Unmarshal added in v0.4.1

func (m *PredReplyInlineMarkup) XXX_Unmarshal(b []byte) error

type PredReplyKeyboardForceReply

type PredReplyKeyboardForceReply struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredReplyKeyboardForceReply) Descriptor

func (*PredReplyKeyboardForceReply) Descriptor() ([]byte, []int)

func (*PredReplyKeyboardForceReply) GetFlags

func (m *PredReplyKeyboardForceReply) GetFlags() int32

func (*PredReplyKeyboardForceReply) ProtoMessage

func (*PredReplyKeyboardForceReply) ProtoMessage()

func (*PredReplyKeyboardForceReply) Reset

func (m *PredReplyKeyboardForceReply) Reset()

func (*PredReplyKeyboardForceReply) String

func (m *PredReplyKeyboardForceReply) String() string

func (*PredReplyKeyboardForceReply) ToType

func (p *PredReplyKeyboardForceReply) ToType() TL

func (*PredReplyKeyboardForceReply) XXX_DiscardUnknown added in v0.4.1

func (m *PredReplyKeyboardForceReply) XXX_DiscardUnknown()

func (*PredReplyKeyboardForceReply) XXX_Marshal added in v0.4.1

func (m *PredReplyKeyboardForceReply) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredReplyKeyboardForceReply) XXX_Merge added in v0.4.1

func (dst *PredReplyKeyboardForceReply) XXX_Merge(src proto.Message)

func (*PredReplyKeyboardForceReply) XXX_Size added in v0.4.1

func (m *PredReplyKeyboardForceReply) XXX_Size() int

func (*PredReplyKeyboardForceReply) XXX_Unmarshal added in v0.4.1

func (m *PredReplyKeyboardForceReply) XXX_Unmarshal(b []byte) error

type PredReplyKeyboardHide

type PredReplyKeyboardHide struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredReplyKeyboardHide) Descriptor

func (*PredReplyKeyboardHide) Descriptor() ([]byte, []int)

func (*PredReplyKeyboardHide) GetFlags

func (m *PredReplyKeyboardHide) GetFlags() int32

func (*PredReplyKeyboardHide) ProtoMessage

func (*PredReplyKeyboardHide) ProtoMessage()

func (*PredReplyKeyboardHide) Reset

func (m *PredReplyKeyboardHide) Reset()

func (*PredReplyKeyboardHide) String

func (m *PredReplyKeyboardHide) String() string

func (*PredReplyKeyboardHide) ToType

func (p *PredReplyKeyboardHide) ToType() TL

func (*PredReplyKeyboardHide) XXX_DiscardUnknown added in v0.4.1

func (m *PredReplyKeyboardHide) XXX_DiscardUnknown()

func (*PredReplyKeyboardHide) XXX_Marshal added in v0.4.1

func (m *PredReplyKeyboardHide) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredReplyKeyboardHide) XXX_Merge added in v0.4.1

func (dst *PredReplyKeyboardHide) XXX_Merge(src proto.Message)

func (*PredReplyKeyboardHide) XXX_Size added in v0.4.1

func (m *PredReplyKeyboardHide) XXX_Size() int

func (*PredReplyKeyboardHide) XXX_Unmarshal added in v0.4.1

func (m *PredReplyKeyboardHide) XXX_Unmarshal(b []byte) error

type PredReplyKeyboardMarkup

type PredReplyKeyboardMarkup struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Resize	bool // flags.0?true
	// SingleUse	bool // flags.1?true
	// Selective	bool // flags.2?true
	// default: Vector<KeyboardButtonRow>
	Rows                 []*TypeKeyboardButtonRow `protobuf:"bytes,5,rep,name=Rows" json:"Rows,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredReplyKeyboardMarkup) Descriptor

func (*PredReplyKeyboardMarkup) Descriptor() ([]byte, []int)

func (*PredReplyKeyboardMarkup) GetFlags

func (m *PredReplyKeyboardMarkup) GetFlags() int32

func (*PredReplyKeyboardMarkup) GetRows

func (*PredReplyKeyboardMarkup) ProtoMessage

func (*PredReplyKeyboardMarkup) ProtoMessage()

func (*PredReplyKeyboardMarkup) Reset

func (m *PredReplyKeyboardMarkup) Reset()

func (*PredReplyKeyboardMarkup) String

func (m *PredReplyKeyboardMarkup) String() string

func (*PredReplyKeyboardMarkup) ToType

func (p *PredReplyKeyboardMarkup) ToType() TL

func (*PredReplyKeyboardMarkup) XXX_DiscardUnknown added in v0.4.1

func (m *PredReplyKeyboardMarkup) XXX_DiscardUnknown()

func (*PredReplyKeyboardMarkup) XXX_Marshal added in v0.4.1

func (m *PredReplyKeyboardMarkup) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredReplyKeyboardMarkup) XXX_Merge added in v0.4.1

func (dst *PredReplyKeyboardMarkup) XXX_Merge(src proto.Message)

func (*PredReplyKeyboardMarkup) XXX_Size added in v0.4.1

func (m *PredReplyKeyboardMarkup) XXX_Size() int

func (*PredReplyKeyboardMarkup) XXX_Unmarshal added in v0.4.1

func (m *PredReplyKeyboardMarkup) XXX_Unmarshal(b []byte) error

type PredSendMessageCancelAction

type PredSendMessageCancelAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageCancelAction) Descriptor

func (*PredSendMessageCancelAction) Descriptor() ([]byte, []int)

func (*PredSendMessageCancelAction) ProtoMessage

func (*PredSendMessageCancelAction) ProtoMessage()

func (*PredSendMessageCancelAction) Reset

func (m *PredSendMessageCancelAction) Reset()

func (*PredSendMessageCancelAction) String

func (m *PredSendMessageCancelAction) String() string

func (*PredSendMessageCancelAction) ToType

func (p *PredSendMessageCancelAction) ToType() TL

func (*PredSendMessageCancelAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageCancelAction) XXX_DiscardUnknown()

func (*PredSendMessageCancelAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageCancelAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageCancelAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageCancelAction) XXX_Merge(src proto.Message)

func (*PredSendMessageCancelAction) XXX_Size added in v0.4.1

func (m *PredSendMessageCancelAction) XXX_Size() int

func (*PredSendMessageCancelAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageCancelAction) XXX_Unmarshal(b []byte) error

type PredSendMessageChooseContactAction

type PredSendMessageChooseContactAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageChooseContactAction) Descriptor

func (*PredSendMessageChooseContactAction) Descriptor() ([]byte, []int)

func (*PredSendMessageChooseContactAction) ProtoMessage

func (*PredSendMessageChooseContactAction) ProtoMessage()

func (*PredSendMessageChooseContactAction) Reset

func (*PredSendMessageChooseContactAction) String

func (*PredSendMessageChooseContactAction) ToType

func (*PredSendMessageChooseContactAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageChooseContactAction) XXX_DiscardUnknown()

func (*PredSendMessageChooseContactAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageChooseContactAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageChooseContactAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageChooseContactAction) XXX_Merge(src proto.Message)

func (*PredSendMessageChooseContactAction) XXX_Size added in v0.4.1

func (*PredSendMessageChooseContactAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageChooseContactAction) XXX_Unmarshal(b []byte) error

type PredSendMessageGamePlayAction

type PredSendMessageGamePlayAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageGamePlayAction) Descriptor

func (*PredSendMessageGamePlayAction) Descriptor() ([]byte, []int)

func (*PredSendMessageGamePlayAction) ProtoMessage

func (*PredSendMessageGamePlayAction) ProtoMessage()

func (*PredSendMessageGamePlayAction) Reset

func (m *PredSendMessageGamePlayAction) Reset()

func (*PredSendMessageGamePlayAction) String

func (*PredSendMessageGamePlayAction) ToType

func (p *PredSendMessageGamePlayAction) ToType() TL

func (*PredSendMessageGamePlayAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageGamePlayAction) XXX_DiscardUnknown()

func (*PredSendMessageGamePlayAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageGamePlayAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageGamePlayAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageGamePlayAction) XXX_Merge(src proto.Message)

func (*PredSendMessageGamePlayAction) XXX_Size added in v0.4.1

func (m *PredSendMessageGamePlayAction) XXX_Size() int

func (*PredSendMessageGamePlayAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageGamePlayAction) XXX_Unmarshal(b []byte) error

type PredSendMessageGeoLocationAction

type PredSendMessageGeoLocationAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageGeoLocationAction) Descriptor

func (*PredSendMessageGeoLocationAction) Descriptor() ([]byte, []int)

func (*PredSendMessageGeoLocationAction) ProtoMessage

func (*PredSendMessageGeoLocationAction) ProtoMessage()

func (*PredSendMessageGeoLocationAction) Reset

func (*PredSendMessageGeoLocationAction) String

func (*PredSendMessageGeoLocationAction) ToType

func (*PredSendMessageGeoLocationAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageGeoLocationAction) XXX_DiscardUnknown()

func (*PredSendMessageGeoLocationAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageGeoLocationAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageGeoLocationAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageGeoLocationAction) XXX_Merge(src proto.Message)

func (*PredSendMessageGeoLocationAction) XXX_Size added in v0.4.1

func (m *PredSendMessageGeoLocationAction) XXX_Size() int

func (*PredSendMessageGeoLocationAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageGeoLocationAction) XXX_Unmarshal(b []byte) error

type PredSendMessageRecordAudioAction

type PredSendMessageRecordAudioAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageRecordAudioAction) Descriptor

func (*PredSendMessageRecordAudioAction) Descriptor() ([]byte, []int)

func (*PredSendMessageRecordAudioAction) ProtoMessage

func (*PredSendMessageRecordAudioAction) ProtoMessage()

func (*PredSendMessageRecordAudioAction) Reset

func (*PredSendMessageRecordAudioAction) String

func (*PredSendMessageRecordAudioAction) ToType

func (*PredSendMessageRecordAudioAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageRecordAudioAction) XXX_DiscardUnknown()

func (*PredSendMessageRecordAudioAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageRecordAudioAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageRecordAudioAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageRecordAudioAction) XXX_Merge(src proto.Message)

func (*PredSendMessageRecordAudioAction) XXX_Size added in v0.4.1

func (m *PredSendMessageRecordAudioAction) XXX_Size() int

func (*PredSendMessageRecordAudioAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageRecordAudioAction) XXX_Unmarshal(b []byte) error

type PredSendMessageRecordRoundAction

type PredSendMessageRecordRoundAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageRecordRoundAction) Descriptor

func (*PredSendMessageRecordRoundAction) Descriptor() ([]byte, []int)

func (*PredSendMessageRecordRoundAction) ProtoMessage

func (*PredSendMessageRecordRoundAction) ProtoMessage()

func (*PredSendMessageRecordRoundAction) Reset

func (*PredSendMessageRecordRoundAction) String

func (*PredSendMessageRecordRoundAction) ToType

func (*PredSendMessageRecordRoundAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageRecordRoundAction) XXX_DiscardUnknown()

func (*PredSendMessageRecordRoundAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageRecordRoundAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageRecordRoundAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageRecordRoundAction) XXX_Merge(src proto.Message)

func (*PredSendMessageRecordRoundAction) XXX_Size added in v0.4.1

func (m *PredSendMessageRecordRoundAction) XXX_Size() int

func (*PredSendMessageRecordRoundAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageRecordRoundAction) XXX_Unmarshal(b []byte) error

type PredSendMessageRecordVideoAction

type PredSendMessageRecordVideoAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageRecordVideoAction) Descriptor

func (*PredSendMessageRecordVideoAction) Descriptor() ([]byte, []int)

func (*PredSendMessageRecordVideoAction) ProtoMessage

func (*PredSendMessageRecordVideoAction) ProtoMessage()

func (*PredSendMessageRecordVideoAction) Reset

func (*PredSendMessageRecordVideoAction) String

func (*PredSendMessageRecordVideoAction) ToType

func (*PredSendMessageRecordVideoAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageRecordVideoAction) XXX_DiscardUnknown()

func (*PredSendMessageRecordVideoAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageRecordVideoAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageRecordVideoAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageRecordVideoAction) XXX_Merge(src proto.Message)

func (*PredSendMessageRecordVideoAction) XXX_Size added in v0.4.1

func (m *PredSendMessageRecordVideoAction) XXX_Size() int

func (*PredSendMessageRecordVideoAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageRecordVideoAction) XXX_Unmarshal(b []byte) error

type PredSendMessageTypingAction

type PredSendMessageTypingAction struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageTypingAction) Descriptor

func (*PredSendMessageTypingAction) Descriptor() ([]byte, []int)

func (*PredSendMessageTypingAction) ProtoMessage

func (*PredSendMessageTypingAction) ProtoMessage()

func (*PredSendMessageTypingAction) Reset

func (m *PredSendMessageTypingAction) Reset()

func (*PredSendMessageTypingAction) String

func (m *PredSendMessageTypingAction) String() string

func (*PredSendMessageTypingAction) ToType

func (p *PredSendMessageTypingAction) ToType() TL

func (*PredSendMessageTypingAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageTypingAction) XXX_DiscardUnknown()

func (*PredSendMessageTypingAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageTypingAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageTypingAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageTypingAction) XXX_Merge(src proto.Message)

func (*PredSendMessageTypingAction) XXX_Size added in v0.4.1

func (m *PredSendMessageTypingAction) XXX_Size() int

func (*PredSendMessageTypingAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageTypingAction) XXX_Unmarshal(b []byte) error

type PredSendMessageUploadAudioAction

type PredSendMessageUploadAudioAction struct {
	Progress             int32    `protobuf:"varint,1,opt,name=Progress" json:"Progress,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageUploadAudioAction) Descriptor

func (*PredSendMessageUploadAudioAction) Descriptor() ([]byte, []int)

func (*PredSendMessageUploadAudioAction) GetProgress

func (m *PredSendMessageUploadAudioAction) GetProgress() int32

func (*PredSendMessageUploadAudioAction) ProtoMessage

func (*PredSendMessageUploadAudioAction) ProtoMessage()

func (*PredSendMessageUploadAudioAction) Reset

func (*PredSendMessageUploadAudioAction) String

func (*PredSendMessageUploadAudioAction) ToType

func (*PredSendMessageUploadAudioAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageUploadAudioAction) XXX_DiscardUnknown()

func (*PredSendMessageUploadAudioAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageUploadAudioAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageUploadAudioAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageUploadAudioAction) XXX_Merge(src proto.Message)

func (*PredSendMessageUploadAudioAction) XXX_Size added in v0.4.1

func (m *PredSendMessageUploadAudioAction) XXX_Size() int

func (*PredSendMessageUploadAudioAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageUploadAudioAction) XXX_Unmarshal(b []byte) error

type PredSendMessageUploadDocumentAction

type PredSendMessageUploadDocumentAction struct {
	Progress             int32    `protobuf:"varint,1,opt,name=Progress" json:"Progress,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageUploadDocumentAction) Descriptor

func (*PredSendMessageUploadDocumentAction) Descriptor() ([]byte, []int)

func (*PredSendMessageUploadDocumentAction) GetProgress

func (m *PredSendMessageUploadDocumentAction) GetProgress() int32

func (*PredSendMessageUploadDocumentAction) ProtoMessage

func (*PredSendMessageUploadDocumentAction) ProtoMessage()

func (*PredSendMessageUploadDocumentAction) Reset

func (*PredSendMessageUploadDocumentAction) String

func (*PredSendMessageUploadDocumentAction) ToType

func (*PredSendMessageUploadDocumentAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageUploadDocumentAction) XXX_DiscardUnknown()

func (*PredSendMessageUploadDocumentAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageUploadDocumentAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageUploadDocumentAction) XXX_Merge added in v0.4.1

func (*PredSendMessageUploadDocumentAction) XXX_Size added in v0.4.1

func (*PredSendMessageUploadDocumentAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageUploadDocumentAction) XXX_Unmarshal(b []byte) error

type PredSendMessageUploadPhotoAction

type PredSendMessageUploadPhotoAction struct {
	Progress             int32    `protobuf:"varint,1,opt,name=Progress" json:"Progress,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageUploadPhotoAction) Descriptor

func (*PredSendMessageUploadPhotoAction) Descriptor() ([]byte, []int)

func (*PredSendMessageUploadPhotoAction) GetProgress

func (m *PredSendMessageUploadPhotoAction) GetProgress() int32

func (*PredSendMessageUploadPhotoAction) ProtoMessage

func (*PredSendMessageUploadPhotoAction) ProtoMessage()

func (*PredSendMessageUploadPhotoAction) Reset

func (*PredSendMessageUploadPhotoAction) String

func (*PredSendMessageUploadPhotoAction) ToType

func (*PredSendMessageUploadPhotoAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageUploadPhotoAction) XXX_DiscardUnknown()

func (*PredSendMessageUploadPhotoAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageUploadPhotoAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageUploadPhotoAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageUploadPhotoAction) XXX_Merge(src proto.Message)

func (*PredSendMessageUploadPhotoAction) XXX_Size added in v0.4.1

func (m *PredSendMessageUploadPhotoAction) XXX_Size() int

func (*PredSendMessageUploadPhotoAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageUploadPhotoAction) XXX_Unmarshal(b []byte) error

type PredSendMessageUploadRoundAction

type PredSendMessageUploadRoundAction struct {
	Progress             int32    `protobuf:"varint,1,opt,name=Progress" json:"Progress,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageUploadRoundAction) Descriptor

func (*PredSendMessageUploadRoundAction) Descriptor() ([]byte, []int)

func (*PredSendMessageUploadRoundAction) GetProgress

func (m *PredSendMessageUploadRoundAction) GetProgress() int32

func (*PredSendMessageUploadRoundAction) ProtoMessage

func (*PredSendMessageUploadRoundAction) ProtoMessage()

func (*PredSendMessageUploadRoundAction) Reset

func (*PredSendMessageUploadRoundAction) String

func (*PredSendMessageUploadRoundAction) ToType

func (*PredSendMessageUploadRoundAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageUploadRoundAction) XXX_DiscardUnknown()

func (*PredSendMessageUploadRoundAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageUploadRoundAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageUploadRoundAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageUploadRoundAction) XXX_Merge(src proto.Message)

func (*PredSendMessageUploadRoundAction) XXX_Size added in v0.4.1

func (m *PredSendMessageUploadRoundAction) XXX_Size() int

func (*PredSendMessageUploadRoundAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageUploadRoundAction) XXX_Unmarshal(b []byte) error

type PredSendMessageUploadVideoAction

type PredSendMessageUploadVideoAction struct {
	Progress             int32    `protobuf:"varint,1,opt,name=Progress" json:"Progress,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredSendMessageUploadVideoAction) Descriptor

func (*PredSendMessageUploadVideoAction) Descriptor() ([]byte, []int)

func (*PredSendMessageUploadVideoAction) GetProgress

func (m *PredSendMessageUploadVideoAction) GetProgress() int32

func (*PredSendMessageUploadVideoAction) ProtoMessage

func (*PredSendMessageUploadVideoAction) ProtoMessage()

func (*PredSendMessageUploadVideoAction) Reset

func (*PredSendMessageUploadVideoAction) String

func (*PredSendMessageUploadVideoAction) ToType

func (*PredSendMessageUploadVideoAction) XXX_DiscardUnknown added in v0.4.1

func (m *PredSendMessageUploadVideoAction) XXX_DiscardUnknown()

func (*PredSendMessageUploadVideoAction) XXX_Marshal added in v0.4.1

func (m *PredSendMessageUploadVideoAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredSendMessageUploadVideoAction) XXX_Merge added in v0.4.1

func (dst *PredSendMessageUploadVideoAction) XXX_Merge(src proto.Message)

func (*PredSendMessageUploadVideoAction) XXX_Size added in v0.4.1

func (m *PredSendMessageUploadVideoAction) XXX_Size() int

func (*PredSendMessageUploadVideoAction) XXX_Unmarshal added in v0.4.1

func (m *PredSendMessageUploadVideoAction) XXX_Unmarshal(b []byte) error

type PredShippingOption

type PredShippingOption struct {
	Id    string `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	Title string `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	// default: Vector<LabeledPrice>
	Prices               []*TypeLabeledPrice `protobuf:"bytes,3,rep,name=Prices" json:"Prices,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*PredShippingOption) Descriptor

func (*PredShippingOption) Descriptor() ([]byte, []int)

func (*PredShippingOption) GetId

func (m *PredShippingOption) GetId() string

func (*PredShippingOption) GetPrices

func (m *PredShippingOption) GetPrices() []*TypeLabeledPrice

func (*PredShippingOption) GetTitle

func (m *PredShippingOption) GetTitle() string

func (*PredShippingOption) ProtoMessage

func (*PredShippingOption) ProtoMessage()

func (*PredShippingOption) Reset

func (m *PredShippingOption) Reset()

func (*PredShippingOption) String

func (m *PredShippingOption) String() string

func (*PredShippingOption) ToType

func (p *PredShippingOption) ToType() TL

func (*PredShippingOption) XXX_DiscardUnknown added in v0.4.1

func (m *PredShippingOption) XXX_DiscardUnknown()

func (*PredShippingOption) XXX_Marshal added in v0.4.1

func (m *PredShippingOption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredShippingOption) XXX_Merge added in v0.4.1

func (dst *PredShippingOption) XXX_Merge(src proto.Message)

func (*PredShippingOption) XXX_Size added in v0.4.1

func (m *PredShippingOption) XXX_Size() int

func (*PredShippingOption) XXX_Unmarshal added in v0.4.1

func (m *PredShippingOption) XXX_Unmarshal(b []byte) error

type PredStickerPack

type PredStickerPack struct {
	Emoticon             string   `protobuf:"bytes,1,opt,name=Emoticon" json:"Emoticon,omitempty"`
	Documents            []int64  `protobuf:"varint,2,rep,packed,name=Documents" json:"Documents,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStickerPack) Descriptor

func (*PredStickerPack) Descriptor() ([]byte, []int)

func (*PredStickerPack) GetDocuments

func (m *PredStickerPack) GetDocuments() []int64

func (*PredStickerPack) GetEmoticon

func (m *PredStickerPack) GetEmoticon() string

func (*PredStickerPack) ProtoMessage

func (*PredStickerPack) ProtoMessage()

func (*PredStickerPack) Reset

func (m *PredStickerPack) Reset()

func (*PredStickerPack) String

func (m *PredStickerPack) String() string

func (*PredStickerPack) ToType

func (p *PredStickerPack) ToType() TL

func (*PredStickerPack) XXX_DiscardUnknown added in v0.4.1

func (m *PredStickerPack) XXX_DiscardUnknown()

func (*PredStickerPack) XXX_Marshal added in v0.4.1

func (m *PredStickerPack) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStickerPack) XXX_Merge added in v0.4.1

func (dst *PredStickerPack) XXX_Merge(src proto.Message)

func (*PredStickerPack) XXX_Size added in v0.4.1

func (m *PredStickerPack) XXX_Size() int

func (*PredStickerPack) XXX_Unmarshal added in v0.4.1

func (m *PredStickerPack) XXX_Unmarshal(b []byte) error

type PredStickerSet

type PredStickerSet struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Installed	bool // flags.0?true
	// Archived	bool // flags.1?true
	// Official	bool // flags.2?true
	// Masks	bool // flags.3?true
	Id                   int64    `protobuf:"varint,6,opt,name=Id" json:"Id,omitempty"`
	AccessHash           int64    `protobuf:"varint,7,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Title                string   `protobuf:"bytes,8,opt,name=Title" json:"Title,omitempty"`
	ShortName            string   `protobuf:"bytes,9,opt,name=ShortName" json:"ShortName,omitempty"`
	Count                int32    `protobuf:"varint,10,opt,name=Count" json:"Count,omitempty"`
	Hash                 int32    `protobuf:"varint,11,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStickerSet) Descriptor

func (*PredStickerSet) Descriptor() ([]byte, []int)

func (*PredStickerSet) GetAccessHash

func (m *PredStickerSet) GetAccessHash() int64

func (*PredStickerSet) GetCount

func (m *PredStickerSet) GetCount() int32

func (*PredStickerSet) GetFlags

func (m *PredStickerSet) GetFlags() int32

func (*PredStickerSet) GetHash

func (m *PredStickerSet) GetHash() int32

func (*PredStickerSet) GetId

func (m *PredStickerSet) GetId() int64

func (*PredStickerSet) GetShortName

func (m *PredStickerSet) GetShortName() string

func (*PredStickerSet) GetTitle

func (m *PredStickerSet) GetTitle() string

func (*PredStickerSet) ProtoMessage

func (*PredStickerSet) ProtoMessage()

func (*PredStickerSet) Reset

func (m *PredStickerSet) Reset()

func (*PredStickerSet) String

func (m *PredStickerSet) String() string

func (*PredStickerSet) ToType

func (p *PredStickerSet) ToType() TL

func (*PredStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *PredStickerSet) XXX_DiscardUnknown()

func (*PredStickerSet) XXX_Marshal added in v0.4.1

func (m *PredStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStickerSet) XXX_Merge added in v0.4.1

func (dst *PredStickerSet) XXX_Merge(src proto.Message)

func (*PredStickerSet) XXX_Size added in v0.4.1

func (m *PredStickerSet) XXX_Size() int

func (*PredStickerSet) XXX_Unmarshal added in v0.4.1

func (m *PredStickerSet) XXX_Unmarshal(b []byte) error

type PredStickerSetCovered

type PredStickerSetCovered struct {
	// default: StickerSet
	Set *TypeStickerSet `protobuf:"bytes,1,opt,name=Set" json:"Set,omitempty"`
	// default: Document
	Cover                *TypeDocument `protobuf:"bytes,2,opt,name=Cover" json:"Cover,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredStickerSetCovered) Descriptor

func (*PredStickerSetCovered) Descriptor() ([]byte, []int)

func (*PredStickerSetCovered) GetCover

func (m *PredStickerSetCovered) GetCover() *TypeDocument

func (*PredStickerSetCovered) GetSet

func (*PredStickerSetCovered) ProtoMessage

func (*PredStickerSetCovered) ProtoMessage()

func (*PredStickerSetCovered) Reset

func (m *PredStickerSetCovered) Reset()

func (*PredStickerSetCovered) String

func (m *PredStickerSetCovered) String() string

func (*PredStickerSetCovered) ToType

func (p *PredStickerSetCovered) ToType() TL

func (*PredStickerSetCovered) XXX_DiscardUnknown added in v0.4.1

func (m *PredStickerSetCovered) XXX_DiscardUnknown()

func (*PredStickerSetCovered) XXX_Marshal added in v0.4.1

func (m *PredStickerSetCovered) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStickerSetCovered) XXX_Merge added in v0.4.1

func (dst *PredStickerSetCovered) XXX_Merge(src proto.Message)

func (*PredStickerSetCovered) XXX_Size added in v0.4.1

func (m *PredStickerSetCovered) XXX_Size() int

func (*PredStickerSetCovered) XXX_Unmarshal added in v0.4.1

func (m *PredStickerSetCovered) XXX_Unmarshal(b []byte) error

type PredStickerSetMultiCovered

type PredStickerSetMultiCovered struct {
	// default: StickerSet
	Set *TypeStickerSet `protobuf:"bytes,1,opt,name=Set" json:"Set,omitempty"`
	// default: Vector<Document>
	Covers               []*TypeDocument `protobuf:"bytes,2,rep,name=Covers" json:"Covers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredStickerSetMultiCovered) Descriptor

func (*PredStickerSetMultiCovered) Descriptor() ([]byte, []int)

func (*PredStickerSetMultiCovered) GetCovers

func (m *PredStickerSetMultiCovered) GetCovers() []*TypeDocument

func (*PredStickerSetMultiCovered) GetSet

func (*PredStickerSetMultiCovered) ProtoMessage

func (*PredStickerSetMultiCovered) ProtoMessage()

func (*PredStickerSetMultiCovered) Reset

func (m *PredStickerSetMultiCovered) Reset()

func (*PredStickerSetMultiCovered) String

func (m *PredStickerSetMultiCovered) String() string

func (*PredStickerSetMultiCovered) ToType

func (p *PredStickerSetMultiCovered) ToType() TL

func (*PredStickerSetMultiCovered) XXX_DiscardUnknown added in v0.4.1

func (m *PredStickerSetMultiCovered) XXX_DiscardUnknown()

func (*PredStickerSetMultiCovered) XXX_Marshal added in v0.4.1

func (m *PredStickerSetMultiCovered) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStickerSetMultiCovered) XXX_Merge added in v0.4.1

func (dst *PredStickerSetMultiCovered) XXX_Merge(src proto.Message)

func (*PredStickerSetMultiCovered) XXX_Size added in v0.4.1

func (m *PredStickerSetMultiCovered) XXX_Size() int

func (*PredStickerSetMultiCovered) XXX_Unmarshal added in v0.4.1

func (m *PredStickerSetMultiCovered) XXX_Unmarshal(b []byte) error

type PredStorageFileGif

type PredStorageFileGif struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileGif) Descriptor

func (*PredStorageFileGif) Descriptor() ([]byte, []int)

func (*PredStorageFileGif) ProtoMessage

func (*PredStorageFileGif) ProtoMessage()

func (*PredStorageFileGif) Reset

func (m *PredStorageFileGif) Reset()

func (*PredStorageFileGif) String

func (m *PredStorageFileGif) String() string

func (*PredStorageFileGif) ToType

func (p *PredStorageFileGif) ToType() TL

func (*PredStorageFileGif) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileGif) XXX_DiscardUnknown()

func (*PredStorageFileGif) XXX_Marshal added in v0.4.1

func (m *PredStorageFileGif) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileGif) XXX_Merge added in v0.4.1

func (dst *PredStorageFileGif) XXX_Merge(src proto.Message)

func (*PredStorageFileGif) XXX_Size added in v0.4.1

func (m *PredStorageFileGif) XXX_Size() int

func (*PredStorageFileGif) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileGif) XXX_Unmarshal(b []byte) error

type PredStorageFileJpeg

type PredStorageFileJpeg struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileJpeg) Descriptor

func (*PredStorageFileJpeg) Descriptor() ([]byte, []int)

func (*PredStorageFileJpeg) ProtoMessage

func (*PredStorageFileJpeg) ProtoMessage()

func (*PredStorageFileJpeg) Reset

func (m *PredStorageFileJpeg) Reset()

func (*PredStorageFileJpeg) String

func (m *PredStorageFileJpeg) String() string

func (*PredStorageFileJpeg) ToType

func (p *PredStorageFileJpeg) ToType() TL

func (*PredStorageFileJpeg) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileJpeg) XXX_DiscardUnknown()

func (*PredStorageFileJpeg) XXX_Marshal added in v0.4.1

func (m *PredStorageFileJpeg) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileJpeg) XXX_Merge added in v0.4.1

func (dst *PredStorageFileJpeg) XXX_Merge(src proto.Message)

func (*PredStorageFileJpeg) XXX_Size added in v0.4.1

func (m *PredStorageFileJpeg) XXX_Size() int

func (*PredStorageFileJpeg) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileJpeg) XXX_Unmarshal(b []byte) error

type PredStorageFileMov

type PredStorageFileMov struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileMov) Descriptor

func (*PredStorageFileMov) Descriptor() ([]byte, []int)

func (*PredStorageFileMov) ProtoMessage

func (*PredStorageFileMov) ProtoMessage()

func (*PredStorageFileMov) Reset

func (m *PredStorageFileMov) Reset()

func (*PredStorageFileMov) String

func (m *PredStorageFileMov) String() string

func (*PredStorageFileMov) ToType

func (p *PredStorageFileMov) ToType() TL

func (*PredStorageFileMov) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileMov) XXX_DiscardUnknown()

func (*PredStorageFileMov) XXX_Marshal added in v0.4.1

func (m *PredStorageFileMov) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileMov) XXX_Merge added in v0.4.1

func (dst *PredStorageFileMov) XXX_Merge(src proto.Message)

func (*PredStorageFileMov) XXX_Size added in v0.4.1

func (m *PredStorageFileMov) XXX_Size() int

func (*PredStorageFileMov) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileMov) XXX_Unmarshal(b []byte) error

type PredStorageFileMp3

type PredStorageFileMp3 struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileMp3) Descriptor

func (*PredStorageFileMp3) Descriptor() ([]byte, []int)

func (*PredStorageFileMp3) ProtoMessage

func (*PredStorageFileMp3) ProtoMessage()

func (*PredStorageFileMp3) Reset

func (m *PredStorageFileMp3) Reset()

func (*PredStorageFileMp3) String

func (m *PredStorageFileMp3) String() string

func (*PredStorageFileMp3) ToType

func (p *PredStorageFileMp3) ToType() TL

func (*PredStorageFileMp3) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileMp3) XXX_DiscardUnknown()

func (*PredStorageFileMp3) XXX_Marshal added in v0.4.1

func (m *PredStorageFileMp3) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileMp3) XXX_Merge added in v0.4.1

func (dst *PredStorageFileMp3) XXX_Merge(src proto.Message)

func (*PredStorageFileMp3) XXX_Size added in v0.4.1

func (m *PredStorageFileMp3) XXX_Size() int

func (*PredStorageFileMp3) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileMp3) XXX_Unmarshal(b []byte) error

type PredStorageFileMp4

type PredStorageFileMp4 struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileMp4) Descriptor

func (*PredStorageFileMp4) Descriptor() ([]byte, []int)

func (*PredStorageFileMp4) ProtoMessage

func (*PredStorageFileMp4) ProtoMessage()

func (*PredStorageFileMp4) Reset

func (m *PredStorageFileMp4) Reset()

func (*PredStorageFileMp4) String

func (m *PredStorageFileMp4) String() string

func (*PredStorageFileMp4) ToType

func (p *PredStorageFileMp4) ToType() TL

func (*PredStorageFileMp4) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileMp4) XXX_DiscardUnknown()

func (*PredStorageFileMp4) XXX_Marshal added in v0.4.1

func (m *PredStorageFileMp4) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileMp4) XXX_Merge added in v0.4.1

func (dst *PredStorageFileMp4) XXX_Merge(src proto.Message)

func (*PredStorageFileMp4) XXX_Size added in v0.4.1

func (m *PredStorageFileMp4) XXX_Size() int

func (*PredStorageFileMp4) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileMp4) XXX_Unmarshal(b []byte) error

type PredStorageFilePartial

type PredStorageFilePartial struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFilePartial) Descriptor

func (*PredStorageFilePartial) Descriptor() ([]byte, []int)

func (*PredStorageFilePartial) ProtoMessage

func (*PredStorageFilePartial) ProtoMessage()

func (*PredStorageFilePartial) Reset

func (m *PredStorageFilePartial) Reset()

func (*PredStorageFilePartial) String

func (m *PredStorageFilePartial) String() string

func (*PredStorageFilePartial) ToType

func (p *PredStorageFilePartial) ToType() TL

func (*PredStorageFilePartial) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFilePartial) XXX_DiscardUnknown()

func (*PredStorageFilePartial) XXX_Marshal added in v0.4.1

func (m *PredStorageFilePartial) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFilePartial) XXX_Merge added in v0.4.1

func (dst *PredStorageFilePartial) XXX_Merge(src proto.Message)

func (*PredStorageFilePartial) XXX_Size added in v0.4.1

func (m *PredStorageFilePartial) XXX_Size() int

func (*PredStorageFilePartial) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFilePartial) XXX_Unmarshal(b []byte) error

type PredStorageFilePdf

type PredStorageFilePdf struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFilePdf) Descriptor

func (*PredStorageFilePdf) Descriptor() ([]byte, []int)

func (*PredStorageFilePdf) ProtoMessage

func (*PredStorageFilePdf) ProtoMessage()

func (*PredStorageFilePdf) Reset

func (m *PredStorageFilePdf) Reset()

func (*PredStorageFilePdf) String

func (m *PredStorageFilePdf) String() string

func (*PredStorageFilePdf) ToType

func (p *PredStorageFilePdf) ToType() TL

func (*PredStorageFilePdf) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFilePdf) XXX_DiscardUnknown()

func (*PredStorageFilePdf) XXX_Marshal added in v0.4.1

func (m *PredStorageFilePdf) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFilePdf) XXX_Merge added in v0.4.1

func (dst *PredStorageFilePdf) XXX_Merge(src proto.Message)

func (*PredStorageFilePdf) XXX_Size added in v0.4.1

func (m *PredStorageFilePdf) XXX_Size() int

func (*PredStorageFilePdf) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFilePdf) XXX_Unmarshal(b []byte) error

type PredStorageFilePng

type PredStorageFilePng struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFilePng) Descriptor

func (*PredStorageFilePng) Descriptor() ([]byte, []int)

func (*PredStorageFilePng) ProtoMessage

func (*PredStorageFilePng) ProtoMessage()

func (*PredStorageFilePng) Reset

func (m *PredStorageFilePng) Reset()

func (*PredStorageFilePng) String

func (m *PredStorageFilePng) String() string

func (*PredStorageFilePng) ToType

func (p *PredStorageFilePng) ToType() TL

func (*PredStorageFilePng) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFilePng) XXX_DiscardUnknown()

func (*PredStorageFilePng) XXX_Marshal added in v0.4.1

func (m *PredStorageFilePng) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFilePng) XXX_Merge added in v0.4.1

func (dst *PredStorageFilePng) XXX_Merge(src proto.Message)

func (*PredStorageFilePng) XXX_Size added in v0.4.1

func (m *PredStorageFilePng) XXX_Size() int

func (*PredStorageFilePng) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFilePng) XXX_Unmarshal(b []byte) error

type PredStorageFileUnknown

type PredStorageFileUnknown struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileUnknown) Descriptor

func (*PredStorageFileUnknown) Descriptor() ([]byte, []int)

func (*PredStorageFileUnknown) ProtoMessage

func (*PredStorageFileUnknown) ProtoMessage()

func (*PredStorageFileUnknown) Reset

func (m *PredStorageFileUnknown) Reset()

func (*PredStorageFileUnknown) String

func (m *PredStorageFileUnknown) String() string

func (*PredStorageFileUnknown) ToType

func (p *PredStorageFileUnknown) ToType() TL

func (*PredStorageFileUnknown) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileUnknown) XXX_DiscardUnknown()

func (*PredStorageFileUnknown) XXX_Marshal added in v0.4.1

func (m *PredStorageFileUnknown) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileUnknown) XXX_Merge added in v0.4.1

func (dst *PredStorageFileUnknown) XXX_Merge(src proto.Message)

func (*PredStorageFileUnknown) XXX_Size added in v0.4.1

func (m *PredStorageFileUnknown) XXX_Size() int

func (*PredStorageFileUnknown) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileUnknown) XXX_Unmarshal(b []byte) error

type PredStorageFileWebp

type PredStorageFileWebp struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredStorageFileWebp) Descriptor

func (*PredStorageFileWebp) Descriptor() ([]byte, []int)

func (*PredStorageFileWebp) ProtoMessage

func (*PredStorageFileWebp) ProtoMessage()

func (*PredStorageFileWebp) Reset

func (m *PredStorageFileWebp) Reset()

func (*PredStorageFileWebp) String

func (m *PredStorageFileWebp) String() string

func (*PredStorageFileWebp) ToType

func (p *PredStorageFileWebp) ToType() TL

func (*PredStorageFileWebp) XXX_DiscardUnknown added in v0.4.1

func (m *PredStorageFileWebp) XXX_DiscardUnknown()

func (*PredStorageFileWebp) XXX_Marshal added in v0.4.1

func (m *PredStorageFileWebp) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredStorageFileWebp) XXX_Merge added in v0.4.1

func (dst *PredStorageFileWebp) XXX_Merge(src proto.Message)

func (*PredStorageFileWebp) XXX_Size added in v0.4.1

func (m *PredStorageFileWebp) XXX_Size() int

func (*PredStorageFileWebp) XXX_Unmarshal added in v0.4.1

func (m *PredStorageFileWebp) XXX_Unmarshal(b []byte) error

type PredTextBold

type PredTextBold struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextBold) Descriptor

func (*PredTextBold) Descriptor() ([]byte, []int)

func (*PredTextBold) GetText

func (m *PredTextBold) GetText() *TypeRichText

func (*PredTextBold) ProtoMessage

func (*PredTextBold) ProtoMessage()

func (*PredTextBold) Reset

func (m *PredTextBold) Reset()

func (*PredTextBold) String

func (m *PredTextBold) String() string

func (*PredTextBold) ToType

func (p *PredTextBold) ToType() TL

func (*PredTextBold) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextBold) XXX_DiscardUnknown()

func (*PredTextBold) XXX_Marshal added in v0.4.1

func (m *PredTextBold) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextBold) XXX_Merge added in v0.4.1

func (dst *PredTextBold) XXX_Merge(src proto.Message)

func (*PredTextBold) XXX_Size added in v0.4.1

func (m *PredTextBold) XXX_Size() int

func (*PredTextBold) XXX_Unmarshal added in v0.4.1

func (m *PredTextBold) XXX_Unmarshal(b []byte) error

type PredTextConcat

type PredTextConcat struct {
	// default: Vector<RichText>
	Texts                []*TypeRichText `protobuf:"bytes,1,rep,name=Texts" json:"Texts,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredTextConcat) Descriptor

func (*PredTextConcat) Descriptor() ([]byte, []int)

func (*PredTextConcat) GetTexts

func (m *PredTextConcat) GetTexts() []*TypeRichText

func (*PredTextConcat) ProtoMessage

func (*PredTextConcat) ProtoMessage()

func (*PredTextConcat) Reset

func (m *PredTextConcat) Reset()

func (*PredTextConcat) String

func (m *PredTextConcat) String() string

func (*PredTextConcat) ToType

func (p *PredTextConcat) ToType() TL

func (*PredTextConcat) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextConcat) XXX_DiscardUnknown()

func (*PredTextConcat) XXX_Marshal added in v0.4.1

func (m *PredTextConcat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextConcat) XXX_Merge added in v0.4.1

func (dst *PredTextConcat) XXX_Merge(src proto.Message)

func (*PredTextConcat) XXX_Size added in v0.4.1

func (m *PredTextConcat) XXX_Size() int

func (*PredTextConcat) XXX_Unmarshal added in v0.4.1

func (m *PredTextConcat) XXX_Unmarshal(b []byte) error

type PredTextEmail

type PredTextEmail struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	Email                string        `protobuf:"bytes,2,opt,name=Email" json:"Email,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextEmail) Descriptor

func (*PredTextEmail) Descriptor() ([]byte, []int)

func (*PredTextEmail) GetEmail

func (m *PredTextEmail) GetEmail() string

func (*PredTextEmail) GetText

func (m *PredTextEmail) GetText() *TypeRichText

func (*PredTextEmail) ProtoMessage

func (*PredTextEmail) ProtoMessage()

func (*PredTextEmail) Reset

func (m *PredTextEmail) Reset()

func (*PredTextEmail) String

func (m *PredTextEmail) String() string

func (*PredTextEmail) ToType

func (p *PredTextEmail) ToType() TL

func (*PredTextEmail) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextEmail) XXX_DiscardUnknown()

func (*PredTextEmail) XXX_Marshal added in v0.4.1

func (m *PredTextEmail) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextEmail) XXX_Merge added in v0.4.1

func (dst *PredTextEmail) XXX_Merge(src proto.Message)

func (*PredTextEmail) XXX_Size added in v0.4.1

func (m *PredTextEmail) XXX_Size() int

func (*PredTextEmail) XXX_Unmarshal added in v0.4.1

func (m *PredTextEmail) XXX_Unmarshal(b []byte) error

type PredTextEmpty

type PredTextEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTextEmpty) Descriptor

func (*PredTextEmpty) Descriptor() ([]byte, []int)

func (*PredTextEmpty) ProtoMessage

func (*PredTextEmpty) ProtoMessage()

func (*PredTextEmpty) Reset

func (m *PredTextEmpty) Reset()

func (*PredTextEmpty) String

func (m *PredTextEmpty) String() string

func (*PredTextEmpty) ToType

func (p *PredTextEmpty) ToType() TL

func (*PredTextEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextEmpty) XXX_DiscardUnknown()

func (*PredTextEmpty) XXX_Marshal added in v0.4.1

func (m *PredTextEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextEmpty) XXX_Merge added in v0.4.1

func (dst *PredTextEmpty) XXX_Merge(src proto.Message)

func (*PredTextEmpty) XXX_Size added in v0.4.1

func (m *PredTextEmpty) XXX_Size() int

func (*PredTextEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredTextEmpty) XXX_Unmarshal(b []byte) error

type PredTextFixed

type PredTextFixed struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextFixed) Descriptor

func (*PredTextFixed) Descriptor() ([]byte, []int)

func (*PredTextFixed) GetText

func (m *PredTextFixed) GetText() *TypeRichText

func (*PredTextFixed) ProtoMessage

func (*PredTextFixed) ProtoMessage()

func (*PredTextFixed) Reset

func (m *PredTextFixed) Reset()

func (*PredTextFixed) String

func (m *PredTextFixed) String() string

func (*PredTextFixed) ToType

func (p *PredTextFixed) ToType() TL

func (*PredTextFixed) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextFixed) XXX_DiscardUnknown()

func (*PredTextFixed) XXX_Marshal added in v0.4.1

func (m *PredTextFixed) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextFixed) XXX_Merge added in v0.4.1

func (dst *PredTextFixed) XXX_Merge(src proto.Message)

func (*PredTextFixed) XXX_Size added in v0.4.1

func (m *PredTextFixed) XXX_Size() int

func (*PredTextFixed) XXX_Unmarshal added in v0.4.1

func (m *PredTextFixed) XXX_Unmarshal(b []byte) error

type PredTextItalic

type PredTextItalic struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextItalic) Descriptor

func (*PredTextItalic) Descriptor() ([]byte, []int)

func (*PredTextItalic) GetText

func (m *PredTextItalic) GetText() *TypeRichText

func (*PredTextItalic) ProtoMessage

func (*PredTextItalic) ProtoMessage()

func (*PredTextItalic) Reset

func (m *PredTextItalic) Reset()

func (*PredTextItalic) String

func (m *PredTextItalic) String() string

func (*PredTextItalic) ToType

func (p *PredTextItalic) ToType() TL

func (*PredTextItalic) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextItalic) XXX_DiscardUnknown()

func (*PredTextItalic) XXX_Marshal added in v0.4.1

func (m *PredTextItalic) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextItalic) XXX_Merge added in v0.4.1

func (dst *PredTextItalic) XXX_Merge(src proto.Message)

func (*PredTextItalic) XXX_Size added in v0.4.1

func (m *PredTextItalic) XXX_Size() int

func (*PredTextItalic) XXX_Unmarshal added in v0.4.1

func (m *PredTextItalic) XXX_Unmarshal(b []byte) error

type PredTextPlain

type PredTextPlain struct {
	Text                 string   `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTextPlain) Descriptor

func (*PredTextPlain) Descriptor() ([]byte, []int)

func (*PredTextPlain) GetText

func (m *PredTextPlain) GetText() string

func (*PredTextPlain) ProtoMessage

func (*PredTextPlain) ProtoMessage()

func (*PredTextPlain) Reset

func (m *PredTextPlain) Reset()

func (*PredTextPlain) String

func (m *PredTextPlain) String() string

func (*PredTextPlain) ToType

func (p *PredTextPlain) ToType() TL

func (*PredTextPlain) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextPlain) XXX_DiscardUnknown()

func (*PredTextPlain) XXX_Marshal added in v0.4.1

func (m *PredTextPlain) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextPlain) XXX_Merge added in v0.4.1

func (dst *PredTextPlain) XXX_Merge(src proto.Message)

func (*PredTextPlain) XXX_Size added in v0.4.1

func (m *PredTextPlain) XXX_Size() int

func (*PredTextPlain) XXX_Unmarshal added in v0.4.1

func (m *PredTextPlain) XXX_Unmarshal(b []byte) error

type PredTextStrike

type PredTextStrike struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextStrike) Descriptor

func (*PredTextStrike) Descriptor() ([]byte, []int)

func (*PredTextStrike) GetText

func (m *PredTextStrike) GetText() *TypeRichText

func (*PredTextStrike) ProtoMessage

func (*PredTextStrike) ProtoMessage()

func (*PredTextStrike) Reset

func (m *PredTextStrike) Reset()

func (*PredTextStrike) String

func (m *PredTextStrike) String() string

func (*PredTextStrike) ToType

func (p *PredTextStrike) ToType() TL

func (*PredTextStrike) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextStrike) XXX_DiscardUnknown()

func (*PredTextStrike) XXX_Marshal added in v0.4.1

func (m *PredTextStrike) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextStrike) XXX_Merge added in v0.4.1

func (dst *PredTextStrike) XXX_Merge(src proto.Message)

func (*PredTextStrike) XXX_Size added in v0.4.1

func (m *PredTextStrike) XXX_Size() int

func (*PredTextStrike) XXX_Unmarshal added in v0.4.1

func (m *PredTextStrike) XXX_Unmarshal(b []byte) error

type PredTextUnderline

type PredTextUnderline struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextUnderline) Descriptor

func (*PredTextUnderline) Descriptor() ([]byte, []int)

func (*PredTextUnderline) GetText

func (m *PredTextUnderline) GetText() *TypeRichText

func (*PredTextUnderline) ProtoMessage

func (*PredTextUnderline) ProtoMessage()

func (*PredTextUnderline) Reset

func (m *PredTextUnderline) Reset()

func (*PredTextUnderline) String

func (m *PredTextUnderline) String() string

func (*PredTextUnderline) ToType

func (p *PredTextUnderline) ToType() TL

func (*PredTextUnderline) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextUnderline) XXX_DiscardUnknown()

func (*PredTextUnderline) XXX_Marshal added in v0.4.1

func (m *PredTextUnderline) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextUnderline) XXX_Merge added in v0.4.1

func (dst *PredTextUnderline) XXX_Merge(src proto.Message)

func (*PredTextUnderline) XXX_Size added in v0.4.1

func (m *PredTextUnderline) XXX_Size() int

func (*PredTextUnderline) XXX_Unmarshal added in v0.4.1

func (m *PredTextUnderline) XXX_Unmarshal(b []byte) error

type PredTextUrl

type PredTextUrl struct {
	// default: RichText
	Text                 *TypeRichText `protobuf:"bytes,1,opt,name=Text" json:"Text,omitempty"`
	Url                  string        `protobuf:"bytes,2,opt,name=Url" json:"Url,omitempty"`
	WebpageId            int64         `protobuf:"varint,3,opt,name=WebpageId" json:"WebpageId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredTextUrl) Descriptor

func (*PredTextUrl) Descriptor() ([]byte, []int)

func (*PredTextUrl) GetText

func (m *PredTextUrl) GetText() *TypeRichText

func (*PredTextUrl) GetUrl

func (m *PredTextUrl) GetUrl() string

func (*PredTextUrl) GetWebpageId

func (m *PredTextUrl) GetWebpageId() int64

func (*PredTextUrl) ProtoMessage

func (*PredTextUrl) ProtoMessage()

func (*PredTextUrl) Reset

func (m *PredTextUrl) Reset()

func (*PredTextUrl) String

func (m *PredTextUrl) String() string

func (*PredTextUrl) ToType

func (p *PredTextUrl) ToType() TL

func (*PredTextUrl) XXX_DiscardUnknown added in v0.4.1

func (m *PredTextUrl) XXX_DiscardUnknown()

func (*PredTextUrl) XXX_Marshal added in v0.4.1

func (m *PredTextUrl) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTextUrl) XXX_Merge added in v0.4.1

func (dst *PredTextUrl) XXX_Merge(src proto.Message)

func (*PredTextUrl) XXX_Size added in v0.4.1

func (m *PredTextUrl) XXX_Size() int

func (*PredTextUrl) XXX_Unmarshal added in v0.4.1

func (m *PredTextUrl) XXX_Unmarshal(b []byte) error

type PredTopPeer

type PredTopPeer struct {
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Rating               float64   `protobuf:"fixed64,2,opt,name=Rating" json:"Rating,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredTopPeer) Descriptor

func (*PredTopPeer) Descriptor() ([]byte, []int)

func (*PredTopPeer) GetPeer

func (m *PredTopPeer) GetPeer() *TypePeer

func (*PredTopPeer) GetRating

func (m *PredTopPeer) GetRating() float64

func (*PredTopPeer) ProtoMessage

func (*PredTopPeer) ProtoMessage()

func (*PredTopPeer) Reset

func (m *PredTopPeer) Reset()

func (*PredTopPeer) String

func (m *PredTopPeer) String() string

func (*PredTopPeer) ToType

func (p *PredTopPeer) ToType() TL

func (*PredTopPeer) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeer) XXX_DiscardUnknown()

func (*PredTopPeer) XXX_Marshal added in v0.4.1

func (m *PredTopPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeer) XXX_Merge added in v0.4.1

func (dst *PredTopPeer) XXX_Merge(src proto.Message)

func (*PredTopPeer) XXX_Size added in v0.4.1

func (m *PredTopPeer) XXX_Size() int

func (*PredTopPeer) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeer) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryBotsInline

type PredTopPeerCategoryBotsInline struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryBotsInline) Descriptor

func (*PredTopPeerCategoryBotsInline) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryBotsInline) ProtoMessage

func (*PredTopPeerCategoryBotsInline) ProtoMessage()

func (*PredTopPeerCategoryBotsInline) Reset

func (m *PredTopPeerCategoryBotsInline) Reset()

func (*PredTopPeerCategoryBotsInline) String

func (*PredTopPeerCategoryBotsInline) ToType

func (p *PredTopPeerCategoryBotsInline) ToType() TL

func (*PredTopPeerCategoryBotsInline) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryBotsInline) XXX_DiscardUnknown()

func (*PredTopPeerCategoryBotsInline) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryBotsInline) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryBotsInline) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryBotsInline) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryBotsInline) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryBotsInline) XXX_Size() int

func (*PredTopPeerCategoryBotsInline) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryBotsInline) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryBotsPM

type PredTopPeerCategoryBotsPM struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryBotsPM) Descriptor

func (*PredTopPeerCategoryBotsPM) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryBotsPM) ProtoMessage

func (*PredTopPeerCategoryBotsPM) ProtoMessage()

func (*PredTopPeerCategoryBotsPM) Reset

func (m *PredTopPeerCategoryBotsPM) Reset()

func (*PredTopPeerCategoryBotsPM) String

func (m *PredTopPeerCategoryBotsPM) String() string

func (*PredTopPeerCategoryBotsPM) ToType

func (p *PredTopPeerCategoryBotsPM) ToType() TL

func (*PredTopPeerCategoryBotsPM) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryBotsPM) XXX_DiscardUnknown()

func (*PredTopPeerCategoryBotsPM) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryBotsPM) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryBotsPM) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryBotsPM) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryBotsPM) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryBotsPM) XXX_Size() int

func (*PredTopPeerCategoryBotsPM) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryBotsPM) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryChannels

type PredTopPeerCategoryChannels struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryChannels) Descriptor

func (*PredTopPeerCategoryChannels) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryChannels) ProtoMessage

func (*PredTopPeerCategoryChannels) ProtoMessage()

func (*PredTopPeerCategoryChannels) Reset

func (m *PredTopPeerCategoryChannels) Reset()

func (*PredTopPeerCategoryChannels) String

func (m *PredTopPeerCategoryChannels) String() string

func (*PredTopPeerCategoryChannels) ToType

func (p *PredTopPeerCategoryChannels) ToType() TL

func (*PredTopPeerCategoryChannels) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryChannels) XXX_DiscardUnknown()

func (*PredTopPeerCategoryChannels) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryChannels) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryChannels) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryChannels) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryChannels) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryChannels) XXX_Size() int

func (*PredTopPeerCategoryChannels) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryChannels) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryCorrespondents

type PredTopPeerCategoryCorrespondents struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryCorrespondents) Descriptor

func (*PredTopPeerCategoryCorrespondents) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryCorrespondents) ProtoMessage

func (*PredTopPeerCategoryCorrespondents) ProtoMessage()

func (*PredTopPeerCategoryCorrespondents) Reset

func (*PredTopPeerCategoryCorrespondents) String

func (*PredTopPeerCategoryCorrespondents) ToType

func (*PredTopPeerCategoryCorrespondents) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryCorrespondents) XXX_DiscardUnknown()

func (*PredTopPeerCategoryCorrespondents) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryCorrespondents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryCorrespondents) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryCorrespondents) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryCorrespondents) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryCorrespondents) XXX_Size() int

func (*PredTopPeerCategoryCorrespondents) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryCorrespondents) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryGroups

type PredTopPeerCategoryGroups struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryGroups) Descriptor

func (*PredTopPeerCategoryGroups) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryGroups) ProtoMessage

func (*PredTopPeerCategoryGroups) ProtoMessage()

func (*PredTopPeerCategoryGroups) Reset

func (m *PredTopPeerCategoryGroups) Reset()

func (*PredTopPeerCategoryGroups) String

func (m *PredTopPeerCategoryGroups) String() string

func (*PredTopPeerCategoryGroups) ToType

func (p *PredTopPeerCategoryGroups) ToType() TL

func (*PredTopPeerCategoryGroups) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryGroups) XXX_DiscardUnknown()

func (*PredTopPeerCategoryGroups) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryGroups) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryGroups) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryGroups) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryGroups) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryGroups) XXX_Size() int

func (*PredTopPeerCategoryGroups) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryGroups) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryPeers

type PredTopPeerCategoryPeers struct {
	// default: TopPeerCategory
	Category *TypeTopPeerCategory `protobuf:"bytes,1,opt,name=Category" json:"Category,omitempty"`
	Count    int32                `protobuf:"varint,2,opt,name=Count" json:"Count,omitempty"`
	// default: Vector<TopPeer>
	Peers                []*TypeTopPeer `protobuf:"bytes,3,rep,name=Peers" json:"Peers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredTopPeerCategoryPeers) Descriptor

func (*PredTopPeerCategoryPeers) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryPeers) GetCategory

func (*PredTopPeerCategoryPeers) GetCount

func (m *PredTopPeerCategoryPeers) GetCount() int32

func (*PredTopPeerCategoryPeers) GetPeers

func (m *PredTopPeerCategoryPeers) GetPeers() []*TypeTopPeer

func (*PredTopPeerCategoryPeers) ProtoMessage

func (*PredTopPeerCategoryPeers) ProtoMessage()

func (*PredTopPeerCategoryPeers) Reset

func (m *PredTopPeerCategoryPeers) Reset()

func (*PredTopPeerCategoryPeers) String

func (m *PredTopPeerCategoryPeers) String() string

func (*PredTopPeerCategoryPeers) ToType

func (p *PredTopPeerCategoryPeers) ToType() TL

func (*PredTopPeerCategoryPeers) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryPeers) XXX_DiscardUnknown()

func (*PredTopPeerCategoryPeers) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryPeers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryPeers) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryPeers) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryPeers) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryPeers) XXX_Size() int

func (*PredTopPeerCategoryPeers) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryPeers) XXX_Unmarshal(b []byte) error

type PredTopPeerCategoryPhoneCalls

type PredTopPeerCategoryPhoneCalls struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTopPeerCategoryPhoneCalls) Descriptor

func (*PredTopPeerCategoryPhoneCalls) Descriptor() ([]byte, []int)

func (*PredTopPeerCategoryPhoneCalls) ProtoMessage

func (*PredTopPeerCategoryPhoneCalls) ProtoMessage()

func (*PredTopPeerCategoryPhoneCalls) Reset

func (m *PredTopPeerCategoryPhoneCalls) Reset()

func (*PredTopPeerCategoryPhoneCalls) String

func (*PredTopPeerCategoryPhoneCalls) ToType

func (p *PredTopPeerCategoryPhoneCalls) ToType() TL

func (*PredTopPeerCategoryPhoneCalls) XXX_DiscardUnknown added in v0.4.1

func (m *PredTopPeerCategoryPhoneCalls) XXX_DiscardUnknown()

func (*PredTopPeerCategoryPhoneCalls) XXX_Marshal added in v0.4.1

func (m *PredTopPeerCategoryPhoneCalls) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTopPeerCategoryPhoneCalls) XXX_Merge added in v0.4.1

func (dst *PredTopPeerCategoryPhoneCalls) XXX_Merge(src proto.Message)

func (*PredTopPeerCategoryPhoneCalls) XXX_Size added in v0.4.1

func (m *PredTopPeerCategoryPhoneCalls) XXX_Size() int

func (*PredTopPeerCategoryPhoneCalls) XXX_Unmarshal added in v0.4.1

func (m *PredTopPeerCategoryPhoneCalls) XXX_Unmarshal(b []byte) error

type PredTrue

type PredTrue struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredTrue) Descriptor

func (*PredTrue) Descriptor() ([]byte, []int)

func (*PredTrue) ProtoMessage

func (*PredTrue) ProtoMessage()

func (*PredTrue) Reset

func (m *PredTrue) Reset()

func (*PredTrue) String

func (m *PredTrue) String() string

func (*PredTrue) ToType

func (p *PredTrue) ToType() TL

func (*PredTrue) XXX_DiscardUnknown added in v0.4.1

func (m *PredTrue) XXX_DiscardUnknown()

func (*PredTrue) XXX_Marshal added in v0.4.1

func (m *PredTrue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredTrue) XXX_Merge added in v0.4.1

func (dst *PredTrue) XXX_Merge(src proto.Message)

func (*PredTrue) XXX_Size added in v0.4.1

func (m *PredTrue) XXX_Size() int

func (*PredTrue) XXX_Unmarshal added in v0.4.1

func (m *PredTrue) XXX_Unmarshal(b []byte) error

type PredUpdateBotCallbackQuery

type PredUpdateBotCallbackQuery struct {
	Flags   int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	QueryId int64 `protobuf:"varint,2,opt,name=QueryId" json:"QueryId,omitempty"`
	UserId  int32 `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,4,opt,name=Peer" json:"Peer,omitempty"`
	MsgId                int32     `protobuf:"varint,5,opt,name=MsgId" json:"MsgId,omitempty"`
	ChatInstance         int64     `protobuf:"varint,6,opt,name=ChatInstance" json:"ChatInstance,omitempty"`
	Data                 []byte    `protobuf:"bytes,7,opt,name=Data,proto3" json:"Data,omitempty"`
	GameShortName        string    `protobuf:"bytes,8,opt,name=GameShortName" json:"GameShortName,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateBotCallbackQuery) Descriptor

func (*PredUpdateBotCallbackQuery) Descriptor() ([]byte, []int)

func (*PredUpdateBotCallbackQuery) GetChatInstance

func (m *PredUpdateBotCallbackQuery) GetChatInstance() int64

func (*PredUpdateBotCallbackQuery) GetData

func (m *PredUpdateBotCallbackQuery) GetData() []byte

func (*PredUpdateBotCallbackQuery) GetFlags

func (m *PredUpdateBotCallbackQuery) GetFlags() int32

func (*PredUpdateBotCallbackQuery) GetGameShortName

func (m *PredUpdateBotCallbackQuery) GetGameShortName() string

func (*PredUpdateBotCallbackQuery) GetMsgId

func (m *PredUpdateBotCallbackQuery) GetMsgId() int32

func (*PredUpdateBotCallbackQuery) GetPeer

func (m *PredUpdateBotCallbackQuery) GetPeer() *TypePeer

func (*PredUpdateBotCallbackQuery) GetQueryId

func (m *PredUpdateBotCallbackQuery) GetQueryId() int64

func (*PredUpdateBotCallbackQuery) GetUserId

func (m *PredUpdateBotCallbackQuery) GetUserId() int32

func (*PredUpdateBotCallbackQuery) ProtoMessage

func (*PredUpdateBotCallbackQuery) ProtoMessage()

func (*PredUpdateBotCallbackQuery) Reset

func (m *PredUpdateBotCallbackQuery) Reset()

func (*PredUpdateBotCallbackQuery) String

func (m *PredUpdateBotCallbackQuery) String() string

func (*PredUpdateBotCallbackQuery) ToType

func (p *PredUpdateBotCallbackQuery) ToType() TL

func (*PredUpdateBotCallbackQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotCallbackQuery) XXX_DiscardUnknown()

func (*PredUpdateBotCallbackQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotCallbackQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotCallbackQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotCallbackQuery) XXX_Merge(src proto.Message)

func (*PredUpdateBotCallbackQuery) XXX_Size added in v0.4.1

func (m *PredUpdateBotCallbackQuery) XXX_Size() int

func (*PredUpdateBotCallbackQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotCallbackQuery) XXX_Unmarshal(b []byte) error

type PredUpdateBotInlineQuery

type PredUpdateBotInlineQuery struct {
	Flags   int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	QueryId int64  `protobuf:"varint,2,opt,name=QueryId" json:"QueryId,omitempty"`
	UserId  int32  `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	Query   string `protobuf:"bytes,4,opt,name=Query" json:"Query,omitempty"`
	// default: GeoPoint
	Geo                  *TypeGeoPoint `protobuf:"bytes,5,opt,name=Geo" json:"Geo,omitempty"`
	Offset               string        `protobuf:"bytes,6,opt,name=Offset" json:"Offset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredUpdateBotInlineQuery) Descriptor

func (*PredUpdateBotInlineQuery) Descriptor() ([]byte, []int)

func (*PredUpdateBotInlineQuery) GetFlags

func (m *PredUpdateBotInlineQuery) GetFlags() int32

func (*PredUpdateBotInlineQuery) GetGeo

func (*PredUpdateBotInlineQuery) GetOffset

func (m *PredUpdateBotInlineQuery) GetOffset() string

func (*PredUpdateBotInlineQuery) GetQuery

func (m *PredUpdateBotInlineQuery) GetQuery() string

func (*PredUpdateBotInlineQuery) GetQueryId

func (m *PredUpdateBotInlineQuery) GetQueryId() int64

func (*PredUpdateBotInlineQuery) GetUserId

func (m *PredUpdateBotInlineQuery) GetUserId() int32

func (*PredUpdateBotInlineQuery) ProtoMessage

func (*PredUpdateBotInlineQuery) ProtoMessage()

func (*PredUpdateBotInlineQuery) Reset

func (m *PredUpdateBotInlineQuery) Reset()

func (*PredUpdateBotInlineQuery) String

func (m *PredUpdateBotInlineQuery) String() string

func (*PredUpdateBotInlineQuery) ToType

func (p *PredUpdateBotInlineQuery) ToType() TL

func (*PredUpdateBotInlineQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotInlineQuery) XXX_DiscardUnknown()

func (*PredUpdateBotInlineQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotInlineQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotInlineQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotInlineQuery) XXX_Merge(src proto.Message)

func (*PredUpdateBotInlineQuery) XXX_Size added in v0.4.1

func (m *PredUpdateBotInlineQuery) XXX_Size() int

func (*PredUpdateBotInlineQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotInlineQuery) XXX_Unmarshal(b []byte) error

type PredUpdateBotInlineSend

type PredUpdateBotInlineSend struct {
	Flags  int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	UserId int32  `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	Query  string `protobuf:"bytes,3,opt,name=Query" json:"Query,omitempty"`
	// default: GeoPoint
	Geo *TypeGeoPoint `protobuf:"bytes,4,opt,name=Geo" json:"Geo,omitempty"`
	Id  string        `protobuf:"bytes,5,opt,name=Id" json:"Id,omitempty"`
	// default: InputBotInlineMessageID
	MsgId                *TypeInputBotInlineMessageID `protobuf:"bytes,6,opt,name=MsgId" json:"MsgId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*PredUpdateBotInlineSend) Descriptor

func (*PredUpdateBotInlineSend) Descriptor() ([]byte, []int)

func (*PredUpdateBotInlineSend) GetFlags

func (m *PredUpdateBotInlineSend) GetFlags() int32

func (*PredUpdateBotInlineSend) GetGeo

func (*PredUpdateBotInlineSend) GetId

func (m *PredUpdateBotInlineSend) GetId() string

func (*PredUpdateBotInlineSend) GetMsgId

func (*PredUpdateBotInlineSend) GetQuery

func (m *PredUpdateBotInlineSend) GetQuery() string

func (*PredUpdateBotInlineSend) GetUserId

func (m *PredUpdateBotInlineSend) GetUserId() int32

func (*PredUpdateBotInlineSend) ProtoMessage

func (*PredUpdateBotInlineSend) ProtoMessage()

func (*PredUpdateBotInlineSend) Reset

func (m *PredUpdateBotInlineSend) Reset()

func (*PredUpdateBotInlineSend) String

func (m *PredUpdateBotInlineSend) String() string

func (*PredUpdateBotInlineSend) ToType

func (p *PredUpdateBotInlineSend) ToType() TL

func (*PredUpdateBotInlineSend) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotInlineSend) XXX_DiscardUnknown()

func (*PredUpdateBotInlineSend) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotInlineSend) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotInlineSend) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotInlineSend) XXX_Merge(src proto.Message)

func (*PredUpdateBotInlineSend) XXX_Size added in v0.4.1

func (m *PredUpdateBotInlineSend) XXX_Size() int

func (*PredUpdateBotInlineSend) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotInlineSend) XXX_Unmarshal(b []byte) error

type PredUpdateBotPrecheckoutQuery

type PredUpdateBotPrecheckoutQuery struct {
	Flags   int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	QueryId int64  `protobuf:"varint,2,opt,name=QueryId" json:"QueryId,omitempty"`
	UserId  int32  `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	Payload []byte `protobuf:"bytes,4,opt,name=Payload,proto3" json:"Payload,omitempty"`
	// default: PaymentRequestedInfo
	Info                 *TypePaymentRequestedInfo `protobuf:"bytes,5,opt,name=Info" json:"Info,omitempty"`
	ShippingOptionId     string                    `protobuf:"bytes,6,opt,name=ShippingOptionId" json:"ShippingOptionId,omitempty"`
	Currency             string                    `protobuf:"bytes,7,opt,name=Currency" json:"Currency,omitempty"`
	TotalAmount          int64                     `protobuf:"varint,8,opt,name=TotalAmount" json:"TotalAmount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*PredUpdateBotPrecheckoutQuery) Descriptor

func (*PredUpdateBotPrecheckoutQuery) Descriptor() ([]byte, []int)

func (*PredUpdateBotPrecheckoutQuery) GetCurrency

func (m *PredUpdateBotPrecheckoutQuery) GetCurrency() string

func (*PredUpdateBotPrecheckoutQuery) GetFlags

func (m *PredUpdateBotPrecheckoutQuery) GetFlags() int32

func (*PredUpdateBotPrecheckoutQuery) GetInfo

func (*PredUpdateBotPrecheckoutQuery) GetPayload

func (m *PredUpdateBotPrecheckoutQuery) GetPayload() []byte

func (*PredUpdateBotPrecheckoutQuery) GetQueryId

func (m *PredUpdateBotPrecheckoutQuery) GetQueryId() int64

func (*PredUpdateBotPrecheckoutQuery) GetShippingOptionId

func (m *PredUpdateBotPrecheckoutQuery) GetShippingOptionId() string

func (*PredUpdateBotPrecheckoutQuery) GetTotalAmount

func (m *PredUpdateBotPrecheckoutQuery) GetTotalAmount() int64

func (*PredUpdateBotPrecheckoutQuery) GetUserId

func (m *PredUpdateBotPrecheckoutQuery) GetUserId() int32

func (*PredUpdateBotPrecheckoutQuery) ProtoMessage

func (*PredUpdateBotPrecheckoutQuery) ProtoMessage()

func (*PredUpdateBotPrecheckoutQuery) Reset

func (m *PredUpdateBotPrecheckoutQuery) Reset()

func (*PredUpdateBotPrecheckoutQuery) String

func (*PredUpdateBotPrecheckoutQuery) ToType

func (p *PredUpdateBotPrecheckoutQuery) ToType() TL

func (*PredUpdateBotPrecheckoutQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotPrecheckoutQuery) XXX_DiscardUnknown()

func (*PredUpdateBotPrecheckoutQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotPrecheckoutQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotPrecheckoutQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotPrecheckoutQuery) XXX_Merge(src proto.Message)

func (*PredUpdateBotPrecheckoutQuery) XXX_Size added in v0.4.1

func (m *PredUpdateBotPrecheckoutQuery) XXX_Size() int

func (*PredUpdateBotPrecheckoutQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotPrecheckoutQuery) XXX_Unmarshal(b []byte) error

type PredUpdateBotShippingQuery

type PredUpdateBotShippingQuery struct {
	QueryId int64  `protobuf:"varint,1,opt,name=QueryId" json:"QueryId,omitempty"`
	UserId  int32  `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	Payload []byte `protobuf:"bytes,3,opt,name=Payload,proto3" json:"Payload,omitempty"`
	// default: PostAddress
	ShippingAddress      *TypePostAddress `protobuf:"bytes,4,opt,name=ShippingAddress" json:"ShippingAddress,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredUpdateBotShippingQuery) Descriptor

func (*PredUpdateBotShippingQuery) Descriptor() ([]byte, []int)

func (*PredUpdateBotShippingQuery) GetPayload

func (m *PredUpdateBotShippingQuery) GetPayload() []byte

func (*PredUpdateBotShippingQuery) GetQueryId

func (m *PredUpdateBotShippingQuery) GetQueryId() int64

func (*PredUpdateBotShippingQuery) GetShippingAddress

func (m *PredUpdateBotShippingQuery) GetShippingAddress() *TypePostAddress

func (*PredUpdateBotShippingQuery) GetUserId

func (m *PredUpdateBotShippingQuery) GetUserId() int32

func (*PredUpdateBotShippingQuery) ProtoMessage

func (*PredUpdateBotShippingQuery) ProtoMessage()

func (*PredUpdateBotShippingQuery) Reset

func (m *PredUpdateBotShippingQuery) Reset()

func (*PredUpdateBotShippingQuery) String

func (m *PredUpdateBotShippingQuery) String() string

func (*PredUpdateBotShippingQuery) ToType

func (p *PredUpdateBotShippingQuery) ToType() TL

func (*PredUpdateBotShippingQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotShippingQuery) XXX_DiscardUnknown()

func (*PredUpdateBotShippingQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotShippingQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotShippingQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotShippingQuery) XXX_Merge(src proto.Message)

func (*PredUpdateBotShippingQuery) XXX_Size added in v0.4.1

func (m *PredUpdateBotShippingQuery) XXX_Size() int

func (*PredUpdateBotShippingQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotShippingQuery) XXX_Unmarshal(b []byte) error

type PredUpdateBotWebhookJSON

type PredUpdateBotWebhookJSON struct {
	// default: DataJSON
	Data                 *TypeDataJSON `protobuf:"bytes,1,opt,name=Data" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredUpdateBotWebhookJSON) Descriptor

func (*PredUpdateBotWebhookJSON) Descriptor() ([]byte, []int)

func (*PredUpdateBotWebhookJSON) GetData

func (m *PredUpdateBotWebhookJSON) GetData() *TypeDataJSON

func (*PredUpdateBotWebhookJSON) ProtoMessage

func (*PredUpdateBotWebhookJSON) ProtoMessage()

func (*PredUpdateBotWebhookJSON) Reset

func (m *PredUpdateBotWebhookJSON) Reset()

func (*PredUpdateBotWebhookJSON) String

func (m *PredUpdateBotWebhookJSON) String() string

func (*PredUpdateBotWebhookJSON) ToType

func (p *PredUpdateBotWebhookJSON) ToType() TL

func (*PredUpdateBotWebhookJSON) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotWebhookJSON) XXX_DiscardUnknown()

func (*PredUpdateBotWebhookJSON) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotWebhookJSON) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotWebhookJSON) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotWebhookJSON) XXX_Merge(src proto.Message)

func (*PredUpdateBotWebhookJSON) XXX_Size added in v0.4.1

func (m *PredUpdateBotWebhookJSON) XXX_Size() int

func (*PredUpdateBotWebhookJSON) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotWebhookJSON) XXX_Unmarshal(b []byte) error

type PredUpdateBotWebhookJSONQuery

type PredUpdateBotWebhookJSONQuery struct {
	QueryId int64 `protobuf:"varint,1,opt,name=QueryId" json:"QueryId,omitempty"`
	// default: DataJSON
	Data                 *TypeDataJSON `protobuf:"bytes,2,opt,name=Data" json:"Data,omitempty"`
	Timeout              int32         `protobuf:"varint,3,opt,name=Timeout" json:"Timeout,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*PredUpdateBotWebhookJSONQuery) Descriptor

func (*PredUpdateBotWebhookJSONQuery) Descriptor() ([]byte, []int)

func (*PredUpdateBotWebhookJSONQuery) GetData

func (*PredUpdateBotWebhookJSONQuery) GetQueryId

func (m *PredUpdateBotWebhookJSONQuery) GetQueryId() int64

func (*PredUpdateBotWebhookJSONQuery) GetTimeout

func (m *PredUpdateBotWebhookJSONQuery) GetTimeout() int32

func (*PredUpdateBotWebhookJSONQuery) ProtoMessage

func (*PredUpdateBotWebhookJSONQuery) ProtoMessage()

func (*PredUpdateBotWebhookJSONQuery) Reset

func (m *PredUpdateBotWebhookJSONQuery) Reset()

func (*PredUpdateBotWebhookJSONQuery) String

func (*PredUpdateBotWebhookJSONQuery) ToType

func (p *PredUpdateBotWebhookJSONQuery) ToType() TL

func (*PredUpdateBotWebhookJSONQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateBotWebhookJSONQuery) XXX_DiscardUnknown()

func (*PredUpdateBotWebhookJSONQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateBotWebhookJSONQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateBotWebhookJSONQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateBotWebhookJSONQuery) XXX_Merge(src proto.Message)

func (*PredUpdateBotWebhookJSONQuery) XXX_Size added in v0.4.1

func (m *PredUpdateBotWebhookJSONQuery) XXX_Size() int

func (*PredUpdateBotWebhookJSONQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateBotWebhookJSONQuery) XXX_Unmarshal(b []byte) error

type PredUpdateChannel

type PredUpdateChannel struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChannel) Descriptor

func (*PredUpdateChannel) Descriptor() ([]byte, []int)

func (*PredUpdateChannel) GetChannelId

func (m *PredUpdateChannel) GetChannelId() int32

func (*PredUpdateChannel) ProtoMessage

func (*PredUpdateChannel) ProtoMessage()

func (*PredUpdateChannel) Reset

func (m *PredUpdateChannel) Reset()

func (*PredUpdateChannel) String

func (m *PredUpdateChannel) String() string

func (*PredUpdateChannel) ToType

func (p *PredUpdateChannel) ToType() TL

func (*PredUpdateChannel) UpdateDate

func (u *PredUpdateChannel) UpdateDate() int32

func (*PredUpdateChannel) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannel) XXX_DiscardUnknown()

func (*PredUpdateChannel) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannel) XXX_Merge added in v0.4.1

func (dst *PredUpdateChannel) XXX_Merge(src proto.Message)

func (*PredUpdateChannel) XXX_Size added in v0.4.1

func (m *PredUpdateChannel) XXX_Size() int

func (*PredUpdateChannel) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannel) XXX_Unmarshal(b []byte) error

type PredUpdateChannelMessageViews

type PredUpdateChannelMessageViews struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	Id                   int32    `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	Views                int32    `protobuf:"varint,3,opt,name=Views" json:"Views,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChannelMessageViews) Descriptor

func (*PredUpdateChannelMessageViews) Descriptor() ([]byte, []int)

func (*PredUpdateChannelMessageViews) GetChannelId

func (m *PredUpdateChannelMessageViews) GetChannelId() int32

func (*PredUpdateChannelMessageViews) GetId

func (*PredUpdateChannelMessageViews) GetViews

func (m *PredUpdateChannelMessageViews) GetViews() int32

func (*PredUpdateChannelMessageViews) ProtoMessage

func (*PredUpdateChannelMessageViews) ProtoMessage()

func (*PredUpdateChannelMessageViews) Reset

func (m *PredUpdateChannelMessageViews) Reset()

func (*PredUpdateChannelMessageViews) String

func (*PredUpdateChannelMessageViews) ToType

func (p *PredUpdateChannelMessageViews) ToType() TL

func (*PredUpdateChannelMessageViews) UpdateDate

func (u *PredUpdateChannelMessageViews) UpdateDate() int32

func (*PredUpdateChannelMessageViews) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannelMessageViews) XXX_DiscardUnknown()

func (*PredUpdateChannelMessageViews) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannelMessageViews) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannelMessageViews) XXX_Merge added in v0.4.1

func (dst *PredUpdateChannelMessageViews) XXX_Merge(src proto.Message)

func (*PredUpdateChannelMessageViews) XXX_Size added in v0.4.1

func (m *PredUpdateChannelMessageViews) XXX_Size() int

func (*PredUpdateChannelMessageViews) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannelMessageViews) XXX_Unmarshal(b []byte) error

type PredUpdateChannelPinnedMessage

type PredUpdateChannelPinnedMessage struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	Id                   int32    `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChannelPinnedMessage) Descriptor

func (*PredUpdateChannelPinnedMessage) Descriptor() ([]byte, []int)

func (*PredUpdateChannelPinnedMessage) GetChannelId

func (m *PredUpdateChannelPinnedMessage) GetChannelId() int32

func (*PredUpdateChannelPinnedMessage) GetId

func (*PredUpdateChannelPinnedMessage) ProtoMessage

func (*PredUpdateChannelPinnedMessage) ProtoMessage()

func (*PredUpdateChannelPinnedMessage) Reset

func (m *PredUpdateChannelPinnedMessage) Reset()

func (*PredUpdateChannelPinnedMessage) String

func (*PredUpdateChannelPinnedMessage) ToType

func (p *PredUpdateChannelPinnedMessage) ToType() TL

func (*PredUpdateChannelPinnedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannelPinnedMessage) XXX_DiscardUnknown()

func (*PredUpdateChannelPinnedMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannelPinnedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannelPinnedMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateChannelPinnedMessage) XXX_Merge(src proto.Message)

func (*PredUpdateChannelPinnedMessage) XXX_Size added in v0.4.1

func (m *PredUpdateChannelPinnedMessage) XXX_Size() int

func (*PredUpdateChannelPinnedMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannelPinnedMessage) XXX_Unmarshal(b []byte) error

type PredUpdateChannelReadMessagesContents

type PredUpdateChannelReadMessagesContents struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	Messages             []int32  `protobuf:"varint,2,rep,packed,name=Messages" json:"Messages,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChannelReadMessagesContents) Descriptor

func (*PredUpdateChannelReadMessagesContents) Descriptor() ([]byte, []int)

func (*PredUpdateChannelReadMessagesContents) GetChannelId

func (m *PredUpdateChannelReadMessagesContents) GetChannelId() int32

func (*PredUpdateChannelReadMessagesContents) GetMessages

func (m *PredUpdateChannelReadMessagesContents) GetMessages() []int32

func (*PredUpdateChannelReadMessagesContents) ProtoMessage

func (*PredUpdateChannelReadMessagesContents) ProtoMessage()

func (*PredUpdateChannelReadMessagesContents) Reset

func (*PredUpdateChannelReadMessagesContents) String

func (*PredUpdateChannelReadMessagesContents) ToType

func (*PredUpdateChannelReadMessagesContents) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannelReadMessagesContents) XXX_DiscardUnknown()

func (*PredUpdateChannelReadMessagesContents) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannelReadMessagesContents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannelReadMessagesContents) XXX_Merge added in v0.4.1

func (*PredUpdateChannelReadMessagesContents) XXX_Size added in v0.4.1

func (*PredUpdateChannelReadMessagesContents) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannelReadMessagesContents) XXX_Unmarshal(b []byte) error

type PredUpdateChannelTooLong

type PredUpdateChannelTooLong struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	ChannelId            int32    `protobuf:"varint,2,opt,name=ChannelId" json:"ChannelId,omitempty"`
	Pts                  int32    `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChannelTooLong) Descriptor

func (*PredUpdateChannelTooLong) Descriptor() ([]byte, []int)

func (*PredUpdateChannelTooLong) GetChannelId

func (m *PredUpdateChannelTooLong) GetChannelId() int32

func (*PredUpdateChannelTooLong) GetFlags

func (m *PredUpdateChannelTooLong) GetFlags() int32

func (*PredUpdateChannelTooLong) GetPts

func (m *PredUpdateChannelTooLong) GetPts() int32

func (*PredUpdateChannelTooLong) ProtoMessage

func (*PredUpdateChannelTooLong) ProtoMessage()

func (*PredUpdateChannelTooLong) Reset

func (m *PredUpdateChannelTooLong) Reset()

func (*PredUpdateChannelTooLong) String

func (m *PredUpdateChannelTooLong) String() string

func (*PredUpdateChannelTooLong) ToType

func (p *PredUpdateChannelTooLong) ToType() TL

func (*PredUpdateChannelTooLong) UpdateDate

func (u *PredUpdateChannelTooLong) UpdateDate() int32

func (*PredUpdateChannelTooLong) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannelTooLong) XXX_DiscardUnknown()

func (*PredUpdateChannelTooLong) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannelTooLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannelTooLong) XXX_Merge added in v0.4.1

func (dst *PredUpdateChannelTooLong) XXX_Merge(src proto.Message)

func (*PredUpdateChannelTooLong) XXX_Size added in v0.4.1

func (m *PredUpdateChannelTooLong) XXX_Size() int

func (*PredUpdateChannelTooLong) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannelTooLong) XXX_Unmarshal(b []byte) error

type PredUpdateChannelWebPage

type PredUpdateChannelWebPage struct {
	ChannelId int32 `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	// default: WebPage
	Webpage              *TypeWebPage `protobuf:"bytes,2,opt,name=Webpage" json:"Webpage,omitempty"`
	Pts                  int32        `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,4,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateChannelWebPage) Descriptor

func (*PredUpdateChannelWebPage) Descriptor() ([]byte, []int)

func (*PredUpdateChannelWebPage) GetChannelId

func (m *PredUpdateChannelWebPage) GetChannelId() int32

func (*PredUpdateChannelWebPage) GetPts

func (m *PredUpdateChannelWebPage) GetPts() int32

func (*PredUpdateChannelWebPage) GetPtsCount

func (m *PredUpdateChannelWebPage) GetPtsCount() int32

func (*PredUpdateChannelWebPage) GetWebpage

func (m *PredUpdateChannelWebPage) GetWebpage() *TypeWebPage

func (*PredUpdateChannelWebPage) ProtoMessage

func (*PredUpdateChannelWebPage) ProtoMessage()

func (*PredUpdateChannelWebPage) Reset

func (m *PredUpdateChannelWebPage) Reset()

func (*PredUpdateChannelWebPage) String

func (m *PredUpdateChannelWebPage) String() string

func (*PredUpdateChannelWebPage) ToType

func (p *PredUpdateChannelWebPage) ToType() TL

func (*PredUpdateChannelWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChannelWebPage) XXX_DiscardUnknown()

func (*PredUpdateChannelWebPage) XXX_Marshal added in v0.4.1

func (m *PredUpdateChannelWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChannelWebPage) XXX_Merge added in v0.4.1

func (dst *PredUpdateChannelWebPage) XXX_Merge(src proto.Message)

func (*PredUpdateChannelWebPage) XXX_Size added in v0.4.1

func (m *PredUpdateChannelWebPage) XXX_Size() int

func (*PredUpdateChannelWebPage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChannelWebPage) XXX_Unmarshal(b []byte) error

type PredUpdateChatAdmins

type PredUpdateChatAdmins struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: Bool
	Enabled              *TypeBool `protobuf:"bytes,2,opt,name=Enabled" json:"Enabled,omitempty"`
	Version              int32     `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateChatAdmins) Descriptor

func (*PredUpdateChatAdmins) Descriptor() ([]byte, []int)

func (*PredUpdateChatAdmins) GetChatId

func (m *PredUpdateChatAdmins) GetChatId() int32

func (*PredUpdateChatAdmins) GetEnabled

func (m *PredUpdateChatAdmins) GetEnabled() *TypeBool

func (*PredUpdateChatAdmins) GetVersion

func (m *PredUpdateChatAdmins) GetVersion() int32

func (*PredUpdateChatAdmins) ProtoMessage

func (*PredUpdateChatAdmins) ProtoMessage()

func (*PredUpdateChatAdmins) Reset

func (m *PredUpdateChatAdmins) Reset()

func (*PredUpdateChatAdmins) String

func (m *PredUpdateChatAdmins) String() string

func (*PredUpdateChatAdmins) ToType

func (p *PredUpdateChatAdmins) ToType() TL

func (*PredUpdateChatAdmins) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatAdmins) XXX_DiscardUnknown()

func (*PredUpdateChatAdmins) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatAdmins) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatAdmins) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatAdmins) XXX_Merge(src proto.Message)

func (*PredUpdateChatAdmins) XXX_Size added in v0.4.1

func (m *PredUpdateChatAdmins) XXX_Size() int

func (*PredUpdateChatAdmins) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatAdmins) XXX_Unmarshal(b []byte) error

type PredUpdateChatParticipantAdd

type PredUpdateChatParticipantAdd struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	UserId               int32    `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	InviterId            int32    `protobuf:"varint,3,opt,name=InviterId" json:"InviterId,omitempty"`
	Date                 int32    `protobuf:"varint,4,opt,name=Date" json:"Date,omitempty"`
	Version              int32    `protobuf:"varint,5,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChatParticipantAdd) Descriptor

func (*PredUpdateChatParticipantAdd) Descriptor() ([]byte, []int)

func (*PredUpdateChatParticipantAdd) GetChatId

func (m *PredUpdateChatParticipantAdd) GetChatId() int32

func (*PredUpdateChatParticipantAdd) GetDate

func (m *PredUpdateChatParticipantAdd) GetDate() int32

func (*PredUpdateChatParticipantAdd) GetInviterId

func (m *PredUpdateChatParticipantAdd) GetInviterId() int32

func (*PredUpdateChatParticipantAdd) GetUserId

func (m *PredUpdateChatParticipantAdd) GetUserId() int32

func (*PredUpdateChatParticipantAdd) GetVersion

func (m *PredUpdateChatParticipantAdd) GetVersion() int32

func (*PredUpdateChatParticipantAdd) ProtoMessage

func (*PredUpdateChatParticipantAdd) ProtoMessage()

func (*PredUpdateChatParticipantAdd) Reset

func (m *PredUpdateChatParticipantAdd) Reset()

func (*PredUpdateChatParticipantAdd) String

func (*PredUpdateChatParticipantAdd) ToType

func (p *PredUpdateChatParticipantAdd) ToType() TL

func (*PredUpdateChatParticipantAdd) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatParticipantAdd) XXX_DiscardUnknown()

func (*PredUpdateChatParticipantAdd) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatParticipantAdd) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatParticipantAdd) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatParticipantAdd) XXX_Merge(src proto.Message)

func (*PredUpdateChatParticipantAdd) XXX_Size added in v0.4.1

func (m *PredUpdateChatParticipantAdd) XXX_Size() int

func (*PredUpdateChatParticipantAdd) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatParticipantAdd) XXX_Unmarshal(b []byte) error

type PredUpdateChatParticipantAdmin

type PredUpdateChatParticipantAdmin struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	UserId int32 `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	// default: Bool
	IsAdmin              *TypeBool `protobuf:"bytes,3,opt,name=IsAdmin" json:"IsAdmin,omitempty"`
	Version              int32     `protobuf:"varint,4,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateChatParticipantAdmin) Descriptor

func (*PredUpdateChatParticipantAdmin) Descriptor() ([]byte, []int)

func (*PredUpdateChatParticipantAdmin) GetChatId

func (m *PredUpdateChatParticipantAdmin) GetChatId() int32

func (*PredUpdateChatParticipantAdmin) GetIsAdmin

func (m *PredUpdateChatParticipantAdmin) GetIsAdmin() *TypeBool

func (*PredUpdateChatParticipantAdmin) GetUserId

func (m *PredUpdateChatParticipantAdmin) GetUserId() int32

func (*PredUpdateChatParticipantAdmin) GetVersion

func (m *PredUpdateChatParticipantAdmin) GetVersion() int32

func (*PredUpdateChatParticipantAdmin) ProtoMessage

func (*PredUpdateChatParticipantAdmin) ProtoMessage()

func (*PredUpdateChatParticipantAdmin) Reset

func (m *PredUpdateChatParticipantAdmin) Reset()

func (*PredUpdateChatParticipantAdmin) String

func (*PredUpdateChatParticipantAdmin) ToType

func (p *PredUpdateChatParticipantAdmin) ToType() TL

func (*PredUpdateChatParticipantAdmin) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatParticipantAdmin) XXX_DiscardUnknown()

func (*PredUpdateChatParticipantAdmin) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatParticipantAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatParticipantAdmin) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatParticipantAdmin) XXX_Merge(src proto.Message)

func (*PredUpdateChatParticipantAdmin) XXX_Size added in v0.4.1

func (m *PredUpdateChatParticipantAdmin) XXX_Size() int

func (*PredUpdateChatParticipantAdmin) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatParticipantAdmin) XXX_Unmarshal(b []byte) error

type PredUpdateChatParticipantDelete

type PredUpdateChatParticipantDelete struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	UserId               int32    `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	Version              int32    `protobuf:"varint,3,opt,name=Version" json:"Version,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateChatParticipantDelete) Descriptor

func (*PredUpdateChatParticipantDelete) Descriptor() ([]byte, []int)

func (*PredUpdateChatParticipantDelete) GetChatId

func (m *PredUpdateChatParticipantDelete) GetChatId() int32

func (*PredUpdateChatParticipantDelete) GetUserId

func (m *PredUpdateChatParticipantDelete) GetUserId() int32

func (*PredUpdateChatParticipantDelete) GetVersion

func (m *PredUpdateChatParticipantDelete) GetVersion() int32

func (*PredUpdateChatParticipantDelete) ProtoMessage

func (*PredUpdateChatParticipantDelete) ProtoMessage()

func (*PredUpdateChatParticipantDelete) Reset

func (*PredUpdateChatParticipantDelete) String

func (*PredUpdateChatParticipantDelete) ToType

func (p *PredUpdateChatParticipantDelete) ToType() TL

func (*PredUpdateChatParticipantDelete) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatParticipantDelete) XXX_DiscardUnknown()

func (*PredUpdateChatParticipantDelete) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatParticipantDelete) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatParticipantDelete) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatParticipantDelete) XXX_Merge(src proto.Message)

func (*PredUpdateChatParticipantDelete) XXX_Size added in v0.4.1

func (m *PredUpdateChatParticipantDelete) XXX_Size() int

func (*PredUpdateChatParticipantDelete) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatParticipantDelete) XXX_Unmarshal(b []byte) error

type PredUpdateChatParticipants

type PredUpdateChatParticipants struct {
	// default: ChatParticipants
	Participants         *TypeChatParticipants `protobuf:"bytes,1,opt,name=Participants" json:"Participants,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredUpdateChatParticipants) Descriptor

func (*PredUpdateChatParticipants) Descriptor() ([]byte, []int)

func (*PredUpdateChatParticipants) GetParticipants

func (m *PredUpdateChatParticipants) GetParticipants() *TypeChatParticipants

func (*PredUpdateChatParticipants) ProtoMessage

func (*PredUpdateChatParticipants) ProtoMessage()

func (*PredUpdateChatParticipants) Reset

func (m *PredUpdateChatParticipants) Reset()

func (*PredUpdateChatParticipants) String

func (m *PredUpdateChatParticipants) String() string

func (*PredUpdateChatParticipants) ToType

func (p *PredUpdateChatParticipants) ToType() TL

func (*PredUpdateChatParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatParticipants) XXX_DiscardUnknown()

func (*PredUpdateChatParticipants) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatParticipants) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatParticipants) XXX_Merge(src proto.Message)

func (*PredUpdateChatParticipants) XXX_Size added in v0.4.1

func (m *PredUpdateChatParticipants) XXX_Size() int

func (*PredUpdateChatParticipants) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatParticipants) XXX_Unmarshal(b []byte) error

type PredUpdateChatUserTyping

type PredUpdateChatUserTyping struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	UserId int32 `protobuf:"varint,2,opt,name=UserId" json:"UserId,omitempty"`
	// default: SendMessageAction
	Action               *TypeSendMessageAction `protobuf:"bytes,3,opt,name=Action" json:"Action,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredUpdateChatUserTyping) Descriptor

func (*PredUpdateChatUserTyping) Descriptor() ([]byte, []int)

func (*PredUpdateChatUserTyping) GetAction

func (*PredUpdateChatUserTyping) GetChatId

func (m *PredUpdateChatUserTyping) GetChatId() int32

func (*PredUpdateChatUserTyping) GetUserId

func (m *PredUpdateChatUserTyping) GetUserId() int32

func (*PredUpdateChatUserTyping) ProtoMessage

func (*PredUpdateChatUserTyping) ProtoMessage()

func (*PredUpdateChatUserTyping) Reset

func (m *PredUpdateChatUserTyping) Reset()

func (*PredUpdateChatUserTyping) String

func (m *PredUpdateChatUserTyping) String() string

func (*PredUpdateChatUserTyping) ToType

func (p *PredUpdateChatUserTyping) ToType() TL

func (*PredUpdateChatUserTyping) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateChatUserTyping) XXX_DiscardUnknown()

func (*PredUpdateChatUserTyping) XXX_Marshal added in v0.4.1

func (m *PredUpdateChatUserTyping) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateChatUserTyping) XXX_Merge added in v0.4.1

func (dst *PredUpdateChatUserTyping) XXX_Merge(src proto.Message)

func (*PredUpdateChatUserTyping) XXX_Size added in v0.4.1

func (m *PredUpdateChatUserTyping) XXX_Size() int

func (*PredUpdateChatUserTyping) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateChatUserTyping) XXX_Unmarshal(b []byte) error

type PredUpdateConfig

type PredUpdateConfig struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateConfig) Descriptor

func (*PredUpdateConfig) Descriptor() ([]byte, []int)

func (*PredUpdateConfig) ProtoMessage

func (*PredUpdateConfig) ProtoMessage()

func (*PredUpdateConfig) Reset

func (m *PredUpdateConfig) Reset()

func (*PredUpdateConfig) String

func (m *PredUpdateConfig) String() string

func (*PredUpdateConfig) ToType

func (p *PredUpdateConfig) ToType() TL

func (*PredUpdateConfig) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateConfig) XXX_DiscardUnknown()

func (*PredUpdateConfig) XXX_Marshal added in v0.4.1

func (m *PredUpdateConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateConfig) XXX_Merge added in v0.4.1

func (dst *PredUpdateConfig) XXX_Merge(src proto.Message)

func (*PredUpdateConfig) XXX_Size added in v0.4.1

func (m *PredUpdateConfig) XXX_Size() int

func (*PredUpdateConfig) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateConfig) XXX_Unmarshal(b []byte) error
type PredUpdateContactLink struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: ContactLink
	MyLink *TypeContactLink `protobuf:"bytes,2,opt,name=MyLink" json:"MyLink,omitempty"`
	// default: ContactLink
	ForeignLink          *TypeContactLink `protobuf:"bytes,3,opt,name=ForeignLink" json:"ForeignLink,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredUpdateContactLink) Descriptor

func (*PredUpdateContactLink) Descriptor() ([]byte, []int)
func (m *PredUpdateContactLink) GetForeignLink() *TypeContactLink
func (m *PredUpdateContactLink) GetMyLink() *TypeContactLink

func (*PredUpdateContactLink) GetUserId

func (m *PredUpdateContactLink) GetUserId() int32

func (*PredUpdateContactLink) ProtoMessage

func (*PredUpdateContactLink) ProtoMessage()

func (*PredUpdateContactLink) Reset

func (m *PredUpdateContactLink) Reset()

func (*PredUpdateContactLink) String

func (m *PredUpdateContactLink) String() string

func (*PredUpdateContactLink) ToType

func (p *PredUpdateContactLink) ToType() TL

func (*PredUpdateContactLink) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateContactLink) XXX_DiscardUnknown()

func (*PredUpdateContactLink) XXX_Marshal added in v0.4.1

func (m *PredUpdateContactLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateContactLink) XXX_Merge added in v0.4.1

func (dst *PredUpdateContactLink) XXX_Merge(src proto.Message)

func (*PredUpdateContactLink) XXX_Size added in v0.4.1

func (m *PredUpdateContactLink) XXX_Size() int

func (*PredUpdateContactLink) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateContactLink) XXX_Unmarshal(b []byte) error

type PredUpdateContactRegistered

type PredUpdateContactRegistered struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Date                 int32    `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateContactRegistered) Descriptor

func (*PredUpdateContactRegistered) Descriptor() ([]byte, []int)

func (*PredUpdateContactRegistered) GetDate

func (m *PredUpdateContactRegistered) GetDate() int32

func (*PredUpdateContactRegistered) GetUserId

func (m *PredUpdateContactRegistered) GetUserId() int32

func (*PredUpdateContactRegistered) ProtoMessage

func (*PredUpdateContactRegistered) ProtoMessage()

func (*PredUpdateContactRegistered) Reset

func (m *PredUpdateContactRegistered) Reset()

func (*PredUpdateContactRegistered) String

func (m *PredUpdateContactRegistered) String() string

func (*PredUpdateContactRegistered) ToType

func (p *PredUpdateContactRegistered) ToType() TL

func (*PredUpdateContactRegistered) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateContactRegistered) XXX_DiscardUnknown()

func (*PredUpdateContactRegistered) XXX_Marshal added in v0.4.1

func (m *PredUpdateContactRegistered) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateContactRegistered) XXX_Merge added in v0.4.1

func (dst *PredUpdateContactRegistered) XXX_Merge(src proto.Message)

func (*PredUpdateContactRegistered) XXX_Size added in v0.4.1

func (m *PredUpdateContactRegistered) XXX_Size() int

func (*PredUpdateContactRegistered) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateContactRegistered) XXX_Unmarshal(b []byte) error

type PredUpdateContactsReset

type PredUpdateContactsReset struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateContactsReset) Descriptor

func (*PredUpdateContactsReset) Descriptor() ([]byte, []int)

func (*PredUpdateContactsReset) ProtoMessage

func (*PredUpdateContactsReset) ProtoMessage()

func (*PredUpdateContactsReset) Reset

func (m *PredUpdateContactsReset) Reset()

func (*PredUpdateContactsReset) String

func (m *PredUpdateContactsReset) String() string

func (*PredUpdateContactsReset) ToType

func (p *PredUpdateContactsReset) ToType() TL

func (*PredUpdateContactsReset) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateContactsReset) XXX_DiscardUnknown()

func (*PredUpdateContactsReset) XXX_Marshal added in v0.4.1

func (m *PredUpdateContactsReset) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateContactsReset) XXX_Merge added in v0.4.1

func (dst *PredUpdateContactsReset) XXX_Merge(src proto.Message)

func (*PredUpdateContactsReset) XXX_Size added in v0.4.1

func (m *PredUpdateContactsReset) XXX_Size() int

func (*PredUpdateContactsReset) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateContactsReset) XXX_Unmarshal(b []byte) error

type PredUpdateDcOptions

type PredUpdateDcOptions struct {
	// default: Vector<DcOption>
	DcOptions            []*TypeDcOption `protobuf:"bytes,1,rep,name=DcOptions" json:"DcOptions,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredUpdateDcOptions) Descriptor

func (*PredUpdateDcOptions) Descriptor() ([]byte, []int)

func (*PredUpdateDcOptions) GetDcOptions

func (m *PredUpdateDcOptions) GetDcOptions() []*TypeDcOption

func (*PredUpdateDcOptions) ProtoMessage

func (*PredUpdateDcOptions) ProtoMessage()

func (*PredUpdateDcOptions) Reset

func (m *PredUpdateDcOptions) Reset()

func (*PredUpdateDcOptions) String

func (m *PredUpdateDcOptions) String() string

func (*PredUpdateDcOptions) ToType

func (p *PredUpdateDcOptions) ToType() TL

func (*PredUpdateDcOptions) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateDcOptions) XXX_DiscardUnknown()

func (*PredUpdateDcOptions) XXX_Marshal added in v0.4.1

func (m *PredUpdateDcOptions) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateDcOptions) XXX_Merge added in v0.4.1

func (dst *PredUpdateDcOptions) XXX_Merge(src proto.Message)

func (*PredUpdateDcOptions) XXX_Size added in v0.4.1

func (m *PredUpdateDcOptions) XXX_Size() int

func (*PredUpdateDcOptions) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateDcOptions) XXX_Unmarshal(b []byte) error

type PredUpdateDeleteChannelMessages

type PredUpdateDeleteChannelMessages struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	Messages             []int32  `protobuf:"varint,2,rep,packed,name=Messages" json:"Messages,omitempty"`
	Pts                  int32    `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32    `protobuf:"varint,4,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateDeleteChannelMessages) Descriptor

func (*PredUpdateDeleteChannelMessages) Descriptor() ([]byte, []int)

func (*PredUpdateDeleteChannelMessages) GetChannelId

func (m *PredUpdateDeleteChannelMessages) GetChannelId() int32

func (*PredUpdateDeleteChannelMessages) GetMessages

func (m *PredUpdateDeleteChannelMessages) GetMessages() []int32

func (*PredUpdateDeleteChannelMessages) GetPts

func (*PredUpdateDeleteChannelMessages) GetPtsCount

func (m *PredUpdateDeleteChannelMessages) GetPtsCount() int32

func (*PredUpdateDeleteChannelMessages) ProtoMessage

func (*PredUpdateDeleteChannelMessages) ProtoMessage()

func (*PredUpdateDeleteChannelMessages) Reset

func (*PredUpdateDeleteChannelMessages) String

func (*PredUpdateDeleteChannelMessages) ToType

func (p *PredUpdateDeleteChannelMessages) ToType() TL

func (*PredUpdateDeleteChannelMessages) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateDeleteChannelMessages) XXX_DiscardUnknown()

func (*PredUpdateDeleteChannelMessages) XXX_Marshal added in v0.4.1

func (m *PredUpdateDeleteChannelMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateDeleteChannelMessages) XXX_Merge added in v0.4.1

func (dst *PredUpdateDeleteChannelMessages) XXX_Merge(src proto.Message)

func (*PredUpdateDeleteChannelMessages) XXX_Size added in v0.4.1

func (m *PredUpdateDeleteChannelMessages) XXX_Size() int

func (*PredUpdateDeleteChannelMessages) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateDeleteChannelMessages) XXX_Unmarshal(b []byte) error

type PredUpdateDeleteMessages

type PredUpdateDeleteMessages struct {
	Messages             []int32  `protobuf:"varint,1,rep,packed,name=Messages" json:"Messages,omitempty"`
	Pts                  int32    `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32    `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateDeleteMessages) Descriptor

func (*PredUpdateDeleteMessages) Descriptor() ([]byte, []int)

func (*PredUpdateDeleteMessages) GetMessages

func (m *PredUpdateDeleteMessages) GetMessages() []int32

func (*PredUpdateDeleteMessages) GetPts

func (m *PredUpdateDeleteMessages) GetPts() int32

func (*PredUpdateDeleteMessages) GetPtsCount

func (m *PredUpdateDeleteMessages) GetPtsCount() int32

func (*PredUpdateDeleteMessages) ProtoMessage

func (*PredUpdateDeleteMessages) ProtoMessage()

func (*PredUpdateDeleteMessages) Reset

func (m *PredUpdateDeleteMessages) Reset()

func (*PredUpdateDeleteMessages) String

func (m *PredUpdateDeleteMessages) String() string

func (*PredUpdateDeleteMessages) ToType

func (p *PredUpdateDeleteMessages) ToType() TL

func (*PredUpdateDeleteMessages) UpdateDate

func (u *PredUpdateDeleteMessages) UpdateDate() int32

func (*PredUpdateDeleteMessages) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateDeleteMessages) XXX_DiscardUnknown()

func (*PredUpdateDeleteMessages) XXX_Marshal added in v0.4.1

func (m *PredUpdateDeleteMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateDeleteMessages) XXX_Merge added in v0.4.1

func (dst *PredUpdateDeleteMessages) XXX_Merge(src proto.Message)

func (*PredUpdateDeleteMessages) XXX_Size added in v0.4.1

func (m *PredUpdateDeleteMessages) XXX_Size() int

func (*PredUpdateDeleteMessages) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateDeleteMessages) XXX_Unmarshal(b []byte) error

type PredUpdateDialogPinned

type PredUpdateDialogPinned struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Pinned	bool // flags.0?true
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateDialogPinned) Descriptor

func (*PredUpdateDialogPinned) Descriptor() ([]byte, []int)

func (*PredUpdateDialogPinned) GetFlags

func (m *PredUpdateDialogPinned) GetFlags() int32

func (*PredUpdateDialogPinned) GetPeer

func (m *PredUpdateDialogPinned) GetPeer() *TypePeer

func (*PredUpdateDialogPinned) ProtoMessage

func (*PredUpdateDialogPinned) ProtoMessage()

func (*PredUpdateDialogPinned) Reset

func (m *PredUpdateDialogPinned) Reset()

func (*PredUpdateDialogPinned) String

func (m *PredUpdateDialogPinned) String() string

func (*PredUpdateDialogPinned) ToType

func (p *PredUpdateDialogPinned) ToType() TL

func (*PredUpdateDialogPinned) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateDialogPinned) XXX_DiscardUnknown()

func (*PredUpdateDialogPinned) XXX_Marshal added in v0.4.1

func (m *PredUpdateDialogPinned) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateDialogPinned) XXX_Merge added in v0.4.1

func (dst *PredUpdateDialogPinned) XXX_Merge(src proto.Message)

func (*PredUpdateDialogPinned) XXX_Size added in v0.4.1

func (m *PredUpdateDialogPinned) XXX_Size() int

func (*PredUpdateDialogPinned) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateDialogPinned) XXX_Unmarshal(b []byte) error

type PredUpdateDraftMessage

type PredUpdateDraftMessage struct {
	// default: Peer
	Peer *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: DraftMessage
	Draft                *TypeDraftMessage `protobuf:"bytes,2,opt,name=Draft" json:"Draft,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredUpdateDraftMessage) Descriptor

func (*PredUpdateDraftMessage) Descriptor() ([]byte, []int)

func (*PredUpdateDraftMessage) GetDraft

func (*PredUpdateDraftMessage) GetPeer

func (m *PredUpdateDraftMessage) GetPeer() *TypePeer

func (*PredUpdateDraftMessage) ProtoMessage

func (*PredUpdateDraftMessage) ProtoMessage()

func (*PredUpdateDraftMessage) Reset

func (m *PredUpdateDraftMessage) Reset()

func (*PredUpdateDraftMessage) String

func (m *PredUpdateDraftMessage) String() string

func (*PredUpdateDraftMessage) ToType

func (p *PredUpdateDraftMessage) ToType() TL

func (*PredUpdateDraftMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateDraftMessage) XXX_DiscardUnknown()

func (*PredUpdateDraftMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateDraftMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateDraftMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateDraftMessage) XXX_Merge(src proto.Message)

func (*PredUpdateDraftMessage) XXX_Size added in v0.4.1

func (m *PredUpdateDraftMessage) XXX_Size() int

func (*PredUpdateDraftMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateDraftMessage) XXX_Unmarshal(b []byte) error

type PredUpdateEditChannelMessage

type PredUpdateEditChannelMessage struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	Pts                  int32        `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateEditChannelMessage) Descriptor

func (*PredUpdateEditChannelMessage) Descriptor() ([]byte, []int)

func (*PredUpdateEditChannelMessage) GetMessage

func (m *PredUpdateEditChannelMessage) GetMessage() *TypeMessage

func (*PredUpdateEditChannelMessage) GetPts

func (m *PredUpdateEditChannelMessage) GetPts() int32

func (*PredUpdateEditChannelMessage) GetPtsCount

func (m *PredUpdateEditChannelMessage) GetPtsCount() int32

func (*PredUpdateEditChannelMessage) ProtoMessage

func (*PredUpdateEditChannelMessage) ProtoMessage()

func (*PredUpdateEditChannelMessage) Reset

func (m *PredUpdateEditChannelMessage) Reset()

func (*PredUpdateEditChannelMessage) String

func (*PredUpdateEditChannelMessage) ToType

func (p *PredUpdateEditChannelMessage) ToType() TL

func (*PredUpdateEditChannelMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateEditChannelMessage) XXX_DiscardUnknown()

func (*PredUpdateEditChannelMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateEditChannelMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateEditChannelMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateEditChannelMessage) XXX_Merge(src proto.Message)

func (*PredUpdateEditChannelMessage) XXX_Size added in v0.4.1

func (m *PredUpdateEditChannelMessage) XXX_Size() int

func (*PredUpdateEditChannelMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateEditChannelMessage) XXX_Unmarshal(b []byte) error

type PredUpdateEditMessage

type PredUpdateEditMessage struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	Pts                  int32        `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateEditMessage) Descriptor

func (*PredUpdateEditMessage) Descriptor() ([]byte, []int)

func (*PredUpdateEditMessage) GetMessage

func (m *PredUpdateEditMessage) GetMessage() *TypeMessage

func (*PredUpdateEditMessage) GetPts

func (m *PredUpdateEditMessage) GetPts() int32

func (*PredUpdateEditMessage) GetPtsCount

func (m *PredUpdateEditMessage) GetPtsCount() int32

func (*PredUpdateEditMessage) ProtoMessage

func (*PredUpdateEditMessage) ProtoMessage()

func (*PredUpdateEditMessage) Reset

func (m *PredUpdateEditMessage) Reset()

func (*PredUpdateEditMessage) String

func (m *PredUpdateEditMessage) String() string

func (*PredUpdateEditMessage) ToType

func (p *PredUpdateEditMessage) ToType() TL

func (*PredUpdateEditMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateEditMessage) XXX_DiscardUnknown()

func (*PredUpdateEditMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateEditMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateEditMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateEditMessage) XXX_Merge(src proto.Message)

func (*PredUpdateEditMessage) XXX_Size added in v0.4.1

func (m *PredUpdateEditMessage) XXX_Size() int

func (*PredUpdateEditMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateEditMessage) XXX_Unmarshal(b []byte) error

type PredUpdateEncryptedChatTyping

type PredUpdateEncryptedChatTyping struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateEncryptedChatTyping) Descriptor

func (*PredUpdateEncryptedChatTyping) Descriptor() ([]byte, []int)

func (*PredUpdateEncryptedChatTyping) GetChatId

func (m *PredUpdateEncryptedChatTyping) GetChatId() int32

func (*PredUpdateEncryptedChatTyping) ProtoMessage

func (*PredUpdateEncryptedChatTyping) ProtoMessage()

func (*PredUpdateEncryptedChatTyping) Reset

func (m *PredUpdateEncryptedChatTyping) Reset()

func (*PredUpdateEncryptedChatTyping) String

func (*PredUpdateEncryptedChatTyping) ToType

func (p *PredUpdateEncryptedChatTyping) ToType() TL

func (*PredUpdateEncryptedChatTyping) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateEncryptedChatTyping) XXX_DiscardUnknown()

func (*PredUpdateEncryptedChatTyping) XXX_Marshal added in v0.4.1

func (m *PredUpdateEncryptedChatTyping) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateEncryptedChatTyping) XXX_Merge added in v0.4.1

func (dst *PredUpdateEncryptedChatTyping) XXX_Merge(src proto.Message)

func (*PredUpdateEncryptedChatTyping) XXX_Size added in v0.4.1

func (m *PredUpdateEncryptedChatTyping) XXX_Size() int

func (*PredUpdateEncryptedChatTyping) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateEncryptedChatTyping) XXX_Unmarshal(b []byte) error

type PredUpdateEncryptedMessagesRead

type PredUpdateEncryptedMessagesRead struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	MaxDate              int32    `protobuf:"varint,2,opt,name=MaxDate" json:"MaxDate,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateEncryptedMessagesRead) Descriptor

func (*PredUpdateEncryptedMessagesRead) Descriptor() ([]byte, []int)

func (*PredUpdateEncryptedMessagesRead) GetChatId

func (m *PredUpdateEncryptedMessagesRead) GetChatId() int32

func (*PredUpdateEncryptedMessagesRead) GetDate

func (*PredUpdateEncryptedMessagesRead) GetMaxDate

func (m *PredUpdateEncryptedMessagesRead) GetMaxDate() int32

func (*PredUpdateEncryptedMessagesRead) ProtoMessage

func (*PredUpdateEncryptedMessagesRead) ProtoMessage()

func (*PredUpdateEncryptedMessagesRead) Reset

func (*PredUpdateEncryptedMessagesRead) String

func (*PredUpdateEncryptedMessagesRead) ToType

func (p *PredUpdateEncryptedMessagesRead) ToType() TL

func (*PredUpdateEncryptedMessagesRead) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateEncryptedMessagesRead) XXX_DiscardUnknown()

func (*PredUpdateEncryptedMessagesRead) XXX_Marshal added in v0.4.1

func (m *PredUpdateEncryptedMessagesRead) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateEncryptedMessagesRead) XXX_Merge added in v0.4.1

func (dst *PredUpdateEncryptedMessagesRead) XXX_Merge(src proto.Message)

func (*PredUpdateEncryptedMessagesRead) XXX_Size added in v0.4.1

func (m *PredUpdateEncryptedMessagesRead) XXX_Size() int

func (*PredUpdateEncryptedMessagesRead) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateEncryptedMessagesRead) XXX_Unmarshal(b []byte) error

type PredUpdateEncryption

type PredUpdateEncryption struct {
	// default: EncryptedChat
	Chat                 *TypeEncryptedChat `protobuf:"bytes,1,opt,name=Chat" json:"Chat,omitempty"`
	Date                 int32              `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredUpdateEncryption) Descriptor

func (*PredUpdateEncryption) Descriptor() ([]byte, []int)

func (*PredUpdateEncryption) GetChat

func (*PredUpdateEncryption) GetDate

func (m *PredUpdateEncryption) GetDate() int32

func (*PredUpdateEncryption) ProtoMessage

func (*PredUpdateEncryption) ProtoMessage()

func (*PredUpdateEncryption) Reset

func (m *PredUpdateEncryption) Reset()

func (*PredUpdateEncryption) String

func (m *PredUpdateEncryption) String() string

func (*PredUpdateEncryption) ToType

func (p *PredUpdateEncryption) ToType() TL

func (*PredUpdateEncryption) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateEncryption) XXX_DiscardUnknown()

func (*PredUpdateEncryption) XXX_Marshal added in v0.4.1

func (m *PredUpdateEncryption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateEncryption) XXX_Merge added in v0.4.1

func (dst *PredUpdateEncryption) XXX_Merge(src proto.Message)

func (*PredUpdateEncryption) XXX_Size added in v0.4.1

func (m *PredUpdateEncryption) XXX_Size() int

func (*PredUpdateEncryption) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateEncryption) XXX_Unmarshal(b []byte) error

type PredUpdateFavedStickers

type PredUpdateFavedStickers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateFavedStickers) Descriptor

func (*PredUpdateFavedStickers) Descriptor() ([]byte, []int)

func (*PredUpdateFavedStickers) ProtoMessage

func (*PredUpdateFavedStickers) ProtoMessage()

func (*PredUpdateFavedStickers) Reset

func (m *PredUpdateFavedStickers) Reset()

func (*PredUpdateFavedStickers) String

func (m *PredUpdateFavedStickers) String() string

func (*PredUpdateFavedStickers) ToType

func (p *PredUpdateFavedStickers) ToType() TL

func (*PredUpdateFavedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateFavedStickers) XXX_DiscardUnknown()

func (*PredUpdateFavedStickers) XXX_Marshal added in v0.4.1

func (m *PredUpdateFavedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateFavedStickers) XXX_Merge added in v0.4.1

func (dst *PredUpdateFavedStickers) XXX_Merge(src proto.Message)

func (*PredUpdateFavedStickers) XXX_Size added in v0.4.1

func (m *PredUpdateFavedStickers) XXX_Size() int

func (*PredUpdateFavedStickers) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateFavedStickers) XXX_Unmarshal(b []byte) error

type PredUpdateInlineBotCallbackQuery

type PredUpdateInlineBotCallbackQuery struct {
	Flags   int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	QueryId int64 `protobuf:"varint,2,opt,name=QueryId" json:"QueryId,omitempty"`
	UserId  int32 `protobuf:"varint,3,opt,name=UserId" json:"UserId,omitempty"`
	// default: InputBotInlineMessageID
	MsgId                *TypeInputBotInlineMessageID `protobuf:"bytes,4,opt,name=MsgId" json:"MsgId,omitempty"`
	ChatInstance         int64                        `protobuf:"varint,5,opt,name=ChatInstance" json:"ChatInstance,omitempty"`
	Data                 []byte                       `protobuf:"bytes,6,opt,name=Data,proto3" json:"Data,omitempty"`
	GameShortName        string                       `protobuf:"bytes,7,opt,name=GameShortName" json:"GameShortName,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*PredUpdateInlineBotCallbackQuery) Descriptor

func (*PredUpdateInlineBotCallbackQuery) Descriptor() ([]byte, []int)

func (*PredUpdateInlineBotCallbackQuery) GetChatInstance

func (m *PredUpdateInlineBotCallbackQuery) GetChatInstance() int64

func (*PredUpdateInlineBotCallbackQuery) GetData

func (m *PredUpdateInlineBotCallbackQuery) GetData() []byte

func (*PredUpdateInlineBotCallbackQuery) GetFlags

func (*PredUpdateInlineBotCallbackQuery) GetGameShortName

func (m *PredUpdateInlineBotCallbackQuery) GetGameShortName() string

func (*PredUpdateInlineBotCallbackQuery) GetMsgId

func (*PredUpdateInlineBotCallbackQuery) GetQueryId

func (m *PredUpdateInlineBotCallbackQuery) GetQueryId() int64

func (*PredUpdateInlineBotCallbackQuery) GetUserId

func (m *PredUpdateInlineBotCallbackQuery) GetUserId() int32

func (*PredUpdateInlineBotCallbackQuery) ProtoMessage

func (*PredUpdateInlineBotCallbackQuery) ProtoMessage()

func (*PredUpdateInlineBotCallbackQuery) Reset

func (*PredUpdateInlineBotCallbackQuery) String

func (*PredUpdateInlineBotCallbackQuery) ToType

func (*PredUpdateInlineBotCallbackQuery) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateInlineBotCallbackQuery) XXX_DiscardUnknown()

func (*PredUpdateInlineBotCallbackQuery) XXX_Marshal added in v0.4.1

func (m *PredUpdateInlineBotCallbackQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateInlineBotCallbackQuery) XXX_Merge added in v0.4.1

func (dst *PredUpdateInlineBotCallbackQuery) XXX_Merge(src proto.Message)

func (*PredUpdateInlineBotCallbackQuery) XXX_Size added in v0.4.1

func (m *PredUpdateInlineBotCallbackQuery) XXX_Size() int

func (*PredUpdateInlineBotCallbackQuery) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateInlineBotCallbackQuery) XXX_Unmarshal(b []byte) error

type PredUpdateLangPack

type PredUpdateLangPack struct {
	// default: LangPackDifference
	Difference           *TypeLangPackDifference `protobuf:"bytes,1,opt,name=Difference" json:"Difference,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredUpdateLangPack) Descriptor

func (*PredUpdateLangPack) Descriptor() ([]byte, []int)

func (*PredUpdateLangPack) GetDifference

func (m *PredUpdateLangPack) GetDifference() *TypeLangPackDifference

func (*PredUpdateLangPack) ProtoMessage

func (*PredUpdateLangPack) ProtoMessage()

func (*PredUpdateLangPack) Reset

func (m *PredUpdateLangPack) Reset()

func (*PredUpdateLangPack) String

func (m *PredUpdateLangPack) String() string

func (*PredUpdateLangPack) ToType

func (p *PredUpdateLangPack) ToType() TL

func (*PredUpdateLangPack) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateLangPack) XXX_DiscardUnknown()

func (*PredUpdateLangPack) XXX_Marshal added in v0.4.1

func (m *PredUpdateLangPack) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateLangPack) XXX_Merge added in v0.4.1

func (dst *PredUpdateLangPack) XXX_Merge(src proto.Message)

func (*PredUpdateLangPack) XXX_Size added in v0.4.1

func (m *PredUpdateLangPack) XXX_Size() int

func (*PredUpdateLangPack) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateLangPack) XXX_Unmarshal(b []byte) error

type PredUpdateLangPackTooLong

type PredUpdateLangPackTooLong struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateLangPackTooLong) Descriptor

func (*PredUpdateLangPackTooLong) Descriptor() ([]byte, []int)

func (*PredUpdateLangPackTooLong) ProtoMessage

func (*PredUpdateLangPackTooLong) ProtoMessage()

func (*PredUpdateLangPackTooLong) Reset

func (m *PredUpdateLangPackTooLong) Reset()

func (*PredUpdateLangPackTooLong) String

func (m *PredUpdateLangPackTooLong) String() string

func (*PredUpdateLangPackTooLong) ToType

func (p *PredUpdateLangPackTooLong) ToType() TL

func (*PredUpdateLangPackTooLong) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateLangPackTooLong) XXX_DiscardUnknown()

func (*PredUpdateLangPackTooLong) XXX_Marshal added in v0.4.1

func (m *PredUpdateLangPackTooLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateLangPackTooLong) XXX_Merge added in v0.4.1

func (dst *PredUpdateLangPackTooLong) XXX_Merge(src proto.Message)

func (*PredUpdateLangPackTooLong) XXX_Size added in v0.4.1

func (m *PredUpdateLangPackTooLong) XXX_Size() int

func (*PredUpdateLangPackTooLong) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateLangPackTooLong) XXX_Unmarshal(b []byte) error

type PredUpdateMessageID

type PredUpdateMessageID struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	RandomId             int64    `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateMessageID) Descriptor

func (*PredUpdateMessageID) Descriptor() ([]byte, []int)

func (*PredUpdateMessageID) GetId

func (m *PredUpdateMessageID) GetId() int32

func (*PredUpdateMessageID) GetRandomId

func (m *PredUpdateMessageID) GetRandomId() int64

func (*PredUpdateMessageID) ProtoMessage

func (*PredUpdateMessageID) ProtoMessage()

func (*PredUpdateMessageID) Reset

func (m *PredUpdateMessageID) Reset()

func (*PredUpdateMessageID) String

func (m *PredUpdateMessageID) String() string

func (*PredUpdateMessageID) ToType

func (p *PredUpdateMessageID) ToType() TL

func (*PredUpdateMessageID) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateMessageID) XXX_DiscardUnknown()

func (*PredUpdateMessageID) XXX_Marshal added in v0.4.1

func (m *PredUpdateMessageID) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateMessageID) XXX_Merge added in v0.4.1

func (dst *PredUpdateMessageID) XXX_Merge(src proto.Message)

func (*PredUpdateMessageID) XXX_Size added in v0.4.1

func (m *PredUpdateMessageID) XXX_Size() int

func (*PredUpdateMessageID) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateMessageID) XXX_Unmarshal(b []byte) error

type PredUpdateNewChannelMessage

type PredUpdateNewChannelMessage struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	Pts                  int32        `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateNewChannelMessage) Descriptor

func (*PredUpdateNewChannelMessage) Descriptor() ([]byte, []int)

func (*PredUpdateNewChannelMessage) GetMessage

func (m *PredUpdateNewChannelMessage) GetMessage() *TypeMessage

func (*PredUpdateNewChannelMessage) GetPts

func (m *PredUpdateNewChannelMessage) GetPts() int32

func (*PredUpdateNewChannelMessage) GetPtsCount

func (m *PredUpdateNewChannelMessage) GetPtsCount() int32

func (*PredUpdateNewChannelMessage) ProtoMessage

func (*PredUpdateNewChannelMessage) ProtoMessage()

func (*PredUpdateNewChannelMessage) Reset

func (m *PredUpdateNewChannelMessage) Reset()

func (*PredUpdateNewChannelMessage) String

func (m *PredUpdateNewChannelMessage) String() string

func (*PredUpdateNewChannelMessage) ToType

func (p *PredUpdateNewChannelMessage) ToType() TL

func (*PredUpdateNewChannelMessage) UpdateDate

func (u *PredUpdateNewChannelMessage) UpdateDate() int32

func (*PredUpdateNewChannelMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateNewChannelMessage) XXX_DiscardUnknown()

func (*PredUpdateNewChannelMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateNewChannelMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateNewChannelMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateNewChannelMessage) XXX_Merge(src proto.Message)

func (*PredUpdateNewChannelMessage) XXX_Size added in v0.4.1

func (m *PredUpdateNewChannelMessage) XXX_Size() int

func (*PredUpdateNewChannelMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateNewChannelMessage) XXX_Unmarshal(b []byte) error

type PredUpdateNewEncryptedMessage

type PredUpdateNewEncryptedMessage struct {
	// default: EncryptedMessage
	Message              *TypeEncryptedMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	Qts                  int32                 `protobuf:"varint,2,opt,name=Qts" json:"Qts,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*PredUpdateNewEncryptedMessage) Descriptor

func (*PredUpdateNewEncryptedMessage) Descriptor() ([]byte, []int)

func (*PredUpdateNewEncryptedMessage) GetMessage

func (*PredUpdateNewEncryptedMessage) GetQts

func (*PredUpdateNewEncryptedMessage) ProtoMessage

func (*PredUpdateNewEncryptedMessage) ProtoMessage()

func (*PredUpdateNewEncryptedMessage) Reset

func (m *PredUpdateNewEncryptedMessage) Reset()

func (*PredUpdateNewEncryptedMessage) String

func (*PredUpdateNewEncryptedMessage) ToType

func (p *PredUpdateNewEncryptedMessage) ToType() TL

func (*PredUpdateNewEncryptedMessage) UpdateDate

func (u *PredUpdateNewEncryptedMessage) UpdateDate() int32

func (*PredUpdateNewEncryptedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateNewEncryptedMessage) XXX_DiscardUnknown()

func (*PredUpdateNewEncryptedMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateNewEncryptedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateNewEncryptedMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateNewEncryptedMessage) XXX_Merge(src proto.Message)

func (*PredUpdateNewEncryptedMessage) XXX_Size added in v0.4.1

func (m *PredUpdateNewEncryptedMessage) XXX_Size() int

func (*PredUpdateNewEncryptedMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateNewEncryptedMessage) XXX_Unmarshal(b []byte) error

type PredUpdateNewMessage

type PredUpdateNewMessage struct {
	// default: Message
	Message              *TypeMessage `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	Pts                  int32        `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateNewMessage) Descriptor

func (*PredUpdateNewMessage) Descriptor() ([]byte, []int)

func (*PredUpdateNewMessage) GetMessage

func (m *PredUpdateNewMessage) GetMessage() *TypeMessage

func (*PredUpdateNewMessage) GetPts

func (m *PredUpdateNewMessage) GetPts() int32

func (*PredUpdateNewMessage) GetPtsCount

func (m *PredUpdateNewMessage) GetPtsCount() int32

func (*PredUpdateNewMessage) ProtoMessage

func (*PredUpdateNewMessage) ProtoMessage()

func (*PredUpdateNewMessage) Reset

func (m *PredUpdateNewMessage) Reset()

func (*PredUpdateNewMessage) String

func (m *PredUpdateNewMessage) String() string

func (*PredUpdateNewMessage) ToType

func (p *PredUpdateNewMessage) ToType() TL

func (*PredUpdateNewMessage) UpdateDate

func (u *PredUpdateNewMessage) UpdateDate() int32

func (u US_updates_difference) UpdateDate() int32 { return 0 }

func (*PredUpdateNewMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateNewMessage) XXX_DiscardUnknown()

func (*PredUpdateNewMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateNewMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateNewMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateNewMessage) XXX_Merge(src proto.Message)

func (*PredUpdateNewMessage) XXX_Size added in v0.4.1

func (m *PredUpdateNewMessage) XXX_Size() int

func (*PredUpdateNewMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateNewMessage) XXX_Unmarshal(b []byte) error

type PredUpdateNewStickerSet

type PredUpdateNewStickerSet struct {
	// default: messagesStickerSet
	Stickerset           *TypeMessagesStickerSet `protobuf:"bytes,1,opt,name=Stickerset" json:"Stickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredUpdateNewStickerSet) Descriptor

func (*PredUpdateNewStickerSet) Descriptor() ([]byte, []int)

func (*PredUpdateNewStickerSet) GetStickerset

func (m *PredUpdateNewStickerSet) GetStickerset() *TypeMessagesStickerSet

func (*PredUpdateNewStickerSet) ProtoMessage

func (*PredUpdateNewStickerSet) ProtoMessage()

func (*PredUpdateNewStickerSet) Reset

func (m *PredUpdateNewStickerSet) Reset()

func (*PredUpdateNewStickerSet) String

func (m *PredUpdateNewStickerSet) String() string

func (*PredUpdateNewStickerSet) ToType

func (p *PredUpdateNewStickerSet) ToType() TL

func (*PredUpdateNewStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateNewStickerSet) XXX_DiscardUnknown()

func (*PredUpdateNewStickerSet) XXX_Marshal added in v0.4.1

func (m *PredUpdateNewStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateNewStickerSet) XXX_Merge added in v0.4.1

func (dst *PredUpdateNewStickerSet) XXX_Merge(src proto.Message)

func (*PredUpdateNewStickerSet) XXX_Size added in v0.4.1

func (m *PredUpdateNewStickerSet) XXX_Size() int

func (*PredUpdateNewStickerSet) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateNewStickerSet) XXX_Unmarshal(b []byte) error

type PredUpdateNotifySettings

type PredUpdateNotifySettings struct {
	// default: NotifyPeer
	Peer *TypeNotifyPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: PeerNotifySettings
	NotifySettings       *TypePeerNotifySettings `protobuf:"bytes,2,opt,name=NotifySettings" json:"NotifySettings,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*PredUpdateNotifySettings) Descriptor

func (*PredUpdateNotifySettings) Descriptor() ([]byte, []int)

func (*PredUpdateNotifySettings) GetNotifySettings

func (m *PredUpdateNotifySettings) GetNotifySettings() *TypePeerNotifySettings

func (*PredUpdateNotifySettings) GetPeer

func (*PredUpdateNotifySettings) ProtoMessage

func (*PredUpdateNotifySettings) ProtoMessage()

func (*PredUpdateNotifySettings) Reset

func (m *PredUpdateNotifySettings) Reset()

func (*PredUpdateNotifySettings) String

func (m *PredUpdateNotifySettings) String() string

func (*PredUpdateNotifySettings) ToType

func (p *PredUpdateNotifySettings) ToType() TL

func (*PredUpdateNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateNotifySettings) XXX_DiscardUnknown()

func (*PredUpdateNotifySettings) XXX_Marshal added in v0.4.1

func (m *PredUpdateNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateNotifySettings) XXX_Merge added in v0.4.1

func (dst *PredUpdateNotifySettings) XXX_Merge(src proto.Message)

func (*PredUpdateNotifySettings) XXX_Size added in v0.4.1

func (m *PredUpdateNotifySettings) XXX_Size() int

func (*PredUpdateNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateNotifySettings) XXX_Unmarshal(b []byte) error

type PredUpdatePhoneCall

type PredUpdatePhoneCall struct {
	// default: PhoneCall
	PhoneCall            *TypePhoneCall `protobuf:"bytes,1,opt,name=PhoneCall" json:"PhoneCall,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*PredUpdatePhoneCall) Descriptor

func (*PredUpdatePhoneCall) Descriptor() ([]byte, []int)

func (*PredUpdatePhoneCall) GetPhoneCall

func (m *PredUpdatePhoneCall) GetPhoneCall() *TypePhoneCall

func (*PredUpdatePhoneCall) ProtoMessage

func (*PredUpdatePhoneCall) ProtoMessage()

func (*PredUpdatePhoneCall) Reset

func (m *PredUpdatePhoneCall) Reset()

func (*PredUpdatePhoneCall) String

func (m *PredUpdatePhoneCall) String() string

func (*PredUpdatePhoneCall) ToType

func (p *PredUpdatePhoneCall) ToType() TL

func (*PredUpdatePhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatePhoneCall) XXX_DiscardUnknown()

func (*PredUpdatePhoneCall) XXX_Marshal added in v0.4.1

func (m *PredUpdatePhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatePhoneCall) XXX_Merge added in v0.4.1

func (dst *PredUpdatePhoneCall) XXX_Merge(src proto.Message)

func (*PredUpdatePhoneCall) XXX_Size added in v0.4.1

func (m *PredUpdatePhoneCall) XXX_Size() int

func (*PredUpdatePhoneCall) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatePhoneCall) XXX_Unmarshal(b []byte) error

type PredUpdatePinnedDialogs

type PredUpdatePinnedDialogs struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: Vector<Peer>
	Order                []*TypePeer `protobuf:"bytes,2,rep,name=Order" json:"Order,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdatePinnedDialogs) Descriptor

func (*PredUpdatePinnedDialogs) Descriptor() ([]byte, []int)

func (*PredUpdatePinnedDialogs) GetFlags

func (m *PredUpdatePinnedDialogs) GetFlags() int32

func (*PredUpdatePinnedDialogs) GetOrder

func (m *PredUpdatePinnedDialogs) GetOrder() []*TypePeer

func (*PredUpdatePinnedDialogs) ProtoMessage

func (*PredUpdatePinnedDialogs) ProtoMessage()

func (*PredUpdatePinnedDialogs) Reset

func (m *PredUpdatePinnedDialogs) Reset()

func (*PredUpdatePinnedDialogs) String

func (m *PredUpdatePinnedDialogs) String() string

func (*PredUpdatePinnedDialogs) ToType

func (p *PredUpdatePinnedDialogs) ToType() TL

func (*PredUpdatePinnedDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatePinnedDialogs) XXX_DiscardUnknown()

func (*PredUpdatePinnedDialogs) XXX_Marshal added in v0.4.1

func (m *PredUpdatePinnedDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatePinnedDialogs) XXX_Merge added in v0.4.1

func (dst *PredUpdatePinnedDialogs) XXX_Merge(src proto.Message)

func (*PredUpdatePinnedDialogs) XXX_Size added in v0.4.1

func (m *PredUpdatePinnedDialogs) XXX_Size() int

func (*PredUpdatePinnedDialogs) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatePinnedDialogs) XXX_Unmarshal(b []byte) error

type PredUpdatePrivacy

type PredUpdatePrivacy struct {
	// default: PrivacyKey
	Key *TypePrivacyKey `protobuf:"bytes,1,opt,name=Key" json:"Key,omitempty"`
	// default: Vector<PrivacyRule>
	Rules                []*TypePrivacyRule `protobuf:"bytes,2,rep,name=Rules" json:"Rules,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredUpdatePrivacy) Descriptor

func (*PredUpdatePrivacy) Descriptor() ([]byte, []int)

func (*PredUpdatePrivacy) GetKey

func (m *PredUpdatePrivacy) GetKey() *TypePrivacyKey

func (*PredUpdatePrivacy) GetRules

func (m *PredUpdatePrivacy) GetRules() []*TypePrivacyRule

func (*PredUpdatePrivacy) ProtoMessage

func (*PredUpdatePrivacy) ProtoMessage()

func (*PredUpdatePrivacy) Reset

func (m *PredUpdatePrivacy) Reset()

func (*PredUpdatePrivacy) String

func (m *PredUpdatePrivacy) String() string

func (*PredUpdatePrivacy) ToType

func (p *PredUpdatePrivacy) ToType() TL

func (*PredUpdatePrivacy) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatePrivacy) XXX_DiscardUnknown()

func (*PredUpdatePrivacy) XXX_Marshal added in v0.4.1

func (m *PredUpdatePrivacy) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatePrivacy) XXX_Merge added in v0.4.1

func (dst *PredUpdatePrivacy) XXX_Merge(src proto.Message)

func (*PredUpdatePrivacy) XXX_Size added in v0.4.1

func (m *PredUpdatePrivacy) XXX_Size() int

func (*PredUpdatePrivacy) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatePrivacy) XXX_Unmarshal(b []byte) error

type PredUpdatePtsChanged

type PredUpdatePtsChanged struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatePtsChanged) Descriptor

func (*PredUpdatePtsChanged) Descriptor() ([]byte, []int)

func (*PredUpdatePtsChanged) ProtoMessage

func (*PredUpdatePtsChanged) ProtoMessage()

func (*PredUpdatePtsChanged) Reset

func (m *PredUpdatePtsChanged) Reset()

func (*PredUpdatePtsChanged) String

func (m *PredUpdatePtsChanged) String() string

func (*PredUpdatePtsChanged) ToType

func (p *PredUpdatePtsChanged) ToType() TL

func (*PredUpdatePtsChanged) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatePtsChanged) XXX_DiscardUnknown()

func (*PredUpdatePtsChanged) XXX_Marshal added in v0.4.1

func (m *PredUpdatePtsChanged) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatePtsChanged) XXX_Merge added in v0.4.1

func (dst *PredUpdatePtsChanged) XXX_Merge(src proto.Message)

func (*PredUpdatePtsChanged) XXX_Size added in v0.4.1

func (m *PredUpdatePtsChanged) XXX_Size() int

func (*PredUpdatePtsChanged) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatePtsChanged) XXX_Unmarshal(b []byte) error

type PredUpdateReadChannelInbox

type PredUpdateReadChannelInbox struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	MaxId                int32    `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateReadChannelInbox) Descriptor

func (*PredUpdateReadChannelInbox) Descriptor() ([]byte, []int)

func (*PredUpdateReadChannelInbox) GetChannelId

func (m *PredUpdateReadChannelInbox) GetChannelId() int32

func (*PredUpdateReadChannelInbox) GetMaxId

func (m *PredUpdateReadChannelInbox) GetMaxId() int32

func (*PredUpdateReadChannelInbox) ProtoMessage

func (*PredUpdateReadChannelInbox) ProtoMessage()

func (*PredUpdateReadChannelInbox) Reset

func (m *PredUpdateReadChannelInbox) Reset()

func (*PredUpdateReadChannelInbox) String

func (m *PredUpdateReadChannelInbox) String() string

func (*PredUpdateReadChannelInbox) ToType

func (p *PredUpdateReadChannelInbox) ToType() TL

func (*PredUpdateReadChannelInbox) UpdateDate

func (u *PredUpdateReadChannelInbox) UpdateDate() int32

func (*PredUpdateReadChannelInbox) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadChannelInbox) XXX_DiscardUnknown()

func (*PredUpdateReadChannelInbox) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadChannelInbox) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadChannelInbox) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadChannelInbox) XXX_Merge(src proto.Message)

func (*PredUpdateReadChannelInbox) XXX_Size added in v0.4.1

func (m *PredUpdateReadChannelInbox) XXX_Size() int

func (*PredUpdateReadChannelInbox) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadChannelInbox) XXX_Unmarshal(b []byte) error

type PredUpdateReadChannelOutbox

type PredUpdateReadChannelOutbox struct {
	ChannelId            int32    `protobuf:"varint,1,opt,name=ChannelId" json:"ChannelId,omitempty"`
	MaxId                int32    `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateReadChannelOutbox) Descriptor

func (*PredUpdateReadChannelOutbox) Descriptor() ([]byte, []int)

func (*PredUpdateReadChannelOutbox) GetChannelId

func (m *PredUpdateReadChannelOutbox) GetChannelId() int32

func (*PredUpdateReadChannelOutbox) GetMaxId

func (m *PredUpdateReadChannelOutbox) GetMaxId() int32

func (*PredUpdateReadChannelOutbox) ProtoMessage

func (*PredUpdateReadChannelOutbox) ProtoMessage()

func (*PredUpdateReadChannelOutbox) Reset

func (m *PredUpdateReadChannelOutbox) Reset()

func (*PredUpdateReadChannelOutbox) String

func (m *PredUpdateReadChannelOutbox) String() string

func (*PredUpdateReadChannelOutbox) ToType

func (p *PredUpdateReadChannelOutbox) ToType() TL

func (*PredUpdateReadChannelOutbox) UpdateDate

func (u *PredUpdateReadChannelOutbox) UpdateDate() int32

func (*PredUpdateReadChannelOutbox) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadChannelOutbox) XXX_DiscardUnknown()

func (*PredUpdateReadChannelOutbox) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadChannelOutbox) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadChannelOutbox) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadChannelOutbox) XXX_Merge(src proto.Message)

func (*PredUpdateReadChannelOutbox) XXX_Size added in v0.4.1

func (m *PredUpdateReadChannelOutbox) XXX_Size() int

func (*PredUpdateReadChannelOutbox) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadChannelOutbox) XXX_Unmarshal(b []byte) error

type PredUpdateReadFeaturedStickers

type PredUpdateReadFeaturedStickers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateReadFeaturedStickers) Descriptor

func (*PredUpdateReadFeaturedStickers) Descriptor() ([]byte, []int)

func (*PredUpdateReadFeaturedStickers) ProtoMessage

func (*PredUpdateReadFeaturedStickers) ProtoMessage()

func (*PredUpdateReadFeaturedStickers) Reset

func (m *PredUpdateReadFeaturedStickers) Reset()

func (*PredUpdateReadFeaturedStickers) String

func (*PredUpdateReadFeaturedStickers) ToType

func (p *PredUpdateReadFeaturedStickers) ToType() TL

func (*PredUpdateReadFeaturedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadFeaturedStickers) XXX_DiscardUnknown()

func (*PredUpdateReadFeaturedStickers) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadFeaturedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadFeaturedStickers) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadFeaturedStickers) XXX_Merge(src proto.Message)

func (*PredUpdateReadFeaturedStickers) XXX_Size added in v0.4.1

func (m *PredUpdateReadFeaturedStickers) XXX_Size() int

func (*PredUpdateReadFeaturedStickers) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadFeaturedStickers) XXX_Unmarshal(b []byte) error

type PredUpdateReadHistoryInbox

type PredUpdateReadHistoryInbox struct {
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	MaxId                int32     `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	Pts                  int32     `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32     `protobuf:"varint,4,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateReadHistoryInbox) Descriptor

func (*PredUpdateReadHistoryInbox) Descriptor() ([]byte, []int)

func (*PredUpdateReadHistoryInbox) GetMaxId

func (m *PredUpdateReadHistoryInbox) GetMaxId() int32

func (*PredUpdateReadHistoryInbox) GetPeer

func (m *PredUpdateReadHistoryInbox) GetPeer() *TypePeer

func (*PredUpdateReadHistoryInbox) GetPts

func (m *PredUpdateReadHistoryInbox) GetPts() int32

func (*PredUpdateReadHistoryInbox) GetPtsCount

func (m *PredUpdateReadHistoryInbox) GetPtsCount() int32

func (*PredUpdateReadHistoryInbox) ProtoMessage

func (*PredUpdateReadHistoryInbox) ProtoMessage()

func (*PredUpdateReadHistoryInbox) Reset

func (m *PredUpdateReadHistoryInbox) Reset()

func (*PredUpdateReadHistoryInbox) String

func (m *PredUpdateReadHistoryInbox) String() string

func (*PredUpdateReadHistoryInbox) ToType

func (p *PredUpdateReadHistoryInbox) ToType() TL

func (*PredUpdateReadHistoryInbox) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadHistoryInbox) XXX_DiscardUnknown()

func (*PredUpdateReadHistoryInbox) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadHistoryInbox) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadHistoryInbox) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadHistoryInbox) XXX_Merge(src proto.Message)

func (*PredUpdateReadHistoryInbox) XXX_Size added in v0.4.1

func (m *PredUpdateReadHistoryInbox) XXX_Size() int

func (*PredUpdateReadHistoryInbox) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadHistoryInbox) XXX_Unmarshal(b []byte) error

type PredUpdateReadHistoryOutbox

type PredUpdateReadHistoryOutbox struct {
	// default: Peer
	Peer                 *TypePeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	MaxId                int32     `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	Pts                  int32     `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32     `protobuf:"varint,4,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateReadHistoryOutbox) Descriptor

func (*PredUpdateReadHistoryOutbox) Descriptor() ([]byte, []int)

func (*PredUpdateReadHistoryOutbox) GetMaxId

func (m *PredUpdateReadHistoryOutbox) GetMaxId() int32

func (*PredUpdateReadHistoryOutbox) GetPeer

func (m *PredUpdateReadHistoryOutbox) GetPeer() *TypePeer

func (*PredUpdateReadHistoryOutbox) GetPts

func (m *PredUpdateReadHistoryOutbox) GetPts() int32

func (*PredUpdateReadHistoryOutbox) GetPtsCount

func (m *PredUpdateReadHistoryOutbox) GetPtsCount() int32

func (*PredUpdateReadHistoryOutbox) ProtoMessage

func (*PredUpdateReadHistoryOutbox) ProtoMessage()

func (*PredUpdateReadHistoryOutbox) Reset

func (m *PredUpdateReadHistoryOutbox) Reset()

func (*PredUpdateReadHistoryOutbox) String

func (m *PredUpdateReadHistoryOutbox) String() string

func (*PredUpdateReadHistoryOutbox) ToType

func (p *PredUpdateReadHistoryOutbox) ToType() TL

func (*PredUpdateReadHistoryOutbox) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadHistoryOutbox) XXX_DiscardUnknown()

func (*PredUpdateReadHistoryOutbox) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadHistoryOutbox) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadHistoryOutbox) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadHistoryOutbox) XXX_Merge(src proto.Message)

func (*PredUpdateReadHistoryOutbox) XXX_Size added in v0.4.1

func (m *PredUpdateReadHistoryOutbox) XXX_Size() int

func (*PredUpdateReadHistoryOutbox) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadHistoryOutbox) XXX_Unmarshal(b []byte) error

type PredUpdateReadMessagesContents

type PredUpdateReadMessagesContents struct {
	Messages             []int32  `protobuf:"varint,1,rep,packed,name=Messages" json:"Messages,omitempty"`
	Pts                  int32    `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32    `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateReadMessagesContents) Descriptor

func (*PredUpdateReadMessagesContents) Descriptor() ([]byte, []int)

func (*PredUpdateReadMessagesContents) GetMessages

func (m *PredUpdateReadMessagesContents) GetMessages() []int32

func (*PredUpdateReadMessagesContents) GetPts

func (*PredUpdateReadMessagesContents) GetPtsCount

func (m *PredUpdateReadMessagesContents) GetPtsCount() int32

func (*PredUpdateReadMessagesContents) ProtoMessage

func (*PredUpdateReadMessagesContents) ProtoMessage()

func (*PredUpdateReadMessagesContents) Reset

func (m *PredUpdateReadMessagesContents) Reset()

func (*PredUpdateReadMessagesContents) String

func (*PredUpdateReadMessagesContents) ToType

func (p *PredUpdateReadMessagesContents) ToType() TL

func (*PredUpdateReadMessagesContents) UpdateDate

func (u *PredUpdateReadMessagesContents) UpdateDate() int32

func (*PredUpdateReadMessagesContents) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateReadMessagesContents) XXX_DiscardUnknown()

func (*PredUpdateReadMessagesContents) XXX_Marshal added in v0.4.1

func (m *PredUpdateReadMessagesContents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateReadMessagesContents) XXX_Merge added in v0.4.1

func (dst *PredUpdateReadMessagesContents) XXX_Merge(src proto.Message)

func (*PredUpdateReadMessagesContents) XXX_Size added in v0.4.1

func (m *PredUpdateReadMessagesContents) XXX_Size() int

func (*PredUpdateReadMessagesContents) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateReadMessagesContents) XXX_Unmarshal(b []byte) error

type PredUpdateRecentStickers

type PredUpdateRecentStickers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateRecentStickers) Descriptor

func (*PredUpdateRecentStickers) Descriptor() ([]byte, []int)

func (*PredUpdateRecentStickers) ProtoMessage

func (*PredUpdateRecentStickers) ProtoMessage()

func (*PredUpdateRecentStickers) Reset

func (m *PredUpdateRecentStickers) Reset()

func (*PredUpdateRecentStickers) String

func (m *PredUpdateRecentStickers) String() string

func (*PredUpdateRecentStickers) ToType

func (p *PredUpdateRecentStickers) ToType() TL

func (*PredUpdateRecentStickers) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateRecentStickers) XXX_DiscardUnknown()

func (*PredUpdateRecentStickers) XXX_Marshal added in v0.4.1

func (m *PredUpdateRecentStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateRecentStickers) XXX_Merge added in v0.4.1

func (dst *PredUpdateRecentStickers) XXX_Merge(src proto.Message)

func (*PredUpdateRecentStickers) XXX_Size added in v0.4.1

func (m *PredUpdateRecentStickers) XXX_Size() int

func (*PredUpdateRecentStickers) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateRecentStickers) XXX_Unmarshal(b []byte) error

type PredUpdateSavedGifs

type PredUpdateSavedGifs struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateSavedGifs) Descriptor

func (*PredUpdateSavedGifs) Descriptor() ([]byte, []int)

func (*PredUpdateSavedGifs) ProtoMessage

func (*PredUpdateSavedGifs) ProtoMessage()

func (*PredUpdateSavedGifs) Reset

func (m *PredUpdateSavedGifs) Reset()

func (*PredUpdateSavedGifs) String

func (m *PredUpdateSavedGifs) String() string

func (*PredUpdateSavedGifs) ToType

func (p *PredUpdateSavedGifs) ToType() TL

func (*PredUpdateSavedGifs) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateSavedGifs) XXX_DiscardUnknown()

func (*PredUpdateSavedGifs) XXX_Marshal added in v0.4.1

func (m *PredUpdateSavedGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateSavedGifs) XXX_Merge added in v0.4.1

func (dst *PredUpdateSavedGifs) XXX_Merge(src proto.Message)

func (*PredUpdateSavedGifs) XXX_Size added in v0.4.1

func (m *PredUpdateSavedGifs) XXX_Size() int

func (*PredUpdateSavedGifs) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateSavedGifs) XXX_Unmarshal(b []byte) error

type PredUpdateServiceNotification

type PredUpdateServiceNotification struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Popup	bool // flags.0?true
	InboxDate int32  `protobuf:"varint,3,opt,name=InboxDate" json:"InboxDate,omitempty"`
	Type      string `protobuf:"bytes,4,opt,name=Type" json:"Type,omitempty"`
	Message   string `protobuf:"bytes,5,opt,name=Message" json:"Message,omitempty"`
	// default: MessageMedia
	Media *TypeMessageMedia `protobuf:"bytes,6,opt,name=Media" json:"Media,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,7,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUpdateServiceNotification) Descriptor

func (*PredUpdateServiceNotification) Descriptor() ([]byte, []int)

func (*PredUpdateServiceNotification) GetEntities

func (*PredUpdateServiceNotification) GetFlags

func (m *PredUpdateServiceNotification) GetFlags() int32

func (*PredUpdateServiceNotification) GetInboxDate

func (m *PredUpdateServiceNotification) GetInboxDate() int32

func (*PredUpdateServiceNotification) GetMedia

func (*PredUpdateServiceNotification) GetMessage

func (m *PredUpdateServiceNotification) GetMessage() string

func (*PredUpdateServiceNotification) GetType

func (*PredUpdateServiceNotification) ProtoMessage

func (*PredUpdateServiceNotification) ProtoMessage()

func (*PredUpdateServiceNotification) Reset

func (m *PredUpdateServiceNotification) Reset()

func (*PredUpdateServiceNotification) String

func (*PredUpdateServiceNotification) ToType

func (p *PredUpdateServiceNotification) ToType() TL

func (*PredUpdateServiceNotification) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateServiceNotification) XXX_DiscardUnknown()

func (*PredUpdateServiceNotification) XXX_Marshal added in v0.4.1

func (m *PredUpdateServiceNotification) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateServiceNotification) XXX_Merge added in v0.4.1

func (dst *PredUpdateServiceNotification) XXX_Merge(src proto.Message)

func (*PredUpdateServiceNotification) XXX_Size added in v0.4.1

func (m *PredUpdateServiceNotification) XXX_Size() int

func (*PredUpdateServiceNotification) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateServiceNotification) XXX_Unmarshal(b []byte) error

type PredUpdateShort

type PredUpdateShort struct {
	// default: Update
	Update               *TypeUpdate `protobuf:"bytes,1,opt,name=Update" json:"Update,omitempty"`
	Date                 int32       `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdateShort) Descriptor

func (*PredUpdateShort) Descriptor() ([]byte, []int)

func (*PredUpdateShort) GetDate

func (m *PredUpdateShort) GetDate() int32

func (*PredUpdateShort) GetUpdate

func (m *PredUpdateShort) GetUpdate() *TypeUpdate

func (*PredUpdateShort) ProtoMessage

func (*PredUpdateShort) ProtoMessage()

func (*PredUpdateShort) Reset

func (m *PredUpdateShort) Reset()

func (*PredUpdateShort) String

func (m *PredUpdateShort) String() string

func (*PredUpdateShort) ToType

func (p *PredUpdateShort) ToType() TL

func (*PredUpdateShort) UpdateDate

func (u *PredUpdateShort) UpdateDate() int32

func (*PredUpdateShort) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateShort) XXX_DiscardUnknown()

func (*PredUpdateShort) XXX_Marshal added in v0.4.1

func (m *PredUpdateShort) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateShort) XXX_Merge added in v0.4.1

func (dst *PredUpdateShort) XXX_Merge(src proto.Message)

func (*PredUpdateShort) XXX_Size added in v0.4.1

func (m *PredUpdateShort) XXX_Size() int

func (*PredUpdateShort) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateShort) XXX_Unmarshal(b []byte) error

type PredUpdateShortChatMessage

type PredUpdateShortChatMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Out	bool // flags.1?true
	// Mentioned	bool // flags.4?true
	// MediaUnread	bool // flags.5?true
	// Silent	bool // flags.13?true
	Id       int32  `protobuf:"varint,6,opt,name=Id" json:"Id,omitempty"`
	FromId   int32  `protobuf:"varint,7,opt,name=FromId" json:"FromId,omitempty"`
	ChatId   int32  `protobuf:"varint,8,opt,name=ChatId" json:"ChatId,omitempty"`
	Message  string `protobuf:"bytes,9,opt,name=Message" json:"Message,omitempty"`
	Pts      int32  `protobuf:"varint,10,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount int32  `protobuf:"varint,11,opt,name=PtsCount" json:"PtsCount,omitempty"`
	Date     int32  `protobuf:"varint,12,opt,name=Date" json:"Date,omitempty"`
	// default: MessageFwdHeader
	FwdFrom      *TypeMessageFwdHeader `protobuf:"bytes,13,opt,name=FwdFrom" json:"FwdFrom,omitempty"`
	ViaBotId     int32                 `protobuf:"varint,14,opt,name=ViaBotId" json:"ViaBotId,omitempty"`
	ReplyToMsgId int32                 `protobuf:"varint,15,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,16,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUpdateShortChatMessage) Descriptor

func (*PredUpdateShortChatMessage) Descriptor() ([]byte, []int)

func (*PredUpdateShortChatMessage) GetChatId

func (m *PredUpdateShortChatMessage) GetChatId() int32

func (*PredUpdateShortChatMessage) GetDate

func (m *PredUpdateShortChatMessage) GetDate() int32

func (*PredUpdateShortChatMessage) GetEntities

func (m *PredUpdateShortChatMessage) GetEntities() []*TypeMessageEntity

func (*PredUpdateShortChatMessage) GetFlags

func (m *PredUpdateShortChatMessage) GetFlags() int32

func (*PredUpdateShortChatMessage) GetFromId

func (m *PredUpdateShortChatMessage) GetFromId() int32

func (*PredUpdateShortChatMessage) GetFwdFrom

func (*PredUpdateShortChatMessage) GetId

func (m *PredUpdateShortChatMessage) GetId() int32

func (*PredUpdateShortChatMessage) GetMessage

func (m *PredUpdateShortChatMessage) GetMessage() string

func (*PredUpdateShortChatMessage) GetPts

func (m *PredUpdateShortChatMessage) GetPts() int32

func (*PredUpdateShortChatMessage) GetPtsCount

func (m *PredUpdateShortChatMessage) GetPtsCount() int32

func (*PredUpdateShortChatMessage) GetReplyToMsgId

func (m *PredUpdateShortChatMessage) GetReplyToMsgId() int32

func (*PredUpdateShortChatMessage) GetViaBotId

func (m *PredUpdateShortChatMessage) GetViaBotId() int32

func (*PredUpdateShortChatMessage) ProtoMessage

func (*PredUpdateShortChatMessage) ProtoMessage()

func (*PredUpdateShortChatMessage) Reset

func (m *PredUpdateShortChatMessage) Reset()

func (*PredUpdateShortChatMessage) String

func (m *PredUpdateShortChatMessage) String() string

func (*PredUpdateShortChatMessage) ToType

func (p *PredUpdateShortChatMessage) ToType() TL

func (*PredUpdateShortChatMessage) UpdateDate

func (u *PredUpdateShortChatMessage) UpdateDate() int32

func (*PredUpdateShortChatMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateShortChatMessage) XXX_DiscardUnknown()

func (*PredUpdateShortChatMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateShortChatMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateShortChatMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateShortChatMessage) XXX_Merge(src proto.Message)

func (*PredUpdateShortChatMessage) XXX_Size added in v0.4.1

func (m *PredUpdateShortChatMessage) XXX_Size() int

func (*PredUpdateShortChatMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateShortChatMessage) XXX_Unmarshal(b []byte) error

type PredUpdateShortMessage

type PredUpdateShortMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Out	bool // flags.1?true
	// Mentioned	bool // flags.4?true
	// MediaUnread	bool // flags.5?true
	// Silent	bool // flags.13?true
	Id       int32  `protobuf:"varint,6,opt,name=Id" json:"Id,omitempty"`
	UserId   int32  `protobuf:"varint,7,opt,name=UserId" json:"UserId,omitempty"`
	Message  string `protobuf:"bytes,8,opt,name=Message" json:"Message,omitempty"`
	Pts      int32  `protobuf:"varint,9,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount int32  `protobuf:"varint,10,opt,name=PtsCount" json:"PtsCount,omitempty"`
	Date     int32  `protobuf:"varint,11,opt,name=Date" json:"Date,omitempty"`
	// default: MessageFwdHeader
	FwdFrom      *TypeMessageFwdHeader `protobuf:"bytes,12,opt,name=FwdFrom" json:"FwdFrom,omitempty"`
	ViaBotId     int32                 `protobuf:"varint,13,opt,name=ViaBotId" json:"ViaBotId,omitempty"`
	ReplyToMsgId int32                 `protobuf:"varint,14,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,15,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUpdateShortMessage) Descriptor

func (*PredUpdateShortMessage) Descriptor() ([]byte, []int)

func (*PredUpdateShortMessage) GetDate

func (m *PredUpdateShortMessage) GetDate() int32

func (*PredUpdateShortMessage) GetEntities

func (m *PredUpdateShortMessage) GetEntities() []*TypeMessageEntity

func (*PredUpdateShortMessage) GetFlags

func (m *PredUpdateShortMessage) GetFlags() int32

func (*PredUpdateShortMessage) GetFwdFrom

func (*PredUpdateShortMessage) GetId

func (m *PredUpdateShortMessage) GetId() int32

func (*PredUpdateShortMessage) GetMessage

func (m *PredUpdateShortMessage) GetMessage() string

func (*PredUpdateShortMessage) GetPts

func (m *PredUpdateShortMessage) GetPts() int32

func (*PredUpdateShortMessage) GetPtsCount

func (m *PredUpdateShortMessage) GetPtsCount() int32

func (*PredUpdateShortMessage) GetReplyToMsgId

func (m *PredUpdateShortMessage) GetReplyToMsgId() int32

func (*PredUpdateShortMessage) GetUserId

func (m *PredUpdateShortMessage) GetUserId() int32

func (*PredUpdateShortMessage) GetViaBotId

func (m *PredUpdateShortMessage) GetViaBotId() int32

func (*PredUpdateShortMessage) ProtoMessage

func (*PredUpdateShortMessage) ProtoMessage()

func (*PredUpdateShortMessage) Reset

func (m *PredUpdateShortMessage) Reset()

func (*PredUpdateShortMessage) String

func (m *PredUpdateShortMessage) String() string

func (*PredUpdateShortMessage) ToType

func (p *PredUpdateShortMessage) ToType() TL

func (*PredUpdateShortMessage) UpdateDate

func (u *PredUpdateShortMessage) UpdateDate() int32

func (*PredUpdateShortMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateShortMessage) XXX_DiscardUnknown()

func (*PredUpdateShortMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateShortMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateShortMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateShortMessage) XXX_Merge(src proto.Message)

func (*PredUpdateShortMessage) XXX_Size added in v0.4.1

func (m *PredUpdateShortMessage) XXX_Size() int

func (*PredUpdateShortMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateShortMessage) XXX_Unmarshal(b []byte) error

type PredUpdateShortSentMessage

type PredUpdateShortSentMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Out	bool // flags.1?true
	Id       int32 `protobuf:"varint,3,opt,name=Id" json:"Id,omitempty"`
	Pts      int32 `protobuf:"varint,4,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount int32 `protobuf:"varint,5,opt,name=PtsCount" json:"PtsCount,omitempty"`
	Date     int32 `protobuf:"varint,6,opt,name=Date" json:"Date,omitempty"`
	// default: MessageMedia
	Media *TypeMessageMedia `protobuf:"bytes,7,opt,name=Media" json:"Media,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,8,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUpdateShortSentMessage) Descriptor

func (*PredUpdateShortSentMessage) Descriptor() ([]byte, []int)

func (*PredUpdateShortSentMessage) GetDate

func (m *PredUpdateShortSentMessage) GetDate() int32

func (*PredUpdateShortSentMessage) GetEntities

func (m *PredUpdateShortSentMessage) GetEntities() []*TypeMessageEntity

func (*PredUpdateShortSentMessage) GetFlags

func (m *PredUpdateShortSentMessage) GetFlags() int32

func (*PredUpdateShortSentMessage) GetId

func (m *PredUpdateShortSentMessage) GetId() int32

func (*PredUpdateShortSentMessage) GetMedia

func (*PredUpdateShortSentMessage) GetPts

func (m *PredUpdateShortSentMessage) GetPts() int32

func (*PredUpdateShortSentMessage) GetPtsCount

func (m *PredUpdateShortSentMessage) GetPtsCount() int32

func (*PredUpdateShortSentMessage) ProtoMessage

func (*PredUpdateShortSentMessage) ProtoMessage()

func (*PredUpdateShortSentMessage) Reset

func (m *PredUpdateShortSentMessage) Reset()

func (*PredUpdateShortSentMessage) String

func (m *PredUpdateShortSentMessage) String() string

func (*PredUpdateShortSentMessage) ToType

func (p *PredUpdateShortSentMessage) ToType() TL

func (*PredUpdateShortSentMessage) UpdateDate

func (u *PredUpdateShortSentMessage) UpdateDate() int32

func (*PredUpdateShortSentMessage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateShortSentMessage) XXX_DiscardUnknown()

func (*PredUpdateShortSentMessage) XXX_Marshal added in v0.4.1

func (m *PredUpdateShortSentMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateShortSentMessage) XXX_Merge added in v0.4.1

func (dst *PredUpdateShortSentMessage) XXX_Merge(src proto.Message)

func (*PredUpdateShortSentMessage) XXX_Size added in v0.4.1

func (m *PredUpdateShortSentMessage) XXX_Size() int

func (*PredUpdateShortSentMessage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateShortSentMessage) XXX_Unmarshal(b []byte) error

type PredUpdateStickerSets

type PredUpdateStickerSets struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateStickerSets) Descriptor

func (*PredUpdateStickerSets) Descriptor() ([]byte, []int)

func (*PredUpdateStickerSets) ProtoMessage

func (*PredUpdateStickerSets) ProtoMessage()

func (*PredUpdateStickerSets) Reset

func (m *PredUpdateStickerSets) Reset()

func (*PredUpdateStickerSets) String

func (m *PredUpdateStickerSets) String() string

func (*PredUpdateStickerSets) ToType

func (p *PredUpdateStickerSets) ToType() TL

func (*PredUpdateStickerSets) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateStickerSets) XXX_DiscardUnknown()

func (*PredUpdateStickerSets) XXX_Marshal added in v0.4.1

func (m *PredUpdateStickerSets) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateStickerSets) XXX_Merge added in v0.4.1

func (dst *PredUpdateStickerSets) XXX_Merge(src proto.Message)

func (*PredUpdateStickerSets) XXX_Size added in v0.4.1

func (m *PredUpdateStickerSets) XXX_Size() int

func (*PredUpdateStickerSets) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateStickerSets) XXX_Unmarshal(b []byte) error

type PredUpdateStickerSetsOrder

type PredUpdateStickerSetsOrder struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Masks	bool // flags.0?true
	Order                []int64  `protobuf:"varint,3,rep,packed,name=Order" json:"Order,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateStickerSetsOrder) Descriptor

func (*PredUpdateStickerSetsOrder) Descriptor() ([]byte, []int)

func (*PredUpdateStickerSetsOrder) GetFlags

func (m *PredUpdateStickerSetsOrder) GetFlags() int32

func (*PredUpdateStickerSetsOrder) GetOrder

func (m *PredUpdateStickerSetsOrder) GetOrder() []int64

func (*PredUpdateStickerSetsOrder) ProtoMessage

func (*PredUpdateStickerSetsOrder) ProtoMessage()

func (*PredUpdateStickerSetsOrder) Reset

func (m *PredUpdateStickerSetsOrder) Reset()

func (*PredUpdateStickerSetsOrder) String

func (m *PredUpdateStickerSetsOrder) String() string

func (*PredUpdateStickerSetsOrder) ToType

func (p *PredUpdateStickerSetsOrder) ToType() TL

func (*PredUpdateStickerSetsOrder) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateStickerSetsOrder) XXX_DiscardUnknown()

func (*PredUpdateStickerSetsOrder) XXX_Marshal added in v0.4.1

func (m *PredUpdateStickerSetsOrder) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateStickerSetsOrder) XXX_Merge added in v0.4.1

func (dst *PredUpdateStickerSetsOrder) XXX_Merge(src proto.Message)

func (*PredUpdateStickerSetsOrder) XXX_Size added in v0.4.1

func (m *PredUpdateStickerSetsOrder) XXX_Size() int

func (*PredUpdateStickerSetsOrder) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateStickerSetsOrder) XXX_Unmarshal(b []byte) error

type PredUpdateUserBlocked

type PredUpdateUserBlocked struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: Bool
	Blocked              *TypeBool `protobuf:"bytes,2,opt,name=Blocked" json:"Blocked,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateUserBlocked) Descriptor

func (*PredUpdateUserBlocked) Descriptor() ([]byte, []int)

func (*PredUpdateUserBlocked) GetBlocked

func (m *PredUpdateUserBlocked) GetBlocked() *TypeBool

func (*PredUpdateUserBlocked) GetUserId

func (m *PredUpdateUserBlocked) GetUserId() int32

func (*PredUpdateUserBlocked) ProtoMessage

func (*PredUpdateUserBlocked) ProtoMessage()

func (*PredUpdateUserBlocked) Reset

func (m *PredUpdateUserBlocked) Reset()

func (*PredUpdateUserBlocked) String

func (m *PredUpdateUserBlocked) String() string

func (*PredUpdateUserBlocked) ToType

func (p *PredUpdateUserBlocked) ToType() TL

func (*PredUpdateUserBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserBlocked) XXX_DiscardUnknown()

func (*PredUpdateUserBlocked) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserBlocked) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserBlocked) XXX_Merge(src proto.Message)

func (*PredUpdateUserBlocked) XXX_Size added in v0.4.1

func (m *PredUpdateUserBlocked) XXX_Size() int

func (*PredUpdateUserBlocked) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserBlocked) XXX_Unmarshal(b []byte) error

type PredUpdateUserName

type PredUpdateUserName struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	FirstName            string   `protobuf:"bytes,2,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,3,opt,name=LastName" json:"LastName,omitempty"`
	Username             string   `protobuf:"bytes,4,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateUserName) Descriptor

func (*PredUpdateUserName) Descriptor() ([]byte, []int)

func (*PredUpdateUserName) GetFirstName

func (m *PredUpdateUserName) GetFirstName() string

func (*PredUpdateUserName) GetLastName

func (m *PredUpdateUserName) GetLastName() string

func (*PredUpdateUserName) GetUserId

func (m *PredUpdateUserName) GetUserId() int32

func (*PredUpdateUserName) GetUsername

func (m *PredUpdateUserName) GetUsername() string

func (*PredUpdateUserName) ProtoMessage

func (*PredUpdateUserName) ProtoMessage()

func (*PredUpdateUserName) Reset

func (m *PredUpdateUserName) Reset()

func (*PredUpdateUserName) String

func (m *PredUpdateUserName) String() string

func (*PredUpdateUserName) ToType

func (p *PredUpdateUserName) ToType() TL

func (*PredUpdateUserName) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserName) XXX_DiscardUnknown()

func (*PredUpdateUserName) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserName) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserName) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserName) XXX_Merge(src proto.Message)

func (*PredUpdateUserName) XXX_Size added in v0.4.1

func (m *PredUpdateUserName) XXX_Size() int

func (*PredUpdateUserName) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserName) XXX_Unmarshal(b []byte) error

type PredUpdateUserPhone

type PredUpdateUserPhone struct {
	UserId               int32    `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Phone                string   `protobuf:"bytes,2,opt,name=Phone" json:"Phone,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdateUserPhone) Descriptor

func (*PredUpdateUserPhone) Descriptor() ([]byte, []int)

func (*PredUpdateUserPhone) GetPhone

func (m *PredUpdateUserPhone) GetPhone() string

func (*PredUpdateUserPhone) GetUserId

func (m *PredUpdateUserPhone) GetUserId() int32

func (*PredUpdateUserPhone) ProtoMessage

func (*PredUpdateUserPhone) ProtoMessage()

func (*PredUpdateUserPhone) Reset

func (m *PredUpdateUserPhone) Reset()

func (*PredUpdateUserPhone) String

func (m *PredUpdateUserPhone) String() string

func (*PredUpdateUserPhone) ToType

func (p *PredUpdateUserPhone) ToType() TL

func (*PredUpdateUserPhone) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserPhone) XXX_DiscardUnknown()

func (*PredUpdateUserPhone) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserPhone) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserPhone) XXX_Merge(src proto.Message)

func (*PredUpdateUserPhone) XXX_Size added in v0.4.1

func (m *PredUpdateUserPhone) XXX_Size() int

func (*PredUpdateUserPhone) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserPhone) XXX_Unmarshal(b []byte) error

type PredUpdateUserPhoto

type PredUpdateUserPhoto struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	Date   int32 `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	// default: UserProfilePhoto
	Photo *TypeUserProfilePhoto `protobuf:"bytes,3,opt,name=Photo" json:"Photo,omitempty"`
	// default: Bool
	Previous             *TypeBool `protobuf:"bytes,4,opt,name=Previous" json:"Previous,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredUpdateUserPhoto) Descriptor

func (*PredUpdateUserPhoto) Descriptor() ([]byte, []int)

func (*PredUpdateUserPhoto) GetDate

func (m *PredUpdateUserPhoto) GetDate() int32

func (*PredUpdateUserPhoto) GetPhoto

func (*PredUpdateUserPhoto) GetPrevious

func (m *PredUpdateUserPhoto) GetPrevious() *TypeBool

func (*PredUpdateUserPhoto) GetUserId

func (m *PredUpdateUserPhoto) GetUserId() int32

func (*PredUpdateUserPhoto) ProtoMessage

func (*PredUpdateUserPhoto) ProtoMessage()

func (*PredUpdateUserPhoto) Reset

func (m *PredUpdateUserPhoto) Reset()

func (*PredUpdateUserPhoto) String

func (m *PredUpdateUserPhoto) String() string

func (*PredUpdateUserPhoto) ToType

func (p *PredUpdateUserPhoto) ToType() TL

func (*PredUpdateUserPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserPhoto) XXX_DiscardUnknown()

func (*PredUpdateUserPhoto) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserPhoto) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserPhoto) XXX_Merge(src proto.Message)

func (*PredUpdateUserPhoto) XXX_Size added in v0.4.1

func (m *PredUpdateUserPhoto) XXX_Size() int

func (*PredUpdateUserPhoto) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserPhoto) XXX_Unmarshal(b []byte) error

type PredUpdateUserStatus

type PredUpdateUserStatus struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: UserStatus
	Status               *TypeUserStatus `protobuf:"bytes,2,opt,name=Status" json:"Status,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredUpdateUserStatus) Descriptor

func (*PredUpdateUserStatus) Descriptor() ([]byte, []int)

func (*PredUpdateUserStatus) GetStatus

func (m *PredUpdateUserStatus) GetStatus() *TypeUserStatus

func (*PredUpdateUserStatus) GetUserId

func (m *PredUpdateUserStatus) GetUserId() int32

func (*PredUpdateUserStatus) ProtoMessage

func (*PredUpdateUserStatus) ProtoMessage()

func (*PredUpdateUserStatus) Reset

func (m *PredUpdateUserStatus) Reset()

func (*PredUpdateUserStatus) String

func (m *PredUpdateUserStatus) String() string

func (*PredUpdateUserStatus) ToType

func (p *PredUpdateUserStatus) ToType() TL

func (*PredUpdateUserStatus) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserStatus) XXX_DiscardUnknown()

func (*PredUpdateUserStatus) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserStatus) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserStatus) XXX_Merge(src proto.Message)

func (*PredUpdateUserStatus) XXX_Size added in v0.4.1

func (m *PredUpdateUserStatus) XXX_Size() int

func (*PredUpdateUserStatus) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserStatus) XXX_Unmarshal(b []byte) error

type PredUpdateUserTyping

type PredUpdateUserTyping struct {
	UserId int32 `protobuf:"varint,1,opt,name=UserId" json:"UserId,omitempty"`
	// default: SendMessageAction
	Action               *TypeSendMessageAction `protobuf:"bytes,2,opt,name=Action" json:"Action,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*PredUpdateUserTyping) Descriptor

func (*PredUpdateUserTyping) Descriptor() ([]byte, []int)

func (*PredUpdateUserTyping) GetAction

func (*PredUpdateUserTyping) GetUserId

func (m *PredUpdateUserTyping) GetUserId() int32

func (*PredUpdateUserTyping) ProtoMessage

func (*PredUpdateUserTyping) ProtoMessage()

func (*PredUpdateUserTyping) Reset

func (m *PredUpdateUserTyping) Reset()

func (*PredUpdateUserTyping) String

func (m *PredUpdateUserTyping) String() string

func (*PredUpdateUserTyping) ToType

func (p *PredUpdateUserTyping) ToType() TL

func (*PredUpdateUserTyping) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateUserTyping) XXX_DiscardUnknown()

func (*PredUpdateUserTyping) XXX_Marshal added in v0.4.1

func (m *PredUpdateUserTyping) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateUserTyping) XXX_Merge added in v0.4.1

func (dst *PredUpdateUserTyping) XXX_Merge(src proto.Message)

func (*PredUpdateUserTyping) XXX_Size added in v0.4.1

func (m *PredUpdateUserTyping) XXX_Size() int

func (*PredUpdateUserTyping) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateUserTyping) XXX_Unmarshal(b []byte) error

type PredUpdateWebPage

type PredUpdateWebPage struct {
	// default: WebPage
	Webpage              *TypeWebPage `protobuf:"bytes,1,opt,name=Webpage" json:"Webpage,omitempty"`
	Pts                  int32        `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsCount             int32        `protobuf:"varint,3,opt,name=PtsCount" json:"PtsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUpdateWebPage) Descriptor

func (*PredUpdateWebPage) Descriptor() ([]byte, []int)

func (*PredUpdateWebPage) GetPts

func (m *PredUpdateWebPage) GetPts() int32

func (*PredUpdateWebPage) GetPtsCount

func (m *PredUpdateWebPage) GetPtsCount() int32

func (*PredUpdateWebPage) GetWebpage

func (m *PredUpdateWebPage) GetWebpage() *TypeWebPage

func (*PredUpdateWebPage) ProtoMessage

func (*PredUpdateWebPage) ProtoMessage()

func (*PredUpdateWebPage) Reset

func (m *PredUpdateWebPage) Reset()

func (*PredUpdateWebPage) String

func (m *PredUpdateWebPage) String() string

func (*PredUpdateWebPage) ToType

func (p *PredUpdateWebPage) ToType() TL

func (*PredUpdateWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdateWebPage) XXX_DiscardUnknown()

func (*PredUpdateWebPage) XXX_Marshal added in v0.4.1

func (m *PredUpdateWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdateWebPage) XXX_Merge added in v0.4.1

func (dst *PredUpdateWebPage) XXX_Merge(src proto.Message)

func (*PredUpdateWebPage) XXX_Size added in v0.4.1

func (m *PredUpdateWebPage) XXX_Size() int

func (*PredUpdateWebPage) XXX_Unmarshal added in v0.4.1

func (m *PredUpdateWebPage) XXX_Unmarshal(b []byte) error

type PredUpdates

type PredUpdates struct {
	// default: Vector<Update>
	Updates []*TypeUpdate `protobuf:"bytes,1,rep,name=Updates" json:"Updates,omitempty"`
	// default: Vector<User>
	Users []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	// default: Vector<Chat>
	Chats                []*TypeChat `protobuf:"bytes,3,rep,name=Chats" json:"Chats,omitempty"`
	Date                 int32       `protobuf:"varint,4,opt,name=Date" json:"Date,omitempty"`
	Seq                  int32       `protobuf:"varint,5,opt,name=Seq" json:"Seq,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdates) Descriptor

func (*PredUpdates) Descriptor() ([]byte, []int)

func (*PredUpdates) GetChats

func (m *PredUpdates) GetChats() []*TypeChat

func (*PredUpdates) GetDate

func (m *PredUpdates) GetDate() int32

func (*PredUpdates) GetSeq

func (m *PredUpdates) GetSeq() int32

func (*PredUpdates) GetUpdates

func (m *PredUpdates) GetUpdates() []*TypeUpdate

func (*PredUpdates) GetUsers

func (m *PredUpdates) GetUsers() []*TypeUser

func (*PredUpdates) ProtoMessage

func (*PredUpdates) ProtoMessage()

func (*PredUpdates) Reset

func (m *PredUpdates) Reset()

func (*PredUpdates) String

func (m *PredUpdates) String() string

func (*PredUpdates) ToType

func (p *PredUpdates) ToType() TL

func (*PredUpdates) UpdateDate

func (u *PredUpdates) UpdateDate() int32

func (*PredUpdates) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdates) XXX_DiscardUnknown()

func (*PredUpdates) XXX_Marshal added in v0.4.1

func (m *PredUpdates) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdates) XXX_Merge added in v0.4.1

func (dst *PredUpdates) XXX_Merge(src proto.Message)

func (*PredUpdates) XXX_Size added in v0.4.1

func (m *PredUpdates) XXX_Size() int

func (*PredUpdates) XXX_Unmarshal added in v0.4.1

func (m *PredUpdates) XXX_Unmarshal(b []byte) error

type PredUpdatesChannelDifference

type PredUpdatesChannelDifference struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Final	bool // flags.0?true
	Pts     int32 `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	Timeout int32 `protobuf:"varint,4,opt,name=Timeout" json:"Timeout,omitempty"`
	// default: Vector<Message>
	NewMessages []*TypeMessage `protobuf:"bytes,5,rep,name=NewMessages" json:"NewMessages,omitempty"`
	// default: Vector<Update>
	OtherUpdates []*TypeUpdate `protobuf:"bytes,6,rep,name=OtherUpdates" json:"OtherUpdates,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,7,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,8,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdatesChannelDifference) Descriptor

func (*PredUpdatesChannelDifference) Descriptor() ([]byte, []int)

func (*PredUpdatesChannelDifference) GetChats

func (m *PredUpdatesChannelDifference) GetChats() []*TypeChat

func (*PredUpdatesChannelDifference) GetFlags

func (m *PredUpdatesChannelDifference) GetFlags() int32

func (*PredUpdatesChannelDifference) GetNewMessages

func (m *PredUpdatesChannelDifference) GetNewMessages() []*TypeMessage

func (*PredUpdatesChannelDifference) GetOtherUpdates

func (m *PredUpdatesChannelDifference) GetOtherUpdates() []*TypeUpdate

func (*PredUpdatesChannelDifference) GetPts

func (m *PredUpdatesChannelDifference) GetPts() int32

func (*PredUpdatesChannelDifference) GetTimeout

func (m *PredUpdatesChannelDifference) GetTimeout() int32

func (*PredUpdatesChannelDifference) GetUsers

func (m *PredUpdatesChannelDifference) GetUsers() []*TypeUser

func (*PredUpdatesChannelDifference) ProtoMessage

func (*PredUpdatesChannelDifference) ProtoMessage()

func (*PredUpdatesChannelDifference) Reset

func (m *PredUpdatesChannelDifference) Reset()

func (*PredUpdatesChannelDifference) String

func (*PredUpdatesChannelDifference) ToType

func (p *PredUpdatesChannelDifference) ToType() TL

func (*PredUpdatesChannelDifference) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesChannelDifference) XXX_DiscardUnknown()

func (*PredUpdatesChannelDifference) XXX_Marshal added in v0.4.1

func (m *PredUpdatesChannelDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesChannelDifference) XXX_Merge added in v0.4.1

func (dst *PredUpdatesChannelDifference) XXX_Merge(src proto.Message)

func (*PredUpdatesChannelDifference) XXX_Size added in v0.4.1

func (m *PredUpdatesChannelDifference) XXX_Size() int

func (*PredUpdatesChannelDifference) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesChannelDifference) XXX_Unmarshal(b []byte) error

type PredUpdatesChannelDifferenceEmpty

type PredUpdatesChannelDifferenceEmpty struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Final	bool // flags.0?true
	Pts                  int32    `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	Timeout              int32    `protobuf:"varint,4,opt,name=Timeout" json:"Timeout,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatesChannelDifferenceEmpty) Descriptor

func (*PredUpdatesChannelDifferenceEmpty) Descriptor() ([]byte, []int)

func (*PredUpdatesChannelDifferenceEmpty) GetFlags

func (*PredUpdatesChannelDifferenceEmpty) GetPts

func (*PredUpdatesChannelDifferenceEmpty) GetTimeout

func (m *PredUpdatesChannelDifferenceEmpty) GetTimeout() int32

func (*PredUpdatesChannelDifferenceEmpty) ProtoMessage

func (*PredUpdatesChannelDifferenceEmpty) ProtoMessage()

func (*PredUpdatesChannelDifferenceEmpty) Reset

func (*PredUpdatesChannelDifferenceEmpty) String

func (*PredUpdatesChannelDifferenceEmpty) ToType

func (*PredUpdatesChannelDifferenceEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesChannelDifferenceEmpty) XXX_DiscardUnknown()

func (*PredUpdatesChannelDifferenceEmpty) XXX_Marshal added in v0.4.1

func (m *PredUpdatesChannelDifferenceEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesChannelDifferenceEmpty) XXX_Merge added in v0.4.1

func (dst *PredUpdatesChannelDifferenceEmpty) XXX_Merge(src proto.Message)

func (*PredUpdatesChannelDifferenceEmpty) XXX_Size added in v0.4.1

func (m *PredUpdatesChannelDifferenceEmpty) XXX_Size() int

func (*PredUpdatesChannelDifferenceEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesChannelDifferenceEmpty) XXX_Unmarshal(b []byte) error

type PredUpdatesChannelDifferenceTooLong

type PredUpdatesChannelDifferenceTooLong struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Final	bool // flags.0?true
	Pts                 int32 `protobuf:"varint,3,opt,name=Pts" json:"Pts,omitempty"`
	Timeout             int32 `protobuf:"varint,4,opt,name=Timeout" json:"Timeout,omitempty"`
	TopMessage          int32 `protobuf:"varint,5,opt,name=TopMessage" json:"TopMessage,omitempty"`
	ReadInboxMaxId      int32 `protobuf:"varint,6,opt,name=ReadInboxMaxId" json:"ReadInboxMaxId,omitempty"`
	ReadOutboxMaxId     int32 `protobuf:"varint,7,opt,name=ReadOutboxMaxId" json:"ReadOutboxMaxId,omitempty"`
	UnreadCount         int32 `protobuf:"varint,8,opt,name=UnreadCount" json:"UnreadCount,omitempty"`
	UnreadMentionsCount int32 `protobuf:"varint,9,opt,name=UnreadMentionsCount" json:"UnreadMentionsCount,omitempty"`
	// default: Vector<Message>
	Messages []*TypeMessage `protobuf:"bytes,10,rep,name=Messages" json:"Messages,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,11,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users                []*TypeUser `protobuf:"bytes,12,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdatesChannelDifferenceTooLong) Descriptor

func (*PredUpdatesChannelDifferenceTooLong) Descriptor() ([]byte, []int)

func (*PredUpdatesChannelDifferenceTooLong) GetChats

func (*PredUpdatesChannelDifferenceTooLong) GetFlags

func (*PredUpdatesChannelDifferenceTooLong) GetMessages

func (*PredUpdatesChannelDifferenceTooLong) GetPts

func (*PredUpdatesChannelDifferenceTooLong) GetReadInboxMaxId

func (m *PredUpdatesChannelDifferenceTooLong) GetReadInboxMaxId() int32

func (*PredUpdatesChannelDifferenceTooLong) GetReadOutboxMaxId

func (m *PredUpdatesChannelDifferenceTooLong) GetReadOutboxMaxId() int32

func (*PredUpdatesChannelDifferenceTooLong) GetTimeout

func (*PredUpdatesChannelDifferenceTooLong) GetTopMessage

func (m *PredUpdatesChannelDifferenceTooLong) GetTopMessage() int32

func (*PredUpdatesChannelDifferenceTooLong) GetUnreadCount

func (m *PredUpdatesChannelDifferenceTooLong) GetUnreadCount() int32

func (*PredUpdatesChannelDifferenceTooLong) GetUnreadMentionsCount

func (m *PredUpdatesChannelDifferenceTooLong) GetUnreadMentionsCount() int32

func (*PredUpdatesChannelDifferenceTooLong) GetUsers

func (*PredUpdatesChannelDifferenceTooLong) ProtoMessage

func (*PredUpdatesChannelDifferenceTooLong) ProtoMessage()

func (*PredUpdatesChannelDifferenceTooLong) Reset

func (*PredUpdatesChannelDifferenceTooLong) String

func (*PredUpdatesChannelDifferenceTooLong) ToType

func (*PredUpdatesChannelDifferenceTooLong) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesChannelDifferenceTooLong) XXX_DiscardUnknown()

func (*PredUpdatesChannelDifferenceTooLong) XXX_Marshal added in v0.4.1

func (m *PredUpdatesChannelDifferenceTooLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesChannelDifferenceTooLong) XXX_Merge added in v0.4.1

func (*PredUpdatesChannelDifferenceTooLong) XXX_Size added in v0.4.1

func (*PredUpdatesChannelDifferenceTooLong) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesChannelDifferenceTooLong) XXX_Unmarshal(b []byte) error

type PredUpdatesCombined

type PredUpdatesCombined struct {
	// default: Vector<Update>
	Updates []*TypeUpdate `protobuf:"bytes,1,rep,name=Updates" json:"Updates,omitempty"`
	// default: Vector<User>
	Users []*TypeUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	// default: Vector<Chat>
	Chats                []*TypeChat `protobuf:"bytes,3,rep,name=Chats" json:"Chats,omitempty"`
	Date                 int32       `protobuf:"varint,4,opt,name=Date" json:"Date,omitempty"`
	SeqStart             int32       `protobuf:"varint,5,opt,name=SeqStart" json:"SeqStart,omitempty"`
	Seq                  int32       `protobuf:"varint,6,opt,name=Seq" json:"Seq,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*PredUpdatesCombined) Descriptor

func (*PredUpdatesCombined) Descriptor() ([]byte, []int)

func (*PredUpdatesCombined) GetChats

func (m *PredUpdatesCombined) GetChats() []*TypeChat

func (*PredUpdatesCombined) GetDate

func (m *PredUpdatesCombined) GetDate() int32

func (*PredUpdatesCombined) GetSeq

func (m *PredUpdatesCombined) GetSeq() int32

func (*PredUpdatesCombined) GetSeqStart

func (m *PredUpdatesCombined) GetSeqStart() int32

func (*PredUpdatesCombined) GetUpdates

func (m *PredUpdatesCombined) GetUpdates() []*TypeUpdate

func (*PredUpdatesCombined) GetUsers

func (m *PredUpdatesCombined) GetUsers() []*TypeUser

func (*PredUpdatesCombined) ProtoMessage

func (*PredUpdatesCombined) ProtoMessage()

func (*PredUpdatesCombined) Reset

func (m *PredUpdatesCombined) Reset()

func (*PredUpdatesCombined) String

func (m *PredUpdatesCombined) String() string

func (*PredUpdatesCombined) ToType

func (p *PredUpdatesCombined) ToType() TL

func (*PredUpdatesCombined) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesCombined) XXX_DiscardUnknown()

func (*PredUpdatesCombined) XXX_Marshal added in v0.4.1

func (m *PredUpdatesCombined) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesCombined) XXX_Merge added in v0.4.1

func (dst *PredUpdatesCombined) XXX_Merge(src proto.Message)

func (*PredUpdatesCombined) XXX_Size added in v0.4.1

func (m *PredUpdatesCombined) XXX_Size() int

func (*PredUpdatesCombined) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesCombined) XXX_Unmarshal(b []byte) error

type PredUpdatesDifference

type PredUpdatesDifference struct {
	// default: Vector<Message>
	NewMessages []*TypeMessage `protobuf:"bytes,1,rep,name=NewMessages" json:"NewMessages,omitempty"`
	// default: Vector<EncryptedMessage>
	NewEncryptedMessages []*TypeEncryptedMessage `protobuf:"bytes,2,rep,name=NewEncryptedMessages" json:"NewEncryptedMessages,omitempty"`
	// default: Vector<Update>
	OtherUpdates []*TypeUpdate `protobuf:"bytes,3,rep,name=OtherUpdates" json:"OtherUpdates,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,4,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users []*TypeUser `protobuf:"bytes,5,rep,name=Users" json:"Users,omitempty"`
	// default: updatesState
	State                *TypeUpdatesState `protobuf:"bytes,6,opt,name=State" json:"State,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredUpdatesDifference) Descriptor

func (*PredUpdatesDifference) Descriptor() ([]byte, []int)

func (*PredUpdatesDifference) GetChats

func (m *PredUpdatesDifference) GetChats() []*TypeChat

func (*PredUpdatesDifference) GetNewEncryptedMessages

func (m *PredUpdatesDifference) GetNewEncryptedMessages() []*TypeEncryptedMessage

func (*PredUpdatesDifference) GetNewMessages

func (m *PredUpdatesDifference) GetNewMessages() []*TypeMessage

func (*PredUpdatesDifference) GetOtherUpdates

func (m *PredUpdatesDifference) GetOtherUpdates() []*TypeUpdate

func (*PredUpdatesDifference) GetState

func (m *PredUpdatesDifference) GetState() *TypeUpdatesState

func (*PredUpdatesDifference) GetUsers

func (m *PredUpdatesDifference) GetUsers() []*TypeUser

func (*PredUpdatesDifference) ProtoMessage

func (*PredUpdatesDifference) ProtoMessage()

func (*PredUpdatesDifference) Reset

func (m *PredUpdatesDifference) Reset()

func (*PredUpdatesDifference) String

func (m *PredUpdatesDifference) String() string

func (*PredUpdatesDifference) ToType

func (p *PredUpdatesDifference) ToType() TL

func (*PredUpdatesDifference) UpdateDate

func (u *PredUpdatesDifference) UpdateDate() int32

func (*PredUpdatesDifference) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesDifference) XXX_DiscardUnknown()

func (*PredUpdatesDifference) XXX_Marshal added in v0.4.1

func (m *PredUpdatesDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesDifference) XXX_Merge added in v0.4.1

func (dst *PredUpdatesDifference) XXX_Merge(src proto.Message)

func (*PredUpdatesDifference) XXX_Size added in v0.4.1

func (m *PredUpdatesDifference) XXX_Size() int

func (*PredUpdatesDifference) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesDifference) XXX_Unmarshal(b []byte) error

type PredUpdatesDifferenceEmpty

type PredUpdatesDifferenceEmpty struct {
	Date                 int32    `protobuf:"varint,1,opt,name=Date" json:"Date,omitempty"`
	Seq                  int32    `protobuf:"varint,2,opt,name=Seq" json:"Seq,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatesDifferenceEmpty) Descriptor

func (*PredUpdatesDifferenceEmpty) Descriptor() ([]byte, []int)

func (*PredUpdatesDifferenceEmpty) GetDate

func (m *PredUpdatesDifferenceEmpty) GetDate() int32

func (*PredUpdatesDifferenceEmpty) GetSeq

func (m *PredUpdatesDifferenceEmpty) GetSeq() int32

func (*PredUpdatesDifferenceEmpty) ProtoMessage

func (*PredUpdatesDifferenceEmpty) ProtoMessage()

func (*PredUpdatesDifferenceEmpty) Reset

func (m *PredUpdatesDifferenceEmpty) Reset()

func (*PredUpdatesDifferenceEmpty) String

func (m *PredUpdatesDifferenceEmpty) String() string

func (*PredUpdatesDifferenceEmpty) ToType

func (p *PredUpdatesDifferenceEmpty) ToType() TL

func (*PredUpdatesDifferenceEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesDifferenceEmpty) XXX_DiscardUnknown()

func (*PredUpdatesDifferenceEmpty) XXX_Marshal added in v0.4.1

func (m *PredUpdatesDifferenceEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesDifferenceEmpty) XXX_Merge added in v0.4.1

func (dst *PredUpdatesDifferenceEmpty) XXX_Merge(src proto.Message)

func (*PredUpdatesDifferenceEmpty) XXX_Size added in v0.4.1

func (m *PredUpdatesDifferenceEmpty) XXX_Size() int

func (*PredUpdatesDifferenceEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesDifferenceEmpty) XXX_Unmarshal(b []byte) error

type PredUpdatesDifferenceSlice

type PredUpdatesDifferenceSlice struct {
	// default: Vector<Message>
	NewMessages []*TypeMessage `protobuf:"bytes,1,rep,name=NewMessages" json:"NewMessages,omitempty"`
	// default: Vector<EncryptedMessage>
	NewEncryptedMessages []*TypeEncryptedMessage `protobuf:"bytes,2,rep,name=NewEncryptedMessages" json:"NewEncryptedMessages,omitempty"`
	// default: Vector<Update>
	OtherUpdates []*TypeUpdate `protobuf:"bytes,3,rep,name=OtherUpdates" json:"OtherUpdates,omitempty"`
	// default: Vector<Chat>
	Chats []*TypeChat `protobuf:"bytes,4,rep,name=Chats" json:"Chats,omitempty"`
	// default: Vector<User>
	Users []*TypeUser `protobuf:"bytes,5,rep,name=Users" json:"Users,omitempty"`
	// default: updatesState
	IntermediateState    *TypeUpdatesState `protobuf:"bytes,6,opt,name=IntermediateState" json:"IntermediateState,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredUpdatesDifferenceSlice) Descriptor

func (*PredUpdatesDifferenceSlice) Descriptor() ([]byte, []int)

func (*PredUpdatesDifferenceSlice) GetChats

func (m *PredUpdatesDifferenceSlice) GetChats() []*TypeChat

func (*PredUpdatesDifferenceSlice) GetIntermediateState

func (m *PredUpdatesDifferenceSlice) GetIntermediateState() *TypeUpdatesState

func (*PredUpdatesDifferenceSlice) GetNewEncryptedMessages

func (m *PredUpdatesDifferenceSlice) GetNewEncryptedMessages() []*TypeEncryptedMessage

func (*PredUpdatesDifferenceSlice) GetNewMessages

func (m *PredUpdatesDifferenceSlice) GetNewMessages() []*TypeMessage

func (*PredUpdatesDifferenceSlice) GetOtherUpdates

func (m *PredUpdatesDifferenceSlice) GetOtherUpdates() []*TypeUpdate

func (*PredUpdatesDifferenceSlice) GetUsers

func (m *PredUpdatesDifferenceSlice) GetUsers() []*TypeUser

func (*PredUpdatesDifferenceSlice) ProtoMessage

func (*PredUpdatesDifferenceSlice) ProtoMessage()

func (*PredUpdatesDifferenceSlice) Reset

func (m *PredUpdatesDifferenceSlice) Reset()

func (*PredUpdatesDifferenceSlice) String

func (m *PredUpdatesDifferenceSlice) String() string

func (*PredUpdatesDifferenceSlice) ToType

func (p *PredUpdatesDifferenceSlice) ToType() TL

func (*PredUpdatesDifferenceSlice) UpdateDate

func (u *PredUpdatesDifferenceSlice) UpdateDate() int32

func (*PredUpdatesDifferenceSlice) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesDifferenceSlice) XXX_DiscardUnknown()

func (*PredUpdatesDifferenceSlice) XXX_Marshal added in v0.4.1

func (m *PredUpdatesDifferenceSlice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesDifferenceSlice) XXX_Merge added in v0.4.1

func (dst *PredUpdatesDifferenceSlice) XXX_Merge(src proto.Message)

func (*PredUpdatesDifferenceSlice) XXX_Size added in v0.4.1

func (m *PredUpdatesDifferenceSlice) XXX_Size() int

func (*PredUpdatesDifferenceSlice) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesDifferenceSlice) XXX_Unmarshal(b []byte) error

type PredUpdatesDifferenceTooLong

type PredUpdatesDifferenceTooLong struct {
	Pts                  int32    `protobuf:"varint,1,opt,name=Pts" json:"Pts,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatesDifferenceTooLong) Descriptor

func (*PredUpdatesDifferenceTooLong) Descriptor() ([]byte, []int)

func (*PredUpdatesDifferenceTooLong) GetPts

func (m *PredUpdatesDifferenceTooLong) GetPts() int32

func (*PredUpdatesDifferenceTooLong) ProtoMessage

func (*PredUpdatesDifferenceTooLong) ProtoMessage()

func (*PredUpdatesDifferenceTooLong) Reset

func (m *PredUpdatesDifferenceTooLong) Reset()

func (*PredUpdatesDifferenceTooLong) String

func (*PredUpdatesDifferenceTooLong) ToType

func (p *PredUpdatesDifferenceTooLong) ToType() TL

func (*PredUpdatesDifferenceTooLong) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesDifferenceTooLong) XXX_DiscardUnknown()

func (*PredUpdatesDifferenceTooLong) XXX_Marshal added in v0.4.1

func (m *PredUpdatesDifferenceTooLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesDifferenceTooLong) XXX_Merge added in v0.4.1

func (dst *PredUpdatesDifferenceTooLong) XXX_Merge(src proto.Message)

func (*PredUpdatesDifferenceTooLong) XXX_Size added in v0.4.1

func (m *PredUpdatesDifferenceTooLong) XXX_Size() int

func (*PredUpdatesDifferenceTooLong) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesDifferenceTooLong) XXX_Unmarshal(b []byte) error

type PredUpdatesState

type PredUpdatesState struct {
	Pts                  int32    `protobuf:"varint,1,opt,name=Pts" json:"Pts,omitempty"`
	Qts                  int32    `protobuf:"varint,2,opt,name=Qts" json:"Qts,omitempty"`
	Date                 int32    `protobuf:"varint,3,opt,name=Date" json:"Date,omitempty"`
	Seq                  int32    `protobuf:"varint,4,opt,name=Seq" json:"Seq,omitempty"`
	UnreadCount          int32    `protobuf:"varint,5,opt,name=UnreadCount" json:"UnreadCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatesState) Descriptor

func (*PredUpdatesState) Descriptor() ([]byte, []int)

func (*PredUpdatesState) GetDate

func (m *PredUpdatesState) GetDate() int32

func (*PredUpdatesState) GetPts

func (m *PredUpdatesState) GetPts() int32

func (*PredUpdatesState) GetQts

func (m *PredUpdatesState) GetQts() int32

func (*PredUpdatesState) GetSeq

func (m *PredUpdatesState) GetSeq() int32

func (*PredUpdatesState) GetUnreadCount

func (m *PredUpdatesState) GetUnreadCount() int32

func (*PredUpdatesState) ProtoMessage

func (*PredUpdatesState) ProtoMessage()

func (*PredUpdatesState) Reset

func (m *PredUpdatesState) Reset()

func (*PredUpdatesState) String

func (m *PredUpdatesState) String() string

func (*PredUpdatesState) ToType

func (p *PredUpdatesState) ToType() TL

func (*PredUpdatesState) UpdateDate

func (u *PredUpdatesState) UpdateDate() int32

func (*PredUpdatesState) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesState) XXX_DiscardUnknown()

func (*PredUpdatesState) XXX_Marshal added in v0.4.1

func (m *PredUpdatesState) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesState) XXX_Merge added in v0.4.1

func (dst *PredUpdatesState) XXX_Merge(src proto.Message)

func (*PredUpdatesState) XXX_Size added in v0.4.1

func (m *PredUpdatesState) XXX_Size() int

func (*PredUpdatesState) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesState) XXX_Unmarshal(b []byte) error

type PredUpdatesTooLong

type PredUpdatesTooLong struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUpdatesTooLong) Descriptor

func (*PredUpdatesTooLong) Descriptor() ([]byte, []int)

func (*PredUpdatesTooLong) ProtoMessage

func (*PredUpdatesTooLong) ProtoMessage()

func (*PredUpdatesTooLong) Reset

func (m *PredUpdatesTooLong) Reset()

func (*PredUpdatesTooLong) String

func (m *PredUpdatesTooLong) String() string

func (*PredUpdatesTooLong) ToType

func (p *PredUpdatesTooLong) ToType() TL

func (*PredUpdatesTooLong) XXX_DiscardUnknown added in v0.4.1

func (m *PredUpdatesTooLong) XXX_DiscardUnknown()

func (*PredUpdatesTooLong) XXX_Marshal added in v0.4.1

func (m *PredUpdatesTooLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUpdatesTooLong) XXX_Merge added in v0.4.1

func (dst *PredUpdatesTooLong) XXX_Merge(src proto.Message)

func (*PredUpdatesTooLong) XXX_Size added in v0.4.1

func (m *PredUpdatesTooLong) XXX_Size() int

func (*PredUpdatesTooLong) XXX_Unmarshal added in v0.4.1

func (m *PredUpdatesTooLong) XXX_Unmarshal(b []byte) error

type PredUploadCdnFile

type PredUploadCdnFile struct {
	Bytes                []byte   `protobuf:"bytes,1,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUploadCdnFile) Descriptor

func (*PredUploadCdnFile) Descriptor() ([]byte, []int)

func (*PredUploadCdnFile) GetBytes

func (m *PredUploadCdnFile) GetBytes() []byte

func (*PredUploadCdnFile) ProtoMessage

func (*PredUploadCdnFile) ProtoMessage()

func (*PredUploadCdnFile) Reset

func (m *PredUploadCdnFile) Reset()

func (*PredUploadCdnFile) String

func (m *PredUploadCdnFile) String() string

func (*PredUploadCdnFile) ToType

func (p *PredUploadCdnFile) ToType() TL

func (*PredUploadCdnFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredUploadCdnFile) XXX_DiscardUnknown()

func (*PredUploadCdnFile) XXX_Marshal added in v0.4.1

func (m *PredUploadCdnFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUploadCdnFile) XXX_Merge added in v0.4.1

func (dst *PredUploadCdnFile) XXX_Merge(src proto.Message)

func (*PredUploadCdnFile) XXX_Size added in v0.4.1

func (m *PredUploadCdnFile) XXX_Size() int

func (*PredUploadCdnFile) XXX_Unmarshal added in v0.4.1

func (m *PredUploadCdnFile) XXX_Unmarshal(b []byte) error

type PredUploadCdnFileReuploadNeeded

type PredUploadCdnFileReuploadNeeded struct {
	RequestToken         []byte   `protobuf:"bytes,1,opt,name=RequestToken,proto3" json:"RequestToken,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUploadCdnFileReuploadNeeded) Descriptor

func (*PredUploadCdnFileReuploadNeeded) Descriptor() ([]byte, []int)

func (*PredUploadCdnFileReuploadNeeded) GetRequestToken

func (m *PredUploadCdnFileReuploadNeeded) GetRequestToken() []byte

func (*PredUploadCdnFileReuploadNeeded) ProtoMessage

func (*PredUploadCdnFileReuploadNeeded) ProtoMessage()

func (*PredUploadCdnFileReuploadNeeded) Reset

func (*PredUploadCdnFileReuploadNeeded) String

func (*PredUploadCdnFileReuploadNeeded) ToType

func (p *PredUploadCdnFileReuploadNeeded) ToType() TL

func (*PredUploadCdnFileReuploadNeeded) XXX_DiscardUnknown added in v0.4.1

func (m *PredUploadCdnFileReuploadNeeded) XXX_DiscardUnknown()

func (*PredUploadCdnFileReuploadNeeded) XXX_Marshal added in v0.4.1

func (m *PredUploadCdnFileReuploadNeeded) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUploadCdnFileReuploadNeeded) XXX_Merge added in v0.4.1

func (dst *PredUploadCdnFileReuploadNeeded) XXX_Merge(src proto.Message)

func (*PredUploadCdnFileReuploadNeeded) XXX_Size added in v0.4.1

func (m *PredUploadCdnFileReuploadNeeded) XXX_Size() int

func (*PredUploadCdnFileReuploadNeeded) XXX_Unmarshal added in v0.4.1

func (m *PredUploadCdnFileReuploadNeeded) XXX_Unmarshal(b []byte) error

type PredUploadFile

type PredUploadFile struct {
	// default: storageFileType
	Type                 *TypeStorageFileType `protobuf:"bytes,1,opt,name=Type" json:"Type,omitempty"`
	Mtime                int32                `protobuf:"varint,2,opt,name=Mtime" json:"Mtime,omitempty"`
	Bytes                []byte               `protobuf:"bytes,3,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUploadFile) Descriptor

func (*PredUploadFile) Descriptor() ([]byte, []int)

func (*PredUploadFile) GetBytes

func (m *PredUploadFile) GetBytes() []byte

func (*PredUploadFile) GetMtime

func (m *PredUploadFile) GetMtime() int32

func (*PredUploadFile) GetType

func (m *PredUploadFile) GetType() *TypeStorageFileType

func (*PredUploadFile) ProtoMessage

func (*PredUploadFile) ProtoMessage()

func (*PredUploadFile) Reset

func (m *PredUploadFile) Reset()

func (*PredUploadFile) String

func (m *PredUploadFile) String() string

func (*PredUploadFile) ToType

func (p *PredUploadFile) ToType() TL

func (*PredUploadFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredUploadFile) XXX_DiscardUnknown()

func (*PredUploadFile) XXX_Marshal added in v0.4.1

func (m *PredUploadFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUploadFile) XXX_Merge added in v0.4.1

func (dst *PredUploadFile) XXX_Merge(src proto.Message)

func (*PredUploadFile) XXX_Size added in v0.4.1

func (m *PredUploadFile) XXX_Size() int

func (*PredUploadFile) XXX_Unmarshal added in v0.4.1

func (m *PredUploadFile) XXX_Unmarshal(b []byte) error

type PredUploadFileCdnRedirect

type PredUploadFileCdnRedirect struct {
	DcId          int32  `protobuf:"varint,1,opt,name=DcId" json:"DcId,omitempty"`
	FileToken     []byte `protobuf:"bytes,2,opt,name=FileToken,proto3" json:"FileToken,omitempty"`
	EncryptionKey []byte `protobuf:"bytes,3,opt,name=EncryptionKey,proto3" json:"EncryptionKey,omitempty"`
	EncryptionIv  []byte `protobuf:"bytes,4,opt,name=EncryptionIv,proto3" json:"EncryptionIv,omitempty"`
	// default: Vector<CdnFileHash>
	CdnFileHashes        []*TypeCdnFileHash `protobuf:"bytes,5,rep,name=CdnFileHashes" json:"CdnFileHashes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*PredUploadFileCdnRedirect) Descriptor

func (*PredUploadFileCdnRedirect) Descriptor() ([]byte, []int)

func (*PredUploadFileCdnRedirect) GetCdnFileHashes

func (m *PredUploadFileCdnRedirect) GetCdnFileHashes() []*TypeCdnFileHash

func (*PredUploadFileCdnRedirect) GetDcId

func (m *PredUploadFileCdnRedirect) GetDcId() int32

func (*PredUploadFileCdnRedirect) GetEncryptionIv

func (m *PredUploadFileCdnRedirect) GetEncryptionIv() []byte

func (*PredUploadFileCdnRedirect) GetEncryptionKey

func (m *PredUploadFileCdnRedirect) GetEncryptionKey() []byte

func (*PredUploadFileCdnRedirect) GetFileToken

func (m *PredUploadFileCdnRedirect) GetFileToken() []byte

func (*PredUploadFileCdnRedirect) ProtoMessage

func (*PredUploadFileCdnRedirect) ProtoMessage()

func (*PredUploadFileCdnRedirect) Reset

func (m *PredUploadFileCdnRedirect) Reset()

func (*PredUploadFileCdnRedirect) String

func (m *PredUploadFileCdnRedirect) String() string

func (*PredUploadFileCdnRedirect) ToType

func (p *PredUploadFileCdnRedirect) ToType() TL

func (*PredUploadFileCdnRedirect) XXX_DiscardUnknown added in v0.4.1

func (m *PredUploadFileCdnRedirect) XXX_DiscardUnknown()

func (*PredUploadFileCdnRedirect) XXX_Marshal added in v0.4.1

func (m *PredUploadFileCdnRedirect) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUploadFileCdnRedirect) XXX_Merge added in v0.4.1

func (dst *PredUploadFileCdnRedirect) XXX_Merge(src proto.Message)

func (*PredUploadFileCdnRedirect) XXX_Size added in v0.4.1

func (m *PredUploadFileCdnRedirect) XXX_Size() int

func (*PredUploadFileCdnRedirect) XXX_Unmarshal added in v0.4.1

func (m *PredUploadFileCdnRedirect) XXX_Unmarshal(b []byte) error

type PredUploadWebFile

type PredUploadWebFile struct {
	Size     int32  `protobuf:"varint,1,opt,name=Size" json:"Size,omitempty"`
	MimeType string `protobuf:"bytes,2,opt,name=MimeType" json:"MimeType,omitempty"`
	// default: storageFileType
	FileType             *TypeStorageFileType `protobuf:"bytes,3,opt,name=FileType" json:"FileType,omitempty"`
	Mtime                int32                `protobuf:"varint,4,opt,name=Mtime" json:"Mtime,omitempty"`
	Bytes                []byte               `protobuf:"bytes,5,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*PredUploadWebFile) Descriptor

func (*PredUploadWebFile) Descriptor() ([]byte, []int)

func (*PredUploadWebFile) GetBytes

func (m *PredUploadWebFile) GetBytes() []byte

func (*PredUploadWebFile) GetFileType

func (m *PredUploadWebFile) GetFileType() *TypeStorageFileType

func (*PredUploadWebFile) GetMimeType

func (m *PredUploadWebFile) GetMimeType() string

func (*PredUploadWebFile) GetMtime

func (m *PredUploadWebFile) GetMtime() int32

func (*PredUploadWebFile) GetSize

func (m *PredUploadWebFile) GetSize() int32

func (*PredUploadWebFile) ProtoMessage

func (*PredUploadWebFile) ProtoMessage()

func (*PredUploadWebFile) Reset

func (m *PredUploadWebFile) Reset()

func (*PredUploadWebFile) String

func (m *PredUploadWebFile) String() string

func (*PredUploadWebFile) ToType

func (p *PredUploadWebFile) ToType() TL

func (*PredUploadWebFile) XXX_DiscardUnknown added in v0.4.1

func (m *PredUploadWebFile) XXX_DiscardUnknown()

func (*PredUploadWebFile) XXX_Marshal added in v0.4.1

func (m *PredUploadWebFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUploadWebFile) XXX_Merge added in v0.4.1

func (dst *PredUploadWebFile) XXX_Merge(src proto.Message)

func (*PredUploadWebFile) XXX_Size added in v0.4.1

func (m *PredUploadWebFile) XXX_Size() int

func (*PredUploadWebFile) XXX_Unmarshal added in v0.4.1

func (m *PredUploadWebFile) XXX_Unmarshal(b []byte) error

type PredUser

type PredUser struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Self	bool // flags.10?true
	// Contact	bool // flags.11?true
	// MutualContact	bool // flags.12?true
	// Deleted	bool // flags.13?true
	// Bot	bool // flags.14?true
	// BotChatHistory	bool // flags.15?true
	// BotNochats	bool // flags.16?true
	// Verified	bool // flags.17?true
	// Restricted	bool // flags.18?true
	// Min	bool // flags.20?true
	// BotInlineGeo	bool // flags.21?true
	Id         int32  `protobuf:"varint,13,opt,name=Id" json:"Id,omitempty"`
	AccessHash int64  `protobuf:"varint,14,opt,name=AccessHash" json:"AccessHash,omitempty"`
	FirstName  string `protobuf:"bytes,15,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName   string `protobuf:"bytes,16,opt,name=LastName" json:"LastName,omitempty"`
	Username   string `protobuf:"bytes,17,opt,name=Username" json:"Username,omitempty"`
	Phone      string `protobuf:"bytes,18,opt,name=Phone" json:"Phone,omitempty"`
	// default: UserProfilePhoto
	Photo *TypeUserProfilePhoto `protobuf:"bytes,19,opt,name=Photo" json:"Photo,omitempty"`
	// default: UserStatus
	Status               *TypeUserStatus `protobuf:"bytes,20,opt,name=Status" json:"Status,omitempty"`
	BotInfoVersion       int32           `protobuf:"varint,21,opt,name=BotInfoVersion" json:"BotInfoVersion,omitempty"`
	RestrictionReason    string          `protobuf:"bytes,22,opt,name=RestrictionReason" json:"RestrictionReason,omitempty"`
	BotInlinePlaceholder string          `protobuf:"bytes,23,opt,name=BotInlinePlaceholder" json:"BotInlinePlaceholder,omitempty"`
	LangCode             string          `protobuf:"bytes,24,opt,name=LangCode" json:"LangCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*PredUser) Descriptor

func (*PredUser) Descriptor() ([]byte, []int)

func (*PredUser) GetAccessHash

func (m *PredUser) GetAccessHash() int64

func (*PredUser) GetBotInfoVersion

func (m *PredUser) GetBotInfoVersion() int32

func (*PredUser) GetBotInlinePlaceholder

func (m *PredUser) GetBotInlinePlaceholder() string

func (*PredUser) GetFirstName

func (m *PredUser) GetFirstName() string

func (*PredUser) GetFlags

func (m *PredUser) GetFlags() int32

func (*PredUser) GetId

func (m *PredUser) GetId() int32

func (*PredUser) GetLangCode

func (m *PredUser) GetLangCode() string

func (*PredUser) GetLastName

func (m *PredUser) GetLastName() string

func (*PredUser) GetPhone

func (m *PredUser) GetPhone() string

func (*PredUser) GetPhoto

func (m *PredUser) GetPhoto() *TypeUserProfilePhoto

func (*PredUser) GetRestrictionReason

func (m *PredUser) GetRestrictionReason() string

func (*PredUser) GetStatus

func (m *PredUser) GetStatus() *TypeUserStatus

func (*PredUser) GetUsername

func (m *PredUser) GetUsername() string

func (*PredUser) ProtoMessage

func (*PredUser) ProtoMessage()

func (*PredUser) Reset

func (m *PredUser) Reset()

func (*PredUser) String

func (m *PredUser) String() string

func (*PredUser) ToType

func (p *PredUser) ToType() TL

func (*PredUser) XXX_DiscardUnknown added in v0.4.1

func (m *PredUser) XXX_DiscardUnknown()

func (*PredUser) XXX_Marshal added in v0.4.1

func (m *PredUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUser) XXX_Merge added in v0.4.1

func (dst *PredUser) XXX_Merge(src proto.Message)

func (*PredUser) XXX_Size added in v0.4.1

func (m *PredUser) XXX_Size() int

func (*PredUser) XXX_Unmarshal added in v0.4.1

func (m *PredUser) XXX_Unmarshal(b []byte) error

type PredUserEmpty

type PredUserEmpty struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserEmpty) Descriptor

func (*PredUserEmpty) Descriptor() ([]byte, []int)

func (*PredUserEmpty) GetId

func (m *PredUserEmpty) GetId() int32

func (*PredUserEmpty) ProtoMessage

func (*PredUserEmpty) ProtoMessage()

func (*PredUserEmpty) Reset

func (m *PredUserEmpty) Reset()

func (*PredUserEmpty) String

func (m *PredUserEmpty) String() string

func (*PredUserEmpty) ToType

func (p *PredUserEmpty) ToType() TL

func (*PredUserEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserEmpty) XXX_DiscardUnknown()

func (*PredUserEmpty) XXX_Marshal added in v0.4.1

func (m *PredUserEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserEmpty) XXX_Merge added in v0.4.1

func (dst *PredUserEmpty) XXX_Merge(src proto.Message)

func (*PredUserEmpty) XXX_Size added in v0.4.1

func (m *PredUserEmpty) XXX_Size() int

func (*PredUserEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredUserEmpty) XXX_Unmarshal(b []byte) error

type PredUserFull

type PredUserFull struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Blocked	bool // flags.0?true
	// PhoneCallsAvailable	bool // flags.4?true
	// PhoneCallsPrivate	bool // flags.5?true
	// default: User
	User  *TypeUser `protobuf:"bytes,5,opt,name=User" json:"User,omitempty"`
	About string    `protobuf:"bytes,6,opt,name=About" json:"About,omitempty"`
	// default: contactsLink
	Link *TypeContactsLink `protobuf:"bytes,7,opt,name=Link" json:"Link,omitempty"`
	// default: Photo
	ProfilePhoto *TypePhoto `protobuf:"bytes,8,opt,name=ProfilePhoto" json:"ProfilePhoto,omitempty"`
	// default: PeerNotifySettings
	NotifySettings *TypePeerNotifySettings `protobuf:"bytes,9,opt,name=NotifySettings" json:"NotifySettings,omitempty"`
	// default: BotInfo
	BotInfo              *TypeBotInfo `protobuf:"bytes,10,opt,name=BotInfo" json:"BotInfo,omitempty"`
	CommonChatsCount     int32        `protobuf:"varint,11,opt,name=CommonChatsCount" json:"CommonChatsCount,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*PredUserFull) Descriptor

func (*PredUserFull) Descriptor() ([]byte, []int)

func (*PredUserFull) GetAbout

func (m *PredUserFull) GetAbout() string

func (*PredUserFull) GetBotInfo

func (m *PredUserFull) GetBotInfo() *TypeBotInfo

func (*PredUserFull) GetCommonChatsCount

func (m *PredUserFull) GetCommonChatsCount() int32

func (*PredUserFull) GetFlags

func (m *PredUserFull) GetFlags() int32
func (m *PredUserFull) GetLink() *TypeContactsLink

func (*PredUserFull) GetNotifySettings

func (m *PredUserFull) GetNotifySettings() *TypePeerNotifySettings

func (*PredUserFull) GetProfilePhoto

func (m *PredUserFull) GetProfilePhoto() *TypePhoto

func (*PredUserFull) GetUser

func (m *PredUserFull) GetUser() *TypeUser

func (*PredUserFull) ProtoMessage

func (*PredUserFull) ProtoMessage()

func (*PredUserFull) Reset

func (m *PredUserFull) Reset()

func (*PredUserFull) String

func (m *PredUserFull) String() string

func (*PredUserFull) ToType

func (p *PredUserFull) ToType() TL

func (*PredUserFull) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserFull) XXX_DiscardUnknown()

func (*PredUserFull) XXX_Marshal added in v0.4.1

func (m *PredUserFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserFull) XXX_Merge added in v0.4.1

func (dst *PredUserFull) XXX_Merge(src proto.Message)

func (*PredUserFull) XXX_Size added in v0.4.1

func (m *PredUserFull) XXX_Size() int

func (*PredUserFull) XXX_Unmarshal added in v0.4.1

func (m *PredUserFull) XXX_Unmarshal(b []byte) error

type PredUserProfilePhoto

type PredUserProfilePhoto struct {
	PhotoId int64 `protobuf:"varint,1,opt,name=PhotoId" json:"PhotoId,omitempty"`
	// default: FileLocation
	PhotoSmall *TypeFileLocation `protobuf:"bytes,2,opt,name=PhotoSmall" json:"PhotoSmall,omitempty"`
	// default: FileLocation
	PhotoBig             *TypeFileLocation `protobuf:"bytes,3,opt,name=PhotoBig" json:"PhotoBig,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*PredUserProfilePhoto) Descriptor

func (*PredUserProfilePhoto) Descriptor() ([]byte, []int)

func (*PredUserProfilePhoto) GetPhotoBig

func (m *PredUserProfilePhoto) GetPhotoBig() *TypeFileLocation

func (*PredUserProfilePhoto) GetPhotoId

func (m *PredUserProfilePhoto) GetPhotoId() int64

func (*PredUserProfilePhoto) GetPhotoSmall

func (m *PredUserProfilePhoto) GetPhotoSmall() *TypeFileLocation

func (*PredUserProfilePhoto) ProtoMessage

func (*PredUserProfilePhoto) ProtoMessage()

func (*PredUserProfilePhoto) Reset

func (m *PredUserProfilePhoto) Reset()

func (*PredUserProfilePhoto) String

func (m *PredUserProfilePhoto) String() string

func (*PredUserProfilePhoto) ToType

func (p *PredUserProfilePhoto) ToType() TL

func (*PredUserProfilePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserProfilePhoto) XXX_DiscardUnknown()

func (*PredUserProfilePhoto) XXX_Marshal added in v0.4.1

func (m *PredUserProfilePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserProfilePhoto) XXX_Merge added in v0.4.1

func (dst *PredUserProfilePhoto) XXX_Merge(src proto.Message)

func (*PredUserProfilePhoto) XXX_Size added in v0.4.1

func (m *PredUserProfilePhoto) XXX_Size() int

func (*PredUserProfilePhoto) XXX_Unmarshal added in v0.4.1

func (m *PredUserProfilePhoto) XXX_Unmarshal(b []byte) error

type PredUserProfilePhotoEmpty

type PredUserProfilePhotoEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserProfilePhotoEmpty) Descriptor

func (*PredUserProfilePhotoEmpty) Descriptor() ([]byte, []int)

func (*PredUserProfilePhotoEmpty) ProtoMessage

func (*PredUserProfilePhotoEmpty) ProtoMessage()

func (*PredUserProfilePhotoEmpty) Reset

func (m *PredUserProfilePhotoEmpty) Reset()

func (*PredUserProfilePhotoEmpty) String

func (m *PredUserProfilePhotoEmpty) String() string

func (*PredUserProfilePhotoEmpty) ToType

func (p *PredUserProfilePhotoEmpty) ToType() TL

func (*PredUserProfilePhotoEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserProfilePhotoEmpty) XXX_DiscardUnknown()

func (*PredUserProfilePhotoEmpty) XXX_Marshal added in v0.4.1

func (m *PredUserProfilePhotoEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserProfilePhotoEmpty) XXX_Merge added in v0.4.1

func (dst *PredUserProfilePhotoEmpty) XXX_Merge(src proto.Message)

func (*PredUserProfilePhotoEmpty) XXX_Size added in v0.4.1

func (m *PredUserProfilePhotoEmpty) XXX_Size() int

func (*PredUserProfilePhotoEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredUserProfilePhotoEmpty) XXX_Unmarshal(b []byte) error

type PredUserStatusEmpty

type PredUserStatusEmpty struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusEmpty) Descriptor

func (*PredUserStatusEmpty) Descriptor() ([]byte, []int)

func (*PredUserStatusEmpty) ProtoMessage

func (*PredUserStatusEmpty) ProtoMessage()

func (*PredUserStatusEmpty) Reset

func (m *PredUserStatusEmpty) Reset()

func (*PredUserStatusEmpty) String

func (m *PredUserStatusEmpty) String() string

func (*PredUserStatusEmpty) ToType

func (p *PredUserStatusEmpty) ToType() TL

func (*PredUserStatusEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusEmpty) XXX_DiscardUnknown()

func (*PredUserStatusEmpty) XXX_Marshal added in v0.4.1

func (m *PredUserStatusEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusEmpty) XXX_Merge added in v0.4.1

func (dst *PredUserStatusEmpty) XXX_Merge(src proto.Message)

func (*PredUserStatusEmpty) XXX_Size added in v0.4.1

func (m *PredUserStatusEmpty) XXX_Size() int

func (*PredUserStatusEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusEmpty) XXX_Unmarshal(b []byte) error

type PredUserStatusLastMonth

type PredUserStatusLastMonth struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusLastMonth) Descriptor

func (*PredUserStatusLastMonth) Descriptor() ([]byte, []int)

func (*PredUserStatusLastMonth) ProtoMessage

func (*PredUserStatusLastMonth) ProtoMessage()

func (*PredUserStatusLastMonth) Reset

func (m *PredUserStatusLastMonth) Reset()

func (*PredUserStatusLastMonth) String

func (m *PredUserStatusLastMonth) String() string

func (*PredUserStatusLastMonth) ToType

func (p *PredUserStatusLastMonth) ToType() TL

func (*PredUserStatusLastMonth) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusLastMonth) XXX_DiscardUnknown()

func (*PredUserStatusLastMonth) XXX_Marshal added in v0.4.1

func (m *PredUserStatusLastMonth) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusLastMonth) XXX_Merge added in v0.4.1

func (dst *PredUserStatusLastMonth) XXX_Merge(src proto.Message)

func (*PredUserStatusLastMonth) XXX_Size added in v0.4.1

func (m *PredUserStatusLastMonth) XXX_Size() int

func (*PredUserStatusLastMonth) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusLastMonth) XXX_Unmarshal(b []byte) error

type PredUserStatusLastWeek

type PredUserStatusLastWeek struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusLastWeek) Descriptor

func (*PredUserStatusLastWeek) Descriptor() ([]byte, []int)

func (*PredUserStatusLastWeek) ProtoMessage

func (*PredUserStatusLastWeek) ProtoMessage()

func (*PredUserStatusLastWeek) Reset

func (m *PredUserStatusLastWeek) Reset()

func (*PredUserStatusLastWeek) String

func (m *PredUserStatusLastWeek) String() string

func (*PredUserStatusLastWeek) ToType

func (p *PredUserStatusLastWeek) ToType() TL

func (*PredUserStatusLastWeek) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusLastWeek) XXX_DiscardUnknown()

func (*PredUserStatusLastWeek) XXX_Marshal added in v0.4.1

func (m *PredUserStatusLastWeek) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusLastWeek) XXX_Merge added in v0.4.1

func (dst *PredUserStatusLastWeek) XXX_Merge(src proto.Message)

func (*PredUserStatusLastWeek) XXX_Size added in v0.4.1

func (m *PredUserStatusLastWeek) XXX_Size() int

func (*PredUserStatusLastWeek) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusLastWeek) XXX_Unmarshal(b []byte) error

type PredUserStatusOffline

type PredUserStatusOffline struct {
	WasOnline            int32    `protobuf:"varint,1,opt,name=WasOnline" json:"WasOnline,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusOffline) Descriptor

func (*PredUserStatusOffline) Descriptor() ([]byte, []int)

func (*PredUserStatusOffline) GetWasOnline

func (m *PredUserStatusOffline) GetWasOnline() int32

func (*PredUserStatusOffline) ProtoMessage

func (*PredUserStatusOffline) ProtoMessage()

func (*PredUserStatusOffline) Reset

func (m *PredUserStatusOffline) Reset()

func (*PredUserStatusOffline) String

func (m *PredUserStatusOffline) String() string

func (*PredUserStatusOffline) ToType

func (p *PredUserStatusOffline) ToType() TL

func (*PredUserStatusOffline) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusOffline) XXX_DiscardUnknown()

func (*PredUserStatusOffline) XXX_Marshal added in v0.4.1

func (m *PredUserStatusOffline) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusOffline) XXX_Merge added in v0.4.1

func (dst *PredUserStatusOffline) XXX_Merge(src proto.Message)

func (*PredUserStatusOffline) XXX_Size added in v0.4.1

func (m *PredUserStatusOffline) XXX_Size() int

func (*PredUserStatusOffline) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusOffline) XXX_Unmarshal(b []byte) error

type PredUserStatusOnline

type PredUserStatusOnline struct {
	Expires              int32    `protobuf:"varint,1,opt,name=Expires" json:"Expires,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusOnline) Descriptor

func (*PredUserStatusOnline) Descriptor() ([]byte, []int)

func (*PredUserStatusOnline) GetExpires

func (m *PredUserStatusOnline) GetExpires() int32

func (*PredUserStatusOnline) ProtoMessage

func (*PredUserStatusOnline) ProtoMessage()

func (*PredUserStatusOnline) Reset

func (m *PredUserStatusOnline) Reset()

func (*PredUserStatusOnline) String

func (m *PredUserStatusOnline) String() string

func (*PredUserStatusOnline) ToType

func (p *PredUserStatusOnline) ToType() TL

func (*PredUserStatusOnline) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusOnline) XXX_DiscardUnknown()

func (*PredUserStatusOnline) XXX_Marshal added in v0.4.1

func (m *PredUserStatusOnline) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusOnline) XXX_Merge added in v0.4.1

func (dst *PredUserStatusOnline) XXX_Merge(src proto.Message)

func (*PredUserStatusOnline) XXX_Size added in v0.4.1

func (m *PredUserStatusOnline) XXX_Size() int

func (*PredUserStatusOnline) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusOnline) XXX_Unmarshal(b []byte) error

type PredUserStatusRecently

type PredUserStatusRecently struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredUserStatusRecently) Descriptor

func (*PredUserStatusRecently) Descriptor() ([]byte, []int)

func (*PredUserStatusRecently) ProtoMessage

func (*PredUserStatusRecently) ProtoMessage()

func (*PredUserStatusRecently) Reset

func (m *PredUserStatusRecently) Reset()

func (*PredUserStatusRecently) String

func (m *PredUserStatusRecently) String() string

func (*PredUserStatusRecently) ToType

func (p *PredUserStatusRecently) ToType() TL

func (*PredUserStatusRecently) XXX_DiscardUnknown added in v0.4.1

func (m *PredUserStatusRecently) XXX_DiscardUnknown()

func (*PredUserStatusRecently) XXX_Marshal added in v0.4.1

func (m *PredUserStatusRecently) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredUserStatusRecently) XXX_Merge added in v0.4.1

func (dst *PredUserStatusRecently) XXX_Merge(src proto.Message)

func (*PredUserStatusRecently) XXX_Size added in v0.4.1

func (m *PredUserStatusRecently) XXX_Size() int

func (*PredUserStatusRecently) XXX_Unmarshal added in v0.4.1

func (m *PredUserStatusRecently) XXX_Unmarshal(b []byte) error

type PredWallPaper

type PredWallPaper struct {
	Id    int32  `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Title string `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	// default: Vector<PhotoSize>
	Sizes                []*TypePhotoSize `protobuf:"bytes,3,rep,name=Sizes" json:"Sizes,omitempty"`
	Color                int32            `protobuf:"varint,4,opt,name=Color" json:"Color,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*PredWallPaper) Descriptor

func (*PredWallPaper) Descriptor() ([]byte, []int)

func (*PredWallPaper) GetColor

func (m *PredWallPaper) GetColor() int32

func (*PredWallPaper) GetId

func (m *PredWallPaper) GetId() int32

func (*PredWallPaper) GetSizes

func (m *PredWallPaper) GetSizes() []*TypePhotoSize

func (*PredWallPaper) GetTitle

func (m *PredWallPaper) GetTitle() string

func (*PredWallPaper) ProtoMessage

func (*PredWallPaper) ProtoMessage()

func (*PredWallPaper) Reset

func (m *PredWallPaper) Reset()

func (*PredWallPaper) String

func (m *PredWallPaper) String() string

func (*PredWallPaper) ToType

func (p *PredWallPaper) ToType() TL

func (*PredWallPaper) XXX_DiscardUnknown added in v0.4.1

func (m *PredWallPaper) XXX_DiscardUnknown()

func (*PredWallPaper) XXX_Marshal added in v0.4.1

func (m *PredWallPaper) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWallPaper) XXX_Merge added in v0.4.1

func (dst *PredWallPaper) XXX_Merge(src proto.Message)

func (*PredWallPaper) XXX_Size added in v0.4.1

func (m *PredWallPaper) XXX_Size() int

func (*PredWallPaper) XXX_Unmarshal added in v0.4.1

func (m *PredWallPaper) XXX_Unmarshal(b []byte) error

type PredWallPaperSolid

type PredWallPaperSolid struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Title                string   `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	BgColor              int32    `protobuf:"varint,3,opt,name=BgColor" json:"BgColor,omitempty"`
	Color                int32    `protobuf:"varint,4,opt,name=Color" json:"Color,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredWallPaperSolid) Descriptor

func (*PredWallPaperSolid) Descriptor() ([]byte, []int)

func (*PredWallPaperSolid) GetBgColor

func (m *PredWallPaperSolid) GetBgColor() int32

func (*PredWallPaperSolid) GetColor

func (m *PredWallPaperSolid) GetColor() int32

func (*PredWallPaperSolid) GetId

func (m *PredWallPaperSolid) GetId() int32

func (*PredWallPaperSolid) GetTitle

func (m *PredWallPaperSolid) GetTitle() string

func (*PredWallPaperSolid) ProtoMessage

func (*PredWallPaperSolid) ProtoMessage()

func (*PredWallPaperSolid) Reset

func (m *PredWallPaperSolid) Reset()

func (*PredWallPaperSolid) String

func (m *PredWallPaperSolid) String() string

func (*PredWallPaperSolid) ToType

func (p *PredWallPaperSolid) ToType() TL

func (*PredWallPaperSolid) XXX_DiscardUnknown added in v0.4.1

func (m *PredWallPaperSolid) XXX_DiscardUnknown()

func (*PredWallPaperSolid) XXX_Marshal added in v0.4.1

func (m *PredWallPaperSolid) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWallPaperSolid) XXX_Merge added in v0.4.1

func (dst *PredWallPaperSolid) XXX_Merge(src proto.Message)

func (*PredWallPaperSolid) XXX_Size added in v0.4.1

func (m *PredWallPaperSolid) XXX_Size() int

func (*PredWallPaperSolid) XXX_Unmarshal added in v0.4.1

func (m *PredWallPaperSolid) XXX_Unmarshal(b []byte) error

type PredWebDocument

type PredWebDocument struct {
	Url        string `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	AccessHash int64  `protobuf:"varint,2,opt,name=AccessHash" json:"AccessHash,omitempty"`
	Size       int32  `protobuf:"varint,3,opt,name=Size" json:"Size,omitempty"`
	MimeType   string `protobuf:"bytes,4,opt,name=MimeType" json:"MimeType,omitempty"`
	// default: Vector<DocumentAttribute>
	Attributes           []*TypeDocumentAttribute `protobuf:"bytes,5,rep,name=Attributes" json:"Attributes,omitempty"`
	DcId                 int32                    `protobuf:"varint,6,opt,name=DcId" json:"DcId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*PredWebDocument) Descriptor

func (*PredWebDocument) Descriptor() ([]byte, []int)

func (*PredWebDocument) GetAccessHash

func (m *PredWebDocument) GetAccessHash() int64

func (*PredWebDocument) GetAttributes

func (m *PredWebDocument) GetAttributes() []*TypeDocumentAttribute

func (*PredWebDocument) GetDcId

func (m *PredWebDocument) GetDcId() int32

func (*PredWebDocument) GetMimeType

func (m *PredWebDocument) GetMimeType() string

func (*PredWebDocument) GetSize

func (m *PredWebDocument) GetSize() int32

func (*PredWebDocument) GetUrl

func (m *PredWebDocument) GetUrl() string

func (*PredWebDocument) ProtoMessage

func (*PredWebDocument) ProtoMessage()

func (*PredWebDocument) Reset

func (m *PredWebDocument) Reset()

func (*PredWebDocument) String

func (m *PredWebDocument) String() string

func (*PredWebDocument) ToType

func (p *PredWebDocument) ToType() TL

func (*PredWebDocument) XXX_DiscardUnknown added in v0.4.1

func (m *PredWebDocument) XXX_DiscardUnknown()

func (*PredWebDocument) XXX_Marshal added in v0.4.1

func (m *PredWebDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWebDocument) XXX_Merge added in v0.4.1

func (dst *PredWebDocument) XXX_Merge(src proto.Message)

func (*PredWebDocument) XXX_Size added in v0.4.1

func (m *PredWebDocument) XXX_Size() int

func (*PredWebDocument) XXX_Unmarshal added in v0.4.1

func (m *PredWebDocument) XXX_Unmarshal(b []byte) error

type PredWebPage

type PredWebPage struct {
	Flags       int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Id          int64  `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	Url         string `protobuf:"bytes,3,opt,name=Url" json:"Url,omitempty"`
	DisplayUrl  string `protobuf:"bytes,4,opt,name=DisplayUrl" json:"DisplayUrl,omitempty"`
	Hash        int32  `protobuf:"varint,5,opt,name=Hash" json:"Hash,omitempty"`
	Type        string `protobuf:"bytes,6,opt,name=Type" json:"Type,omitempty"`
	SiteName    string `protobuf:"bytes,7,opt,name=SiteName" json:"SiteName,omitempty"`
	Title       string `protobuf:"bytes,8,opt,name=Title" json:"Title,omitempty"`
	Description string `protobuf:"bytes,9,opt,name=Description" json:"Description,omitempty"`
	// default: Photo
	Photo       *TypePhoto `protobuf:"bytes,10,opt,name=Photo" json:"Photo,omitempty"`
	EmbedUrl    string     `protobuf:"bytes,11,opt,name=EmbedUrl" json:"EmbedUrl,omitempty"`
	EmbedType   string     `protobuf:"bytes,12,opt,name=EmbedType" json:"EmbedType,omitempty"`
	EmbedWidth  int32      `protobuf:"varint,13,opt,name=EmbedWidth" json:"EmbedWidth,omitempty"`
	EmbedHeight int32      `protobuf:"varint,14,opt,name=EmbedHeight" json:"EmbedHeight,omitempty"`
	Duration    int32      `protobuf:"varint,15,opt,name=Duration" json:"Duration,omitempty"`
	Author      string     `protobuf:"bytes,16,opt,name=Author" json:"Author,omitempty"`
	// default: Document
	Document *TypeDocument `protobuf:"bytes,17,opt,name=Document" json:"Document,omitempty"`
	// default: Page
	CachedPage           *TypePage `protobuf:"bytes,18,opt,name=CachedPage" json:"CachedPage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*PredWebPage) Descriptor

func (*PredWebPage) Descriptor() ([]byte, []int)

func (*PredWebPage) GetAuthor

func (m *PredWebPage) GetAuthor() string

func (*PredWebPage) GetCachedPage

func (m *PredWebPage) GetCachedPage() *TypePage

func (*PredWebPage) GetDescription

func (m *PredWebPage) GetDescription() string

func (*PredWebPage) GetDisplayUrl

func (m *PredWebPage) GetDisplayUrl() string

func (*PredWebPage) GetDocument

func (m *PredWebPage) GetDocument() *TypeDocument

func (*PredWebPage) GetDuration

func (m *PredWebPage) GetDuration() int32

func (*PredWebPage) GetEmbedHeight

func (m *PredWebPage) GetEmbedHeight() int32

func (*PredWebPage) GetEmbedType

func (m *PredWebPage) GetEmbedType() string

func (*PredWebPage) GetEmbedUrl

func (m *PredWebPage) GetEmbedUrl() string

func (*PredWebPage) GetEmbedWidth

func (m *PredWebPage) GetEmbedWidth() int32

func (*PredWebPage) GetFlags

func (m *PredWebPage) GetFlags() int32

func (*PredWebPage) GetHash

func (m *PredWebPage) GetHash() int32

func (*PredWebPage) GetId

func (m *PredWebPage) GetId() int64

func (*PredWebPage) GetPhoto

func (m *PredWebPage) GetPhoto() *TypePhoto

func (*PredWebPage) GetSiteName

func (m *PredWebPage) GetSiteName() string

func (*PredWebPage) GetTitle

func (m *PredWebPage) GetTitle() string

func (*PredWebPage) GetType

func (m *PredWebPage) GetType() string

func (*PredWebPage) GetUrl

func (m *PredWebPage) GetUrl() string

func (*PredWebPage) ProtoMessage

func (*PredWebPage) ProtoMessage()

func (*PredWebPage) Reset

func (m *PredWebPage) Reset()

func (*PredWebPage) String

func (m *PredWebPage) String() string

func (*PredWebPage) ToType

func (p *PredWebPage) ToType() TL

func (*PredWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *PredWebPage) XXX_DiscardUnknown()

func (*PredWebPage) XXX_Marshal added in v0.4.1

func (m *PredWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWebPage) XXX_Merge added in v0.4.1

func (dst *PredWebPage) XXX_Merge(src proto.Message)

func (*PredWebPage) XXX_Size added in v0.4.1

func (m *PredWebPage) XXX_Size() int

func (*PredWebPage) XXX_Unmarshal added in v0.4.1

func (m *PredWebPage) XXX_Unmarshal(b []byte) error

type PredWebPageEmpty

type PredWebPageEmpty struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredWebPageEmpty) Descriptor

func (*PredWebPageEmpty) Descriptor() ([]byte, []int)

func (*PredWebPageEmpty) GetId

func (m *PredWebPageEmpty) GetId() int64

func (*PredWebPageEmpty) ProtoMessage

func (*PredWebPageEmpty) ProtoMessage()

func (*PredWebPageEmpty) Reset

func (m *PredWebPageEmpty) Reset()

func (*PredWebPageEmpty) String

func (m *PredWebPageEmpty) String() string

func (*PredWebPageEmpty) ToType

func (p *PredWebPageEmpty) ToType() TL

func (*PredWebPageEmpty) XXX_DiscardUnknown added in v0.4.1

func (m *PredWebPageEmpty) XXX_DiscardUnknown()

func (*PredWebPageEmpty) XXX_Marshal added in v0.4.1

func (m *PredWebPageEmpty) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWebPageEmpty) XXX_Merge added in v0.4.1

func (dst *PredWebPageEmpty) XXX_Merge(src proto.Message)

func (*PredWebPageEmpty) XXX_Size added in v0.4.1

func (m *PredWebPageEmpty) XXX_Size() int

func (*PredWebPageEmpty) XXX_Unmarshal added in v0.4.1

func (m *PredWebPageEmpty) XXX_Unmarshal(b []byte) error

type PredWebPageNotModified

type PredWebPageNotModified struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredWebPageNotModified) Descriptor

func (*PredWebPageNotModified) Descriptor() ([]byte, []int)

func (*PredWebPageNotModified) ProtoMessage

func (*PredWebPageNotModified) ProtoMessage()

func (*PredWebPageNotModified) Reset

func (m *PredWebPageNotModified) Reset()

func (*PredWebPageNotModified) String

func (m *PredWebPageNotModified) String() string

func (*PredWebPageNotModified) ToType

func (p *PredWebPageNotModified) ToType() TL

func (*PredWebPageNotModified) XXX_DiscardUnknown added in v0.4.1

func (m *PredWebPageNotModified) XXX_DiscardUnknown()

func (*PredWebPageNotModified) XXX_Marshal added in v0.4.1

func (m *PredWebPageNotModified) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWebPageNotModified) XXX_Merge added in v0.4.1

func (dst *PredWebPageNotModified) XXX_Merge(src proto.Message)

func (*PredWebPageNotModified) XXX_Size added in v0.4.1

func (m *PredWebPageNotModified) XXX_Size() int

func (*PredWebPageNotModified) XXX_Unmarshal added in v0.4.1

func (m *PredWebPageNotModified) XXX_Unmarshal(b []byte) error

type PredWebPagePending

type PredWebPagePending struct {
	Id                   int64    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Date                 int32    `protobuf:"varint,2,opt,name=Date" json:"Date,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*PredWebPagePending) Descriptor

func (*PredWebPagePending) Descriptor() ([]byte, []int)

func (*PredWebPagePending) GetDate

func (m *PredWebPagePending) GetDate() int32

func (*PredWebPagePending) GetId

func (m *PredWebPagePending) GetId() int64

func (*PredWebPagePending) ProtoMessage

func (*PredWebPagePending) ProtoMessage()

func (*PredWebPagePending) Reset

func (m *PredWebPagePending) Reset()

func (*PredWebPagePending) String

func (m *PredWebPagePending) String() string

func (*PredWebPagePending) ToType

func (p *PredWebPagePending) ToType() TL

func (*PredWebPagePending) XXX_DiscardUnknown added in v0.4.1

func (m *PredWebPagePending) XXX_DiscardUnknown()

func (*PredWebPagePending) XXX_Marshal added in v0.4.1

func (m *PredWebPagePending) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*PredWebPagePending) XXX_Merge added in v0.4.1

func (dst *PredWebPagePending) XXX_Merge(src proto.Message)

func (*PredWebPagePending) XXX_Size added in v0.4.1

func (m *PredWebPagePending) XXX_Size() int

func (*PredWebPagePending) XXX_Unmarshal added in v0.4.1

func (m *PredWebPagePending) XXX_Unmarshal(b []byte) error

type Predicate

type Predicate interface {
	ToType() TL
}

type RPCaller

type RPCaller struct {
	RPC RemoteProcedureCall
}

func (RPCaller) AccountChangePhone

func (caller RPCaller) AccountChangePhone(ctx context.Context, req *ReqAccountChangePhone) (*TypeUser, error)

func (RPCaller) AccountCheckUsername

func (caller RPCaller) AccountCheckUsername(ctx context.Context, req *ReqAccountCheckUsername) (*TypeBool, error)

func (RPCaller) AccountConfirmPhone

func (caller RPCaller) AccountConfirmPhone(ctx context.Context, req *ReqAccountConfirmPhone) (*TypeBool, error)

func (RPCaller) AccountDeleteAccount

func (caller RPCaller) AccountDeleteAccount(ctx context.Context, req *ReqAccountDeleteAccount) (*TypeBool, error)

func (RPCaller) AccountGetAccountTTL

func (caller RPCaller) AccountGetAccountTTL(ctx context.Context, req *ReqAccountGetAccountTTL) (*TypeAccountDaysTTL, error)

func (RPCaller) AccountGetAuthorizations

func (caller RPCaller) AccountGetAuthorizations(ctx context.Context, req *ReqAccountGetAuthorizations) (*TypeAccountAuthorizations, error)

func (RPCaller) AccountGetNotifySettings

func (caller RPCaller) AccountGetNotifySettings(ctx context.Context, req *ReqAccountGetNotifySettings) (*TypePeerNotifySettings, error)

func (RPCaller) AccountGetPassword

func (caller RPCaller) AccountGetPassword(ctx context.Context, req *ReqAccountGetPassword) (*TypeAccountPassword, error)

func (RPCaller) AccountGetPasswordSettings

func (caller RPCaller) AccountGetPasswordSettings(ctx context.Context, req *ReqAccountGetPasswordSettings) (*TypeAccountPasswordSettings, error)

func (RPCaller) AccountGetPrivacy

func (caller RPCaller) AccountGetPrivacy(ctx context.Context, req *ReqAccountGetPrivacy) (*TypeAccountPrivacyRules, error)

func (RPCaller) AccountGetTmpPassword

func (caller RPCaller) AccountGetTmpPassword(ctx context.Context, req *ReqAccountGetTmpPassword) (*TypeAccountTmpPassword, error)

func (RPCaller) AccountGetWallPapers

func (caller RPCaller) AccountGetWallPapers(ctx context.Context, req *ReqAccountGetWallPapers) (*TypeVectorWallPaper, error)

func (RPCaller) AccountRegisterDevice

func (caller RPCaller) AccountRegisterDevice(ctx context.Context, req *ReqAccountRegisterDevice) (*TypeBool, error)

func (RPCaller) AccountReportPeer

func (caller RPCaller) AccountReportPeer(ctx context.Context, req *ReqAccountReportPeer) (*TypeBool, error)

func (RPCaller) AccountResetAuthorization

func (caller RPCaller) AccountResetAuthorization(ctx context.Context, req *ReqAccountResetAuthorization) (*TypeBool, error)

func (RPCaller) AccountResetNotifySettings

func (caller RPCaller) AccountResetNotifySettings(ctx context.Context, req *ReqAccountResetNotifySettings) (*TypeBool, error)

func (RPCaller) AccountSendChangePhoneCode

func (caller RPCaller) AccountSendChangePhoneCode(ctx context.Context, req *ReqAccountSendChangePhoneCode) (*TypeAuthSentCode, error)

func (RPCaller) AccountSendConfirmPhoneCode

func (caller RPCaller) AccountSendConfirmPhoneCode(ctx context.Context, req *ReqAccountSendConfirmPhoneCode) (*TypeAuthSentCode, error)

func (RPCaller) AccountSetAccountTTL

func (caller RPCaller) AccountSetAccountTTL(ctx context.Context, req *ReqAccountSetAccountTTL) (*TypeBool, error)

func (RPCaller) AccountSetPrivacy

func (caller RPCaller) AccountSetPrivacy(ctx context.Context, req *ReqAccountSetPrivacy) (*TypeAccountPrivacyRules, error)

func (RPCaller) AccountUnregisterDevice

func (caller RPCaller) AccountUnregisterDevice(ctx context.Context, req *ReqAccountUnregisterDevice) (*TypeBool, error)

func (RPCaller) AccountUpdateDeviceLocked

func (caller RPCaller) AccountUpdateDeviceLocked(ctx context.Context, req *ReqAccountUpdateDeviceLocked) (*TypeBool, error)

func (RPCaller) AccountUpdateNotifySettings

func (caller RPCaller) AccountUpdateNotifySettings(ctx context.Context, req *ReqAccountUpdateNotifySettings) (*TypeBool, error)

func (RPCaller) AccountUpdatePasswordSettings

func (caller RPCaller) AccountUpdatePasswordSettings(ctx context.Context, req *ReqAccountUpdatePasswordSettings) (*TypeBool, error)

func (RPCaller) AccountUpdateProfile

func (caller RPCaller) AccountUpdateProfile(ctx context.Context, req *ReqAccountUpdateProfile) (*TypeUser, error)

func (RPCaller) AccountUpdateStatus

func (caller RPCaller) AccountUpdateStatus(ctx context.Context, req *ReqAccountUpdateStatus) (*TypeBool, error)

func (RPCaller) AccountUpdateUsername

func (caller RPCaller) AccountUpdateUsername(ctx context.Context, req *ReqAccountUpdateUsername) (*TypeUser, error)

func (RPCaller) AuthBindTempAuthKey

func (caller RPCaller) AuthBindTempAuthKey(ctx context.Context, req *ReqAuthBindTempAuthKey) (*TypeBool, error)

func (RPCaller) AuthCancelCode

func (caller RPCaller) AuthCancelCode(ctx context.Context, req *ReqAuthCancelCode) (*TypeBool, error)

func (RPCaller) AuthCheckPassword

func (caller RPCaller) AuthCheckPassword(ctx context.Context, req *ReqAuthCheckPassword) (*TypeAuthAuthorization, error)

func (RPCaller) AuthCheckPhone

func (caller RPCaller) AuthCheckPhone(ctx context.Context, req *ReqAuthCheckPhone) (*TypeAuthCheckedPhone, error)

func (RPCaller) AuthDropTempAuthKeys

func (caller RPCaller) AuthDropTempAuthKeys(ctx context.Context, req *ReqAuthDropTempAuthKeys) (*TypeBool, error)

func (RPCaller) AuthExportAuthorization

func (caller RPCaller) AuthExportAuthorization(ctx context.Context, req *ReqAuthExportAuthorization) (*TypeAuthExportedAuthorization, error)

func (RPCaller) AuthImportAuthorization

func (caller RPCaller) AuthImportAuthorization(ctx context.Context, req *ReqAuthImportAuthorization) (*TypeAuthAuthorization, error)

func (RPCaller) AuthImportBotAuthorization

func (caller RPCaller) AuthImportBotAuthorization(ctx context.Context, req *ReqAuthImportBotAuthorization) (*TypeAuthAuthorization, error)

func (RPCaller) AuthLogOut

func (caller RPCaller) AuthLogOut(ctx context.Context, req *ReqAuthLogOut) (*TypeBool, error)

func (RPCaller) AuthRecoverPassword

func (caller RPCaller) AuthRecoverPassword(ctx context.Context, req *ReqAuthRecoverPassword) (*TypeAuthAuthorization, error)

func (RPCaller) AuthRequestPasswordRecovery

func (caller RPCaller) AuthRequestPasswordRecovery(ctx context.Context, req *ReqAuthRequestPasswordRecovery) (*TypeAuthPasswordRecovery, error)

func (RPCaller) AuthResendCode

func (caller RPCaller) AuthResendCode(ctx context.Context, req *ReqAuthResendCode) (*TypeAuthSentCode, error)

func (RPCaller) AuthResetAuthorizations

func (caller RPCaller) AuthResetAuthorizations(ctx context.Context, req *ReqAuthResetAuthorizations) (*TypeBool, error)

func (RPCaller) AuthSendCode

func (caller RPCaller) AuthSendCode(ctx context.Context, req *ReqAuthSendCode) (*TypeAuthSentCode, error)

func (RPCaller) AuthSendInvites

func (caller RPCaller) AuthSendInvites(ctx context.Context, req *ReqAuthSendInvites) (*TypeBool, error)

func (RPCaller) AuthSignIn

func (caller RPCaller) AuthSignIn(ctx context.Context, req *ReqAuthSignIn) (*TypeAuthAuthorization, error)

func (RPCaller) AuthSignUp

func (caller RPCaller) AuthSignUp(ctx context.Context, req *ReqAuthSignUp) (*TypeAuthAuthorization, error)

func (RPCaller) BotsAnswerWebhookJSONQuery

func (caller RPCaller) BotsAnswerWebhookJSONQuery(ctx context.Context, req *ReqBotsAnswerWebhookJSONQuery) (*TypeBool, error)

func (RPCaller) BotsSendCustomRequest

func (caller RPCaller) BotsSendCustomRequest(ctx context.Context, req *ReqBotsSendCustomRequest) (*TypeDataJSON, error)

func (RPCaller) ChannelsCheckUsername

func (caller RPCaller) ChannelsCheckUsername(ctx context.Context, req *ReqChannelsCheckUsername) (*TypeBool, error)

func (RPCaller) ChannelsCreateChannel

func (caller RPCaller) ChannelsCreateChannel(ctx context.Context, req *ReqChannelsCreateChannel) (*TypeUpdates, error)

func (RPCaller) ChannelsDeleteChannel

func (caller RPCaller) ChannelsDeleteChannel(ctx context.Context, req *ReqChannelsDeleteChannel) (*TypeUpdates, error)

func (RPCaller) ChannelsDeleteMessages

func (caller RPCaller) ChannelsDeleteMessages(ctx context.Context, req *ReqChannelsDeleteMessages) (*TypeMessagesAffectedMessages, error)

func (RPCaller) ChannelsDeleteUserHistory

func (caller RPCaller) ChannelsDeleteUserHistory(ctx context.Context, req *ReqChannelsDeleteUserHistory) (*TypeMessagesAffectedHistory, error)

func (RPCaller) ChannelsEditAbout

func (caller RPCaller) ChannelsEditAbout(ctx context.Context, req *ReqChannelsEditAbout) (*TypeBool, error)

func (RPCaller) ChannelsEditAdmin

func (caller RPCaller) ChannelsEditAdmin(ctx context.Context, req *ReqChannelsEditAdmin) (*TypeUpdates, error)

func (RPCaller) ChannelsEditBanned

func (caller RPCaller) ChannelsEditBanned(ctx context.Context, req *ReqChannelsEditBanned) (*TypeUpdates, error)

func (RPCaller) ChannelsEditPhoto

func (caller RPCaller) ChannelsEditPhoto(ctx context.Context, req *ReqChannelsEditPhoto) (*TypeUpdates, error)

func (RPCaller) ChannelsEditTitle

func (caller RPCaller) ChannelsEditTitle(ctx context.Context, req *ReqChannelsEditTitle) (*TypeUpdates, error)

func (RPCaller) ChannelsExportInvite

func (caller RPCaller) ChannelsExportInvite(ctx context.Context, req *ReqChannelsExportInvite) (*TypeExportedChatInvite, error)
func (caller RPCaller) ChannelsExportMessageLink(ctx context.Context, req *ReqChannelsExportMessageLink) (*TypeExportedMessageLink, error)

func (RPCaller) ChannelsGetAdminLog

func (caller RPCaller) ChannelsGetAdminLog(ctx context.Context, req *ReqChannelsGetAdminLog) (*TypeChannelsAdminLogResults, error)

func (RPCaller) ChannelsGetAdminedPublicChannels

func (caller RPCaller) ChannelsGetAdminedPublicChannels(ctx context.Context, req *ReqChannelsGetAdminedPublicChannels) (*TypeMessagesChats, error)

func (RPCaller) ChannelsGetChannels

func (caller RPCaller) ChannelsGetChannels(ctx context.Context, req *ReqChannelsGetChannels) (*TypeMessagesChats, error)

func (RPCaller) ChannelsGetFullChannel

func (caller RPCaller) ChannelsGetFullChannel(ctx context.Context, req *ReqChannelsGetFullChannel) (*TypeMessagesChatFull, error)

func (RPCaller) ChannelsGetMessages

func (caller RPCaller) ChannelsGetMessages(ctx context.Context, req *ReqChannelsGetMessages) (*TypeMessagesMessages, error)

func (RPCaller) ChannelsGetParticipant

func (caller RPCaller) ChannelsGetParticipant(ctx context.Context, req *ReqChannelsGetParticipant) (*TypeChannelsChannelParticipant, error)

func (RPCaller) ChannelsGetParticipants

func (caller RPCaller) ChannelsGetParticipants(ctx context.Context, req *ReqChannelsGetParticipants) (*TypeChannelsChannelParticipants, error)

func (RPCaller) ChannelsInviteToChannel

func (caller RPCaller) ChannelsInviteToChannel(ctx context.Context, req *ReqChannelsInviteToChannel) (*TypeUpdates, error)

func (RPCaller) ChannelsJoinChannel

func (caller RPCaller) ChannelsJoinChannel(ctx context.Context, req *ReqChannelsJoinChannel) (*TypeUpdates, error)

func (RPCaller) ChannelsLeaveChannel

func (caller RPCaller) ChannelsLeaveChannel(ctx context.Context, req *ReqChannelsLeaveChannel) (*TypeUpdates, error)

func (RPCaller) ChannelsReadHistory

func (caller RPCaller) ChannelsReadHistory(ctx context.Context, req *ReqChannelsReadHistory) (*TypeBool, error)

func (RPCaller) ChannelsReadMessageContents

func (caller RPCaller) ChannelsReadMessageContents(ctx context.Context, req *ReqChannelsReadMessageContents) (*TypeBool, error)

func (RPCaller) ChannelsReportSpam

func (caller RPCaller) ChannelsReportSpam(ctx context.Context, req *ReqChannelsReportSpam) (*TypeBool, error)

func (RPCaller) ChannelsSetStickers

func (caller RPCaller) ChannelsSetStickers(ctx context.Context, req *ReqChannelsSetStickers) (*TypeBool, error)

func (RPCaller) ChannelsToggleInvites

func (caller RPCaller) ChannelsToggleInvites(ctx context.Context, req *ReqChannelsToggleInvites) (*TypeUpdates, error)

func (RPCaller) ChannelsToggleSignatures

func (caller RPCaller) ChannelsToggleSignatures(ctx context.Context, req *ReqChannelsToggleSignatures) (*TypeUpdates, error)

func (RPCaller) ChannelsUpdatePinnedMessage

func (caller RPCaller) ChannelsUpdatePinnedMessage(ctx context.Context, req *ReqChannelsUpdatePinnedMessage) (*TypeUpdates, error)

func (RPCaller) ChannelsUpdateUsername

func (caller RPCaller) ChannelsUpdateUsername(ctx context.Context, req *ReqChannelsUpdateUsername) (*TypeBool, error)

func (RPCaller) ContactsBlock

func (caller RPCaller) ContactsBlock(ctx context.Context, req *ReqContactsBlock) (*TypeBool, error)

func (RPCaller) ContactsDeleteContact

func (caller RPCaller) ContactsDeleteContact(ctx context.Context, req *ReqContactsDeleteContact) (*TypeContactsLink, error)

func (RPCaller) ContactsDeleteContacts

func (caller RPCaller) ContactsDeleteContacts(ctx context.Context, req *ReqContactsDeleteContacts) (*TypeBool, error)

func (RPCaller) ContactsExportCard

func (caller RPCaller) ContactsExportCard(ctx context.Context, req *ReqContactsExportCard) (*TypeVectorInt, error)

func (RPCaller) ContactsGetBlocked

func (caller RPCaller) ContactsGetBlocked(ctx context.Context, req *ReqContactsGetBlocked) (*TypeContactsBlocked, error)

func (RPCaller) ContactsGetContacts

func (caller RPCaller) ContactsGetContacts(ctx context.Context, req *ReqContactsGetContacts) (*TypeContactsContacts, error)

func (RPCaller) ContactsGetStatuses

func (caller RPCaller) ContactsGetStatuses(ctx context.Context, req *ReqContactsGetStatuses) (*TypeVectorContactStatus, error)

func (RPCaller) ContactsGetTopPeers

func (caller RPCaller) ContactsGetTopPeers(ctx context.Context, req *ReqContactsGetTopPeers) (*TypeContactsTopPeers, error)

func (RPCaller) ContactsImportCard

func (caller RPCaller) ContactsImportCard(ctx context.Context, req *ReqContactsImportCard) (*TypeUser, error)

func (RPCaller) ContactsImportContacts

func (caller RPCaller) ContactsImportContacts(ctx context.Context, req *ReqContactsImportContacts) (*TypeContactsImportedContacts, error)

func (RPCaller) ContactsResetSaved

func (caller RPCaller) ContactsResetSaved(ctx context.Context, req *ReqContactsResetSaved) (*TypeBool, error)

func (RPCaller) ContactsResetTopPeerRating

func (caller RPCaller) ContactsResetTopPeerRating(ctx context.Context, req *ReqContactsResetTopPeerRating) (*TypeBool, error)

func (RPCaller) ContactsResolveUsername

func (caller RPCaller) ContactsResolveUsername(ctx context.Context, req *ReqContactsResolveUsername) (*TypeContactsResolvedPeer, error)

func (RPCaller) ContactsSearch

func (caller RPCaller) ContactsSearch(ctx context.Context, req *ReqContactsSearch) (*TypeContactsFound, error)

func (RPCaller) ContactsUnblock

func (caller RPCaller) ContactsUnblock(ctx context.Context, req *ReqContactsUnblock) (*TypeBool, error)

func (RPCaller) HelpGetAppChangelog

func (caller RPCaller) HelpGetAppChangelog(ctx context.Context, req *ReqHelpGetAppChangelog) (*TypeUpdates, error)

func (RPCaller) HelpGetAppUpdate

func (caller RPCaller) HelpGetAppUpdate(ctx context.Context, req *ReqHelpGetAppUpdate) (*TypeHelpAppUpdate, error)

func (RPCaller) HelpGetCdnConfig

func (caller RPCaller) HelpGetCdnConfig(ctx context.Context, req *ReqHelpGetCdnConfig) (*TypeCdnConfig, error)

func (RPCaller) HelpGetConfig

func (caller RPCaller) HelpGetConfig(ctx context.Context, req *ReqHelpGetConfig) (*TypeConfig, error)

func (RPCaller) HelpGetInviteText

func (caller RPCaller) HelpGetInviteText(ctx context.Context, req *ReqHelpGetInviteText) (*TypeHelpInviteText, error)

func (RPCaller) HelpGetNearestDc

func (caller RPCaller) HelpGetNearestDc(ctx context.Context, req *ReqHelpGetNearestDc) (*TypeNearestDc, error)

func (RPCaller) HelpGetSupport

func (caller RPCaller) HelpGetSupport(ctx context.Context, req *ReqHelpGetSupport) (*TypeHelpSupport, error)

func (RPCaller) HelpGetTermsOfService

func (caller RPCaller) HelpGetTermsOfService(ctx context.Context, req *ReqHelpGetTermsOfService) (*TypeHelpTermsOfService, error)

func (RPCaller) HelpSaveAppLog

func (caller RPCaller) HelpSaveAppLog(ctx context.Context, req *ReqHelpSaveAppLog) (*TypeBool, error)

func (RPCaller) HelpSetBotUpdatesStatus

func (caller RPCaller) HelpSetBotUpdatesStatus(ctx context.Context, req *ReqHelpSetBotUpdatesStatus) (*TypeBool, error)

func (RPCaller) InitConnection

func (caller RPCaller) InitConnection(ctx context.Context, req *ReqInitConnection) (*any.Any, error)

func (RPCaller) InvokeAfterMsg

func (caller RPCaller) InvokeAfterMsg(ctx context.Context, req *ReqInvokeAfterMsg) (*any.Any, error)

Procedures

func (RPCaller) InvokeAfterMsgs

func (caller RPCaller) InvokeAfterMsgs(ctx context.Context, req *ReqInvokeAfterMsgs) (*any.Any, error)

func (RPCaller) InvokeWithLayer

func (caller RPCaller) InvokeWithLayer(ctx context.Context, req *ReqInvokeWithLayer) (*any.Any, error)

func (RPCaller) InvokeWithoutUpdates

func (caller RPCaller) InvokeWithoutUpdates(ctx context.Context, req *ReqInvokeWithoutUpdates) (*any.Any, error)

func (RPCaller) LangpackGetDifference

func (caller RPCaller) LangpackGetDifference(ctx context.Context, req *ReqLangpackGetDifference) (*TypeLangPackDifference, error)

func (RPCaller) LangpackGetLangPack

func (caller RPCaller) LangpackGetLangPack(ctx context.Context, req *ReqLangpackGetLangPack) (*TypeLangPackDifference, error)

func (RPCaller) LangpackGetLanguages

func (caller RPCaller) LangpackGetLanguages(ctx context.Context, req *ReqLangpackGetLanguages) (*TypeVectorLangPackLanguage, error)

func (RPCaller) LangpackGetStrings

func (caller RPCaller) LangpackGetStrings(ctx context.Context, req *ReqLangpackGetStrings) (*TypeVectorLangPackString, error)

func (RPCaller) MessagesAcceptEncryption

func (caller RPCaller) MessagesAcceptEncryption(ctx context.Context, req *ReqMessagesAcceptEncryption) (*TypeEncryptedChat, error)

func (RPCaller) MessagesAddChatUser

func (caller RPCaller) MessagesAddChatUser(ctx context.Context, req *ReqMessagesAddChatUser) (*TypeUpdates, error)

func (RPCaller) MessagesCheckChatInvite

func (caller RPCaller) MessagesCheckChatInvite(ctx context.Context, req *ReqMessagesCheckChatInvite) (*TypeChatInvite, error)

func (RPCaller) MessagesClearRecentStickers

func (caller RPCaller) MessagesClearRecentStickers(ctx context.Context, req *ReqMessagesClearRecentStickers) (*TypeBool, error)

func (RPCaller) MessagesCreateChat

func (caller RPCaller) MessagesCreateChat(ctx context.Context, req *ReqMessagesCreateChat) (*TypeUpdates, error)

func (RPCaller) MessagesDeleteChatUser

func (caller RPCaller) MessagesDeleteChatUser(ctx context.Context, req *ReqMessagesDeleteChatUser) (*TypeUpdates, error)

func (RPCaller) MessagesDeleteHistory

func (caller RPCaller) MessagesDeleteHistory(ctx context.Context, req *ReqMessagesDeleteHistory) (*TypeMessagesAffectedHistory, error)

func (RPCaller) MessagesDeleteMessages

func (caller RPCaller) MessagesDeleteMessages(ctx context.Context, req *ReqMessagesDeleteMessages) (*TypeMessagesAffectedMessages, error)

func (RPCaller) MessagesDiscardEncryption

func (caller RPCaller) MessagesDiscardEncryption(ctx context.Context, req *ReqMessagesDiscardEncryption) (*TypeBool, error)

func (RPCaller) MessagesEditChatAdmin

func (caller RPCaller) MessagesEditChatAdmin(ctx context.Context, req *ReqMessagesEditChatAdmin) (*TypeBool, error)

func (RPCaller) MessagesEditChatPhoto

func (caller RPCaller) MessagesEditChatPhoto(ctx context.Context, req *ReqMessagesEditChatPhoto) (*TypeUpdates, error)

func (RPCaller) MessagesEditChatTitle

func (caller RPCaller) MessagesEditChatTitle(ctx context.Context, req *ReqMessagesEditChatTitle) (*TypeUpdates, error)

func (RPCaller) MessagesEditInlineBotMessage

func (caller RPCaller) MessagesEditInlineBotMessage(ctx context.Context, req *ReqMessagesEditInlineBotMessage) (*TypeBool, error)

func (RPCaller) MessagesEditMessage

func (caller RPCaller) MessagesEditMessage(ctx context.Context, req *ReqMessagesEditMessage) (*TypeUpdates, error)

func (RPCaller) MessagesExportChatInvite

func (caller RPCaller) MessagesExportChatInvite(ctx context.Context, req *ReqMessagesExportChatInvite) (*TypeExportedChatInvite, error)

func (RPCaller) MessagesFaveSticker

func (caller RPCaller) MessagesFaveSticker(ctx context.Context, req *ReqMessagesFaveSticker) (*TypeBool, error)

func (RPCaller) MessagesForwardMessage

func (caller RPCaller) MessagesForwardMessage(ctx context.Context, req *ReqMessagesForwardMessage) (*TypeUpdates, error)

func (RPCaller) MessagesForwardMessages

func (caller RPCaller) MessagesForwardMessages(ctx context.Context, req *ReqMessagesForwardMessages) (*TypeUpdates, error)

func (RPCaller) MessagesGetAllChats

func (caller RPCaller) MessagesGetAllChats(ctx context.Context, req *ReqMessagesGetAllChats) (*TypeMessagesChats, error)

func (RPCaller) MessagesGetAllDrafts

func (caller RPCaller) MessagesGetAllDrafts(ctx context.Context, req *ReqMessagesGetAllDrafts) (*TypeUpdates, error)

func (RPCaller) MessagesGetAllStickers

func (caller RPCaller) MessagesGetAllStickers(ctx context.Context, req *ReqMessagesGetAllStickers) (*TypeMessagesAllStickers, error)

func (RPCaller) MessagesGetArchivedStickers

func (caller RPCaller) MessagesGetArchivedStickers(ctx context.Context, req *ReqMessagesGetArchivedStickers) (*TypeMessagesArchivedStickers, error)

func (RPCaller) MessagesGetAttachedStickers

func (caller RPCaller) MessagesGetAttachedStickers(ctx context.Context, req *ReqMessagesGetAttachedStickers) (*TypeVectorStickerSetCovered, error)

func (RPCaller) MessagesGetBotCallbackAnswer

func (caller RPCaller) MessagesGetBotCallbackAnswer(ctx context.Context, req *ReqMessagesGetBotCallbackAnswer) (*TypeMessagesBotCallbackAnswer, error)

func (RPCaller) MessagesGetChats

func (caller RPCaller) MessagesGetChats(ctx context.Context, req *ReqMessagesGetChats) (*TypeMessagesChats, error)

func (RPCaller) MessagesGetCommonChats

func (caller RPCaller) MessagesGetCommonChats(ctx context.Context, req *ReqMessagesGetCommonChats) (*TypeMessagesChats, error)

func (RPCaller) MessagesGetDhConfig

func (caller RPCaller) MessagesGetDhConfig(ctx context.Context, req *ReqMessagesGetDhConfig) (*TypeMessagesDhConfig, error)

func (RPCaller) MessagesGetDialogs

func (caller RPCaller) MessagesGetDialogs(ctx context.Context, req *ReqMessagesGetDialogs) (*TypeMessagesDialogs, error)

func (RPCaller) MessagesGetDocumentByHash

func (caller RPCaller) MessagesGetDocumentByHash(ctx context.Context, req *ReqMessagesGetDocumentByHash) (*TypeDocument, error)

func (RPCaller) MessagesGetFavedStickers

func (caller RPCaller) MessagesGetFavedStickers(ctx context.Context, req *ReqMessagesGetFavedStickers) (*TypeMessagesFavedStickers, error)

func (RPCaller) MessagesGetFeaturedStickers

func (caller RPCaller) MessagesGetFeaturedStickers(ctx context.Context, req *ReqMessagesGetFeaturedStickers) (*TypeMessagesFeaturedStickers, error)

func (RPCaller) MessagesGetFullChat

func (caller RPCaller) MessagesGetFullChat(ctx context.Context, req *ReqMessagesGetFullChat) (*TypeMessagesChatFull, error)

func (RPCaller) MessagesGetGameHighScores

func (caller RPCaller) MessagesGetGameHighScores(ctx context.Context, req *ReqMessagesGetGameHighScores) (*TypeMessagesHighScores, error)

func (RPCaller) MessagesGetHistory

func (caller RPCaller) MessagesGetHistory(ctx context.Context, req *ReqMessagesGetHistory) (*TypeMessagesMessages, error)

func (RPCaller) MessagesGetInlineBotResults

func (caller RPCaller) MessagesGetInlineBotResults(ctx context.Context, req *ReqMessagesGetInlineBotResults) (*TypeMessagesBotResults, error)

func (RPCaller) MessagesGetInlineGameHighScores

func (caller RPCaller) MessagesGetInlineGameHighScores(ctx context.Context, req *ReqMessagesGetInlineGameHighScores) (*TypeMessagesHighScores, error)

func (RPCaller) MessagesGetMaskStickers

func (caller RPCaller) MessagesGetMaskStickers(ctx context.Context, req *ReqMessagesGetMaskStickers) (*TypeMessagesAllStickers, error)

func (RPCaller) MessagesGetMessageEditData

func (caller RPCaller) MessagesGetMessageEditData(ctx context.Context, req *ReqMessagesGetMessageEditData) (*TypeMessagesMessageEditData, error)

func (RPCaller) MessagesGetMessages

func (caller RPCaller) MessagesGetMessages(ctx context.Context, req *ReqMessagesGetMessages) (*TypeMessagesMessages, error)

func (RPCaller) MessagesGetMessagesViews

func (caller RPCaller) MessagesGetMessagesViews(ctx context.Context, req *ReqMessagesGetMessagesViews) (*TypeVectorInt, error)

func (RPCaller) MessagesGetPeerDialogs

func (caller RPCaller) MessagesGetPeerDialogs(ctx context.Context, req *ReqMessagesGetPeerDialogs) (*TypeMessagesPeerDialogs, error)

func (RPCaller) MessagesGetPeerSettings

func (caller RPCaller) MessagesGetPeerSettings(ctx context.Context, req *ReqMessagesGetPeerSettings) (*TypePeerSettings, error)

func (RPCaller) MessagesGetPinnedDialogs

func (caller RPCaller) MessagesGetPinnedDialogs(ctx context.Context, req *ReqMessagesGetPinnedDialogs) (*TypeMessagesPeerDialogs, error)

func (RPCaller) MessagesGetRecentStickers

func (caller RPCaller) MessagesGetRecentStickers(ctx context.Context, req *ReqMessagesGetRecentStickers) (*TypeMessagesRecentStickers, error)

func (RPCaller) MessagesGetSavedGifs

func (caller RPCaller) MessagesGetSavedGifs(ctx context.Context, req *ReqMessagesGetSavedGifs) (*TypeMessagesSavedGifs, error)

func (RPCaller) MessagesGetStickerSet

func (caller RPCaller) MessagesGetStickerSet(ctx context.Context, req *ReqMessagesGetStickerSet) (*TypeMessagesStickerSet, error)

func (RPCaller) MessagesGetUnreadMentions

func (caller RPCaller) MessagesGetUnreadMentions(ctx context.Context, req *ReqMessagesGetUnreadMentions) (*TypeMessagesMessages, error)

func (RPCaller) MessagesGetWebPage

func (caller RPCaller) MessagesGetWebPage(ctx context.Context, req *ReqMessagesGetWebPage) (*TypeWebPage, error)

func (RPCaller) MessagesGetWebPagePreview

func (caller RPCaller) MessagesGetWebPagePreview(ctx context.Context, req *ReqMessagesGetWebPagePreview) (*TypeMessageMedia, error)

func (RPCaller) MessagesHideReportSpam

func (caller RPCaller) MessagesHideReportSpam(ctx context.Context, req *ReqMessagesHideReportSpam) (*TypeBool, error)

func (RPCaller) MessagesImportChatInvite

func (caller RPCaller) MessagesImportChatInvite(ctx context.Context, req *ReqMessagesImportChatInvite) (*TypeUpdates, error)

func (RPCaller) MessagesInstallStickerSet

func (caller RPCaller) MessagesInstallStickerSet(ctx context.Context, req *ReqMessagesInstallStickerSet) (*TypeMessagesStickerSetInstallResult, error)

func (RPCaller) MessagesMigrateChat

func (caller RPCaller) MessagesMigrateChat(ctx context.Context, req *ReqMessagesMigrateChat) (*TypeUpdates, error)

func (RPCaller) MessagesReadEncryptedHistory

func (caller RPCaller) MessagesReadEncryptedHistory(ctx context.Context, req *ReqMessagesReadEncryptedHistory) (*TypeBool, error)

func (RPCaller) MessagesReadFeaturedStickers

func (caller RPCaller) MessagesReadFeaturedStickers(ctx context.Context, req *ReqMessagesReadFeaturedStickers) (*TypeBool, error)

func (RPCaller) MessagesReadHistory

func (caller RPCaller) MessagesReadHistory(ctx context.Context, req *ReqMessagesReadHistory) (*TypeMessagesAffectedMessages, error)

func (RPCaller) MessagesReadMessageContents

func (caller RPCaller) MessagesReadMessageContents(ctx context.Context, req *ReqMessagesReadMessageContents) (*TypeMessagesAffectedMessages, error)

func (RPCaller) MessagesReceivedMessages

func (caller RPCaller) MessagesReceivedMessages(ctx context.Context, req *ReqMessagesReceivedMessages) (*TypeVectorReceivedNotifyMessage, error)

func (RPCaller) MessagesReceivedQueue

func (caller RPCaller) MessagesReceivedQueue(ctx context.Context, req *ReqMessagesReceivedQueue) (*TypeVectorLong, error)

func (RPCaller) MessagesReorderPinnedDialogs

func (caller RPCaller) MessagesReorderPinnedDialogs(ctx context.Context, req *ReqMessagesReorderPinnedDialogs) (*TypeBool, error)

func (RPCaller) MessagesReorderStickerSets

func (caller RPCaller) MessagesReorderStickerSets(ctx context.Context, req *ReqMessagesReorderStickerSets) (*TypeBool, error)

func (RPCaller) MessagesReportEncryptedSpam

func (caller RPCaller) MessagesReportEncryptedSpam(ctx context.Context, req *ReqMessagesReportEncryptedSpam) (*TypeBool, error)

func (RPCaller) MessagesReportSpam

func (caller RPCaller) MessagesReportSpam(ctx context.Context, req *ReqMessagesReportSpam) (*TypeBool, error)

func (RPCaller) MessagesRequestEncryption

func (caller RPCaller) MessagesRequestEncryption(ctx context.Context, req *ReqMessagesRequestEncryption) (*TypeEncryptedChat, error)

func (RPCaller) MessagesSaveDraft

func (caller RPCaller) MessagesSaveDraft(ctx context.Context, req *ReqMessagesSaveDraft) (*TypeBool, error)

func (RPCaller) MessagesSaveGif

func (caller RPCaller) MessagesSaveGif(ctx context.Context, req *ReqMessagesSaveGif) (*TypeBool, error)

func (RPCaller) MessagesSaveRecentSticker

func (caller RPCaller) MessagesSaveRecentSticker(ctx context.Context, req *ReqMessagesSaveRecentSticker) (*TypeBool, error)

func (RPCaller) MessagesSearch

func (caller RPCaller) MessagesSearch(ctx context.Context, req *ReqMessagesSearch) (*TypeMessagesMessages, error)

func (RPCaller) MessagesSearchGifs

func (caller RPCaller) MessagesSearchGifs(ctx context.Context, req *ReqMessagesSearchGifs) (*TypeMessagesFoundGifs, error)

func (RPCaller) MessagesSearchGlobal

func (caller RPCaller) MessagesSearchGlobal(ctx context.Context, req *ReqMessagesSearchGlobal) (*TypeMessagesMessages, error)

func (RPCaller) MessagesSendEncrypted

func (caller RPCaller) MessagesSendEncrypted(ctx context.Context, req *ReqMessagesSendEncrypted) (*TypeMessagesSentEncryptedMessage, error)

func (RPCaller) MessagesSendEncryptedFile

func (caller RPCaller) MessagesSendEncryptedFile(ctx context.Context, req *ReqMessagesSendEncryptedFile) (*TypeMessagesSentEncryptedMessage, error)

func (RPCaller) MessagesSendEncryptedService

func (caller RPCaller) MessagesSendEncryptedService(ctx context.Context, req *ReqMessagesSendEncryptedService) (*TypeMessagesSentEncryptedMessage, error)

func (RPCaller) MessagesSendInlineBotResult

func (caller RPCaller) MessagesSendInlineBotResult(ctx context.Context, req *ReqMessagesSendInlineBotResult) (*TypeUpdates, error)

func (RPCaller) MessagesSendMedia

func (caller RPCaller) MessagesSendMedia(ctx context.Context, req *ReqMessagesSendMedia) (*TypeUpdates, error)

func (RPCaller) MessagesSendMessage

func (caller RPCaller) MessagesSendMessage(ctx context.Context, req *ReqMessagesSendMessage) (*TypeUpdates, error)

func (RPCaller) MessagesSendScreenshotNotification

func (caller RPCaller) MessagesSendScreenshotNotification(ctx context.Context, req *ReqMessagesSendScreenshotNotification) (*TypeUpdates, error)

func (RPCaller) MessagesSetBotCallbackAnswer

func (caller RPCaller) MessagesSetBotCallbackAnswer(ctx context.Context, req *ReqMessagesSetBotCallbackAnswer) (*TypeBool, error)

func (RPCaller) MessagesSetBotPrecheckoutResults

func (caller RPCaller) MessagesSetBotPrecheckoutResults(ctx context.Context, req *ReqMessagesSetBotPrecheckoutResults) (*TypeBool, error)

func (RPCaller) MessagesSetBotShippingResults

func (caller RPCaller) MessagesSetBotShippingResults(ctx context.Context, req *ReqMessagesSetBotShippingResults) (*TypeBool, error)

func (RPCaller) MessagesSetEncryptedTyping

func (caller RPCaller) MessagesSetEncryptedTyping(ctx context.Context, req *ReqMessagesSetEncryptedTyping) (*TypeBool, error)

func (RPCaller) MessagesSetGameScore

func (caller RPCaller) MessagesSetGameScore(ctx context.Context, req *ReqMessagesSetGameScore) (*TypeUpdates, error)

func (RPCaller) MessagesSetInlineBotResults

func (caller RPCaller) MessagesSetInlineBotResults(ctx context.Context, req *ReqMessagesSetInlineBotResults) (*TypeBool, error)

func (RPCaller) MessagesSetInlineGameScore

func (caller RPCaller) MessagesSetInlineGameScore(ctx context.Context, req *ReqMessagesSetInlineGameScore) (*TypeBool, error)

func (RPCaller) MessagesSetTyping

func (caller RPCaller) MessagesSetTyping(ctx context.Context, req *ReqMessagesSetTyping) (*TypeBool, error)

func (RPCaller) MessagesStartBot

func (caller RPCaller) MessagesStartBot(ctx context.Context, req *ReqMessagesStartBot) (*TypeUpdates, error)

func (RPCaller) MessagesToggleChatAdmins

func (caller RPCaller) MessagesToggleChatAdmins(ctx context.Context, req *ReqMessagesToggleChatAdmins) (*TypeUpdates, error)

func (RPCaller) MessagesToggleDialogPin

func (caller RPCaller) MessagesToggleDialogPin(ctx context.Context, req *ReqMessagesToggleDialogPin) (*TypeBool, error)

func (RPCaller) MessagesUninstallStickerSet

func (caller RPCaller) MessagesUninstallStickerSet(ctx context.Context, req *ReqMessagesUninstallStickerSet) (*TypeBool, error)

func (RPCaller) MessagesUploadMedia

func (caller RPCaller) MessagesUploadMedia(ctx context.Context, req *ReqMessagesUploadMedia) (*TypeMessageMedia, error)

func (RPCaller) PaymentsClearSavedInfo

func (caller RPCaller) PaymentsClearSavedInfo(ctx context.Context, req *ReqPaymentsClearSavedInfo) (*TypeBool, error)

func (RPCaller) PaymentsGetPaymentForm

func (caller RPCaller) PaymentsGetPaymentForm(ctx context.Context, req *ReqPaymentsGetPaymentForm) (*TypePaymentsPaymentForm, error)

func (RPCaller) PaymentsGetPaymentReceipt

func (caller RPCaller) PaymentsGetPaymentReceipt(ctx context.Context, req *ReqPaymentsGetPaymentReceipt) (*TypePaymentsPaymentReceipt, error)

func (RPCaller) PaymentsGetSavedInfo

func (caller RPCaller) PaymentsGetSavedInfo(ctx context.Context, req *ReqPaymentsGetSavedInfo) (*TypePaymentsSavedInfo, error)

func (RPCaller) PaymentsSendPaymentForm

func (caller RPCaller) PaymentsSendPaymentForm(ctx context.Context, req *ReqPaymentsSendPaymentForm) (*TypePaymentsPaymentResult, error)

func (RPCaller) PaymentsValidateRequestedInfo

func (caller RPCaller) PaymentsValidateRequestedInfo(ctx context.Context, req *ReqPaymentsValidateRequestedInfo) (*TypePaymentsValidatedRequestedInfo, error)

func (RPCaller) PhoneAcceptCall

func (caller RPCaller) PhoneAcceptCall(ctx context.Context, req *ReqPhoneAcceptCall) (*TypePhonePhoneCall, error)

func (RPCaller) PhoneConfirmCall

func (caller RPCaller) PhoneConfirmCall(ctx context.Context, req *ReqPhoneConfirmCall) (*TypePhonePhoneCall, error)

func (RPCaller) PhoneDiscardCall

func (caller RPCaller) PhoneDiscardCall(ctx context.Context, req *ReqPhoneDiscardCall) (*TypeUpdates, error)

func (RPCaller) PhoneGetCallConfig

func (caller RPCaller) PhoneGetCallConfig(ctx context.Context, req *ReqPhoneGetCallConfig) (*TypeDataJSON, error)

func (RPCaller) PhoneReceivedCall

func (caller RPCaller) PhoneReceivedCall(ctx context.Context, req *ReqPhoneReceivedCall) (*TypeBool, error)

func (RPCaller) PhoneRequestCall

func (caller RPCaller) PhoneRequestCall(ctx context.Context, req *ReqPhoneRequestCall) (*TypePhonePhoneCall, error)

func (RPCaller) PhoneSaveCallDebug

func (caller RPCaller) PhoneSaveCallDebug(ctx context.Context, req *ReqPhoneSaveCallDebug) (*TypeBool, error)

func (RPCaller) PhoneSetCallRating

func (caller RPCaller) PhoneSetCallRating(ctx context.Context, req *ReqPhoneSetCallRating) (*TypeUpdates, error)

func (RPCaller) PhotosDeletePhotos

func (caller RPCaller) PhotosDeletePhotos(ctx context.Context, req *ReqPhotosDeletePhotos) (*TypeVectorLong, error)

func (RPCaller) PhotosGetUserPhotos

func (caller RPCaller) PhotosGetUserPhotos(ctx context.Context, req *ReqPhotosGetUserPhotos) (*TypePhotosPhotos, error)

func (RPCaller) PhotosUpdateProfilePhoto

func (caller RPCaller) PhotosUpdateProfilePhoto(ctx context.Context, req *ReqPhotosUpdateProfilePhoto) (*TypeUserProfilePhoto, error)

func (RPCaller) PhotosUploadProfilePhoto

func (caller RPCaller) PhotosUploadProfilePhoto(ctx context.Context, req *ReqPhotosUploadProfilePhoto) (*TypePhotosPhoto, error)

func (RPCaller) StickersAddStickerToSet

func (caller RPCaller) StickersAddStickerToSet(ctx context.Context, req *ReqStickersAddStickerToSet) (*TypeMessagesStickerSet, error)

func (RPCaller) StickersChangeStickerPosition

func (caller RPCaller) StickersChangeStickerPosition(ctx context.Context, req *ReqStickersChangeStickerPosition) (*TypeMessagesStickerSet, error)

func (RPCaller) StickersCreateStickerSet

func (caller RPCaller) StickersCreateStickerSet(ctx context.Context, req *ReqStickersCreateStickerSet) (*TypeMessagesStickerSet, error)

func (RPCaller) StickersRemoveStickerFromSet

func (caller RPCaller) StickersRemoveStickerFromSet(ctx context.Context, req *ReqStickersRemoveStickerFromSet) (*TypeMessagesStickerSet, error)

func (RPCaller) UpdatesGetChannelDifference

func (caller RPCaller) UpdatesGetChannelDifference(ctx context.Context, req *ReqUpdatesGetChannelDifference) (*TypeUpdatesChannelDifference, error)

func (RPCaller) UpdatesGetDifference

func (caller RPCaller) UpdatesGetDifference(ctx context.Context, req *ReqUpdatesGetDifference) (*TypeUpdatesDifference, error)

func (RPCaller) UpdatesGetState

func (caller RPCaller) UpdatesGetState(ctx context.Context, req *ReqUpdatesGetState) (*TypeUpdatesState, error)

func (RPCaller) UploadGetCdnFile

func (caller RPCaller) UploadGetCdnFile(ctx context.Context, req *ReqUploadGetCdnFile) (*TypeUploadCdnFile, error)

func (RPCaller) UploadGetCdnFileHashes

func (caller RPCaller) UploadGetCdnFileHashes(ctx context.Context, req *ReqUploadGetCdnFileHashes) (*TypeVectorCdnFileHash, error)

func (RPCaller) UploadGetFile

func (caller RPCaller) UploadGetFile(ctx context.Context, req *ReqUploadGetFile) (*TypeUploadFile, error)

func (RPCaller) UploadGetWebFile

func (caller RPCaller) UploadGetWebFile(ctx context.Context, req *ReqUploadGetWebFile) (*TypeUploadWebFile, error)

func (RPCaller) UploadReuploadCdnFile

func (caller RPCaller) UploadReuploadCdnFile(ctx context.Context, req *ReqUploadReuploadCdnFile) (*TypeVectorCdnFileHash, error)

func (RPCaller) UploadSaveBigFilePart

func (caller RPCaller) UploadSaveBigFilePart(ctx context.Context, req *ReqUploadSaveBigFilePart) (*TypeBool, error)

func (RPCaller) UploadSaveFilePart

func (caller RPCaller) UploadSaveFilePart(ctx context.Context, req *ReqUploadSaveFilePart) (*TypeBool, error)

func (RPCaller) UsersGetFullUser

func (caller RPCaller) UsersGetFullUser(ctx context.Context, req *ReqUsersGetFullUser) (*TypeUserFull, error)

func (RPCaller) UsersGetUsers

func (caller RPCaller) UsersGetUsers(ctx context.Context, req *ReqUsersGetUsers) (*TypeVectorUser, error)

type RemoteProcedureCall

type RemoteProcedureCall interface {
	InvokeBlocked(msg TL) (interface{}, error)
}

type ReqAccountChangePhone

type ReqAccountChangePhone struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	PhoneCodeHash        string   `protobuf:"bytes,2,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	PhoneCode            string   `protobuf:"bytes,3,opt,name=PhoneCode" json:"PhoneCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountChangePhone) Descriptor

func (*ReqAccountChangePhone) Descriptor() ([]byte, []int)

func (*ReqAccountChangePhone) GetPhoneCode

func (m *ReqAccountChangePhone) GetPhoneCode() string

func (*ReqAccountChangePhone) GetPhoneCodeHash

func (m *ReqAccountChangePhone) GetPhoneCodeHash() string

func (*ReqAccountChangePhone) GetPhoneNumber

func (m *ReqAccountChangePhone) GetPhoneNumber() string

func (*ReqAccountChangePhone) ProtoMessage

func (*ReqAccountChangePhone) ProtoMessage()

func (*ReqAccountChangePhone) Reset

func (m *ReqAccountChangePhone) Reset()

func (*ReqAccountChangePhone) String

func (m *ReqAccountChangePhone) String() string

func (*ReqAccountChangePhone) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountChangePhone) XXX_DiscardUnknown()

func (*ReqAccountChangePhone) XXX_Marshal added in v0.4.1

func (m *ReqAccountChangePhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountChangePhone) XXX_Merge added in v0.4.1

func (dst *ReqAccountChangePhone) XXX_Merge(src proto.Message)

func (*ReqAccountChangePhone) XXX_Size added in v0.4.1

func (m *ReqAccountChangePhone) XXX_Size() int

func (*ReqAccountChangePhone) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountChangePhone) XXX_Unmarshal(b []byte) error

type ReqAccountCheckUsername

type ReqAccountCheckUsername struct {
	Username             string   `protobuf:"bytes,1,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountCheckUsername) Descriptor

func (*ReqAccountCheckUsername) Descriptor() ([]byte, []int)

func (*ReqAccountCheckUsername) GetUsername

func (m *ReqAccountCheckUsername) GetUsername() string

func (*ReqAccountCheckUsername) ProtoMessage

func (*ReqAccountCheckUsername) ProtoMessage()

func (*ReqAccountCheckUsername) Reset

func (m *ReqAccountCheckUsername) Reset()

func (*ReqAccountCheckUsername) String

func (m *ReqAccountCheckUsername) String() string

func (*ReqAccountCheckUsername) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountCheckUsername) XXX_DiscardUnknown()

func (*ReqAccountCheckUsername) XXX_Marshal added in v0.4.1

func (m *ReqAccountCheckUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountCheckUsername) XXX_Merge added in v0.4.1

func (dst *ReqAccountCheckUsername) XXX_Merge(src proto.Message)

func (*ReqAccountCheckUsername) XXX_Size added in v0.4.1

func (m *ReqAccountCheckUsername) XXX_Size() int

func (*ReqAccountCheckUsername) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountCheckUsername) XXX_Unmarshal(b []byte) error

type ReqAccountConfirmPhone

type ReqAccountConfirmPhone struct {
	PhoneCodeHash        string   `protobuf:"bytes,1,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	PhoneCode            string   `protobuf:"bytes,2,opt,name=PhoneCode" json:"PhoneCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountConfirmPhone) Descriptor

func (*ReqAccountConfirmPhone) Descriptor() ([]byte, []int)

func (*ReqAccountConfirmPhone) GetPhoneCode

func (m *ReqAccountConfirmPhone) GetPhoneCode() string

func (*ReqAccountConfirmPhone) GetPhoneCodeHash

func (m *ReqAccountConfirmPhone) GetPhoneCodeHash() string

func (*ReqAccountConfirmPhone) ProtoMessage

func (*ReqAccountConfirmPhone) ProtoMessage()

func (*ReqAccountConfirmPhone) Reset

func (m *ReqAccountConfirmPhone) Reset()

func (*ReqAccountConfirmPhone) String

func (m *ReqAccountConfirmPhone) String() string

func (*ReqAccountConfirmPhone) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountConfirmPhone) XXX_DiscardUnknown()

func (*ReqAccountConfirmPhone) XXX_Marshal added in v0.4.1

func (m *ReqAccountConfirmPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountConfirmPhone) XXX_Merge added in v0.4.1

func (dst *ReqAccountConfirmPhone) XXX_Merge(src proto.Message)

func (*ReqAccountConfirmPhone) XXX_Size added in v0.4.1

func (m *ReqAccountConfirmPhone) XXX_Size() int

func (*ReqAccountConfirmPhone) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountConfirmPhone) XXX_Unmarshal(b []byte) error

type ReqAccountDeleteAccount

type ReqAccountDeleteAccount struct {
	Reason               string   `protobuf:"bytes,1,opt,name=Reason" json:"Reason,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountDeleteAccount) Descriptor

func (*ReqAccountDeleteAccount) Descriptor() ([]byte, []int)

func (*ReqAccountDeleteAccount) GetReason

func (m *ReqAccountDeleteAccount) GetReason() string

func (*ReqAccountDeleteAccount) ProtoMessage

func (*ReqAccountDeleteAccount) ProtoMessage()

func (*ReqAccountDeleteAccount) Reset

func (m *ReqAccountDeleteAccount) Reset()

func (*ReqAccountDeleteAccount) String

func (m *ReqAccountDeleteAccount) String() string

func (*ReqAccountDeleteAccount) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountDeleteAccount) XXX_DiscardUnknown()

func (*ReqAccountDeleteAccount) XXX_Marshal added in v0.4.1

func (m *ReqAccountDeleteAccount) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountDeleteAccount) XXX_Merge added in v0.4.1

func (dst *ReqAccountDeleteAccount) XXX_Merge(src proto.Message)

func (*ReqAccountDeleteAccount) XXX_Size added in v0.4.1

func (m *ReqAccountDeleteAccount) XXX_Size() int

func (*ReqAccountDeleteAccount) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountDeleteAccount) XXX_Unmarshal(b []byte) error

type ReqAccountGetAccountTTL

type ReqAccountGetAccountTTL struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetAccountTTL) Descriptor

func (*ReqAccountGetAccountTTL) Descriptor() ([]byte, []int)

func (*ReqAccountGetAccountTTL) ProtoMessage

func (*ReqAccountGetAccountTTL) ProtoMessage()

func (*ReqAccountGetAccountTTL) Reset

func (m *ReqAccountGetAccountTTL) Reset()

func (*ReqAccountGetAccountTTL) String

func (m *ReqAccountGetAccountTTL) String() string

func (*ReqAccountGetAccountTTL) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetAccountTTL) XXX_DiscardUnknown()

func (*ReqAccountGetAccountTTL) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetAccountTTL) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetAccountTTL) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetAccountTTL) XXX_Merge(src proto.Message)

func (*ReqAccountGetAccountTTL) XXX_Size added in v0.4.1

func (m *ReqAccountGetAccountTTL) XXX_Size() int

func (*ReqAccountGetAccountTTL) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetAccountTTL) XXX_Unmarshal(b []byte) error

type ReqAccountGetAuthorizations

type ReqAccountGetAuthorizations struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetAuthorizations) Descriptor

func (*ReqAccountGetAuthorizations) Descriptor() ([]byte, []int)

func (*ReqAccountGetAuthorizations) ProtoMessage

func (*ReqAccountGetAuthorizations) ProtoMessage()

func (*ReqAccountGetAuthorizations) Reset

func (m *ReqAccountGetAuthorizations) Reset()

func (*ReqAccountGetAuthorizations) String

func (m *ReqAccountGetAuthorizations) String() string

func (*ReqAccountGetAuthorizations) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetAuthorizations) XXX_DiscardUnknown()

func (*ReqAccountGetAuthorizations) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetAuthorizations) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetAuthorizations) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetAuthorizations) XXX_Merge(src proto.Message)

func (*ReqAccountGetAuthorizations) XXX_Size added in v0.4.1

func (m *ReqAccountGetAuthorizations) XXX_Size() int

func (*ReqAccountGetAuthorizations) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetAuthorizations) XXX_Unmarshal(b []byte) error

type ReqAccountGetNotifySettings

type ReqAccountGetNotifySettings struct {
	// default: InputNotifyPeer
	Peer                 *TypeInputNotifyPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqAccountGetNotifySettings) Descriptor

func (*ReqAccountGetNotifySettings) Descriptor() ([]byte, []int)

func (*ReqAccountGetNotifySettings) GetPeer

func (*ReqAccountGetNotifySettings) ProtoMessage

func (*ReqAccountGetNotifySettings) ProtoMessage()

func (*ReqAccountGetNotifySettings) Reset

func (m *ReqAccountGetNotifySettings) Reset()

func (*ReqAccountGetNotifySettings) String

func (m *ReqAccountGetNotifySettings) String() string

func (*ReqAccountGetNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetNotifySettings) XXX_DiscardUnknown()

func (*ReqAccountGetNotifySettings) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetNotifySettings) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetNotifySettings) XXX_Merge(src proto.Message)

func (*ReqAccountGetNotifySettings) XXX_Size added in v0.4.1

func (m *ReqAccountGetNotifySettings) XXX_Size() int

func (*ReqAccountGetNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetNotifySettings) XXX_Unmarshal(b []byte) error

type ReqAccountGetPassword

type ReqAccountGetPassword struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetPassword) Descriptor

func (*ReqAccountGetPassword) Descriptor() ([]byte, []int)

func (*ReqAccountGetPassword) ProtoMessage

func (*ReqAccountGetPassword) ProtoMessage()

func (*ReqAccountGetPassword) Reset

func (m *ReqAccountGetPassword) Reset()

func (*ReqAccountGetPassword) String

func (m *ReqAccountGetPassword) String() string

func (*ReqAccountGetPassword) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetPassword) XXX_DiscardUnknown()

func (*ReqAccountGetPassword) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetPassword) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetPassword) XXX_Merge(src proto.Message)

func (*ReqAccountGetPassword) XXX_Size added in v0.4.1

func (m *ReqAccountGetPassword) XXX_Size() int

func (*ReqAccountGetPassword) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetPassword) XXX_Unmarshal(b []byte) error

type ReqAccountGetPasswordSettings

type ReqAccountGetPasswordSettings struct {
	CurrentPasswordHash  []byte   `protobuf:"bytes,1,opt,name=CurrentPasswordHash,proto3" json:"CurrentPasswordHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetPasswordSettings) Descriptor

func (*ReqAccountGetPasswordSettings) Descriptor() ([]byte, []int)

func (*ReqAccountGetPasswordSettings) GetCurrentPasswordHash

func (m *ReqAccountGetPasswordSettings) GetCurrentPasswordHash() []byte

func (*ReqAccountGetPasswordSettings) ProtoMessage

func (*ReqAccountGetPasswordSettings) ProtoMessage()

func (*ReqAccountGetPasswordSettings) Reset

func (m *ReqAccountGetPasswordSettings) Reset()

func (*ReqAccountGetPasswordSettings) String

func (*ReqAccountGetPasswordSettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetPasswordSettings) XXX_DiscardUnknown()

func (*ReqAccountGetPasswordSettings) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetPasswordSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetPasswordSettings) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetPasswordSettings) XXX_Merge(src proto.Message)

func (*ReqAccountGetPasswordSettings) XXX_Size added in v0.4.1

func (m *ReqAccountGetPasswordSettings) XXX_Size() int

func (*ReqAccountGetPasswordSettings) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetPasswordSettings) XXX_Unmarshal(b []byte) error

type ReqAccountGetPrivacy

type ReqAccountGetPrivacy struct {
	// default: InputPrivacyKey
	Key                  *TypeInputPrivacyKey `protobuf:"bytes,1,opt,name=Key" json:"Key,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqAccountGetPrivacy) Descriptor

func (*ReqAccountGetPrivacy) Descriptor() ([]byte, []int)

func (*ReqAccountGetPrivacy) GetKey

func (*ReqAccountGetPrivacy) ProtoMessage

func (*ReqAccountGetPrivacy) ProtoMessage()

func (*ReqAccountGetPrivacy) Reset

func (m *ReqAccountGetPrivacy) Reset()

func (*ReqAccountGetPrivacy) String

func (m *ReqAccountGetPrivacy) String() string

func (*ReqAccountGetPrivacy) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetPrivacy) XXX_DiscardUnknown()

func (*ReqAccountGetPrivacy) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetPrivacy) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetPrivacy) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetPrivacy) XXX_Merge(src proto.Message)

func (*ReqAccountGetPrivacy) XXX_Size added in v0.4.1

func (m *ReqAccountGetPrivacy) XXX_Size() int

func (*ReqAccountGetPrivacy) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetPrivacy) XXX_Unmarshal(b []byte) error

type ReqAccountGetTmpPassword

type ReqAccountGetTmpPassword struct {
	PasswordHash         []byte   `protobuf:"bytes,1,opt,name=PasswordHash,proto3" json:"PasswordHash,omitempty"`
	Period               int32    `protobuf:"varint,2,opt,name=Period" json:"Period,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetTmpPassword) Descriptor

func (*ReqAccountGetTmpPassword) Descriptor() ([]byte, []int)

func (*ReqAccountGetTmpPassword) GetPasswordHash

func (m *ReqAccountGetTmpPassword) GetPasswordHash() []byte

func (*ReqAccountGetTmpPassword) GetPeriod

func (m *ReqAccountGetTmpPassword) GetPeriod() int32

func (*ReqAccountGetTmpPassword) ProtoMessage

func (*ReqAccountGetTmpPassword) ProtoMessage()

func (*ReqAccountGetTmpPassword) Reset

func (m *ReqAccountGetTmpPassword) Reset()

func (*ReqAccountGetTmpPassword) String

func (m *ReqAccountGetTmpPassword) String() string

func (*ReqAccountGetTmpPassword) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetTmpPassword) XXX_DiscardUnknown()

func (*ReqAccountGetTmpPassword) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetTmpPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetTmpPassword) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetTmpPassword) XXX_Merge(src proto.Message)

func (*ReqAccountGetTmpPassword) XXX_Size added in v0.4.1

func (m *ReqAccountGetTmpPassword) XXX_Size() int

func (*ReqAccountGetTmpPassword) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetTmpPassword) XXX_Unmarshal(b []byte) error

type ReqAccountGetWallPapers

type ReqAccountGetWallPapers struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountGetWallPapers) Descriptor

func (*ReqAccountGetWallPapers) Descriptor() ([]byte, []int)

func (*ReqAccountGetWallPapers) ProtoMessage

func (*ReqAccountGetWallPapers) ProtoMessage()

func (*ReqAccountGetWallPapers) Reset

func (m *ReqAccountGetWallPapers) Reset()

func (*ReqAccountGetWallPapers) String

func (m *ReqAccountGetWallPapers) String() string

func (*ReqAccountGetWallPapers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountGetWallPapers) XXX_DiscardUnknown()

func (*ReqAccountGetWallPapers) XXX_Marshal added in v0.4.1

func (m *ReqAccountGetWallPapers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountGetWallPapers) XXX_Merge added in v0.4.1

func (dst *ReqAccountGetWallPapers) XXX_Merge(src proto.Message)

func (*ReqAccountGetWallPapers) XXX_Size added in v0.4.1

func (m *ReqAccountGetWallPapers) XXX_Size() int

func (*ReqAccountGetWallPapers) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountGetWallPapers) XXX_Unmarshal(b []byte) error

type ReqAccountRegisterDevice

type ReqAccountRegisterDevice struct {
	TokenType            int32    `protobuf:"varint,1,opt,name=TokenType" json:"TokenType,omitempty"`
	Token                string   `protobuf:"bytes,2,opt,name=Token" json:"Token,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountRegisterDevice) Descriptor

func (*ReqAccountRegisterDevice) Descriptor() ([]byte, []int)

func (*ReqAccountRegisterDevice) GetToken

func (m *ReqAccountRegisterDevice) GetToken() string

func (*ReqAccountRegisterDevice) GetTokenType

func (m *ReqAccountRegisterDevice) GetTokenType() int32

func (*ReqAccountRegisterDevice) ProtoMessage

func (*ReqAccountRegisterDevice) ProtoMessage()

func (*ReqAccountRegisterDevice) Reset

func (m *ReqAccountRegisterDevice) Reset()

func (*ReqAccountRegisterDevice) String

func (m *ReqAccountRegisterDevice) String() string

func (*ReqAccountRegisterDevice) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountRegisterDevice) XXX_DiscardUnknown()

func (*ReqAccountRegisterDevice) XXX_Marshal added in v0.4.1

func (m *ReqAccountRegisterDevice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountRegisterDevice) XXX_Merge added in v0.4.1

func (dst *ReqAccountRegisterDevice) XXX_Merge(src proto.Message)

func (*ReqAccountRegisterDevice) XXX_Size added in v0.4.1

func (m *ReqAccountRegisterDevice) XXX_Size() int

func (*ReqAccountRegisterDevice) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountRegisterDevice) XXX_Unmarshal(b []byte) error

type ReqAccountReportPeer

type ReqAccountReportPeer struct {
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: ReportReason
	Reason               *TypeReportReason `protobuf:"bytes,2,opt,name=Reason" json:"Reason,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqAccountReportPeer) Descriptor

func (*ReqAccountReportPeer) Descriptor() ([]byte, []int)

func (*ReqAccountReportPeer) GetPeer

func (m *ReqAccountReportPeer) GetPeer() *TypeInputPeer

func (*ReqAccountReportPeer) GetReason

func (m *ReqAccountReportPeer) GetReason() *TypeReportReason

func (*ReqAccountReportPeer) ProtoMessage

func (*ReqAccountReportPeer) ProtoMessage()

func (*ReqAccountReportPeer) Reset

func (m *ReqAccountReportPeer) Reset()

func (*ReqAccountReportPeer) String

func (m *ReqAccountReportPeer) String() string

func (*ReqAccountReportPeer) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountReportPeer) XXX_DiscardUnknown()

func (*ReqAccountReportPeer) XXX_Marshal added in v0.4.1

func (m *ReqAccountReportPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountReportPeer) XXX_Merge added in v0.4.1

func (dst *ReqAccountReportPeer) XXX_Merge(src proto.Message)

func (*ReqAccountReportPeer) XXX_Size added in v0.4.1

func (m *ReqAccountReportPeer) XXX_Size() int

func (*ReqAccountReportPeer) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountReportPeer) XXX_Unmarshal(b []byte) error

type ReqAccountResetAuthorization

type ReqAccountResetAuthorization struct {
	Hash                 int64    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountResetAuthorization) Descriptor

func (*ReqAccountResetAuthorization) Descriptor() ([]byte, []int)

func (*ReqAccountResetAuthorization) GetHash

func (m *ReqAccountResetAuthorization) GetHash() int64

func (*ReqAccountResetAuthorization) ProtoMessage

func (*ReqAccountResetAuthorization) ProtoMessage()

func (*ReqAccountResetAuthorization) Reset

func (m *ReqAccountResetAuthorization) Reset()

func (*ReqAccountResetAuthorization) String

func (*ReqAccountResetAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountResetAuthorization) XXX_DiscardUnknown()

func (*ReqAccountResetAuthorization) XXX_Marshal added in v0.4.1

func (m *ReqAccountResetAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountResetAuthorization) XXX_Merge added in v0.4.1

func (dst *ReqAccountResetAuthorization) XXX_Merge(src proto.Message)

func (*ReqAccountResetAuthorization) XXX_Size added in v0.4.1

func (m *ReqAccountResetAuthorization) XXX_Size() int

func (*ReqAccountResetAuthorization) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountResetAuthorization) XXX_Unmarshal(b []byte) error

type ReqAccountResetNotifySettings

type ReqAccountResetNotifySettings struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountResetNotifySettings) Descriptor

func (*ReqAccountResetNotifySettings) Descriptor() ([]byte, []int)

func (*ReqAccountResetNotifySettings) ProtoMessage

func (*ReqAccountResetNotifySettings) ProtoMessage()

func (*ReqAccountResetNotifySettings) Reset

func (m *ReqAccountResetNotifySettings) Reset()

func (*ReqAccountResetNotifySettings) String

func (*ReqAccountResetNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountResetNotifySettings) XXX_DiscardUnknown()

func (*ReqAccountResetNotifySettings) XXX_Marshal added in v0.4.1

func (m *ReqAccountResetNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountResetNotifySettings) XXX_Merge added in v0.4.1

func (dst *ReqAccountResetNotifySettings) XXX_Merge(src proto.Message)

func (*ReqAccountResetNotifySettings) XXX_Size added in v0.4.1

func (m *ReqAccountResetNotifySettings) XXX_Size() int

func (*ReqAccountResetNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountResetNotifySettings) XXX_Unmarshal(b []byte) error

type ReqAccountSendChangePhoneCode

type ReqAccountSendChangePhoneCode struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// AllowFlashcall	bool // flags.0?true
	PhoneNumber string `protobuf:"bytes,3,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	// default: Bool
	CurrentNumber        *TypeBool `protobuf:"bytes,4,opt,name=CurrentNumber" json:"CurrentNumber,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqAccountSendChangePhoneCode) Descriptor

func (*ReqAccountSendChangePhoneCode) Descriptor() ([]byte, []int)

func (*ReqAccountSendChangePhoneCode) GetCurrentNumber

func (m *ReqAccountSendChangePhoneCode) GetCurrentNumber() *TypeBool

func (*ReqAccountSendChangePhoneCode) GetFlags

func (m *ReqAccountSendChangePhoneCode) GetFlags() int32

func (*ReqAccountSendChangePhoneCode) GetPhoneNumber

func (m *ReqAccountSendChangePhoneCode) GetPhoneNumber() string

func (*ReqAccountSendChangePhoneCode) ProtoMessage

func (*ReqAccountSendChangePhoneCode) ProtoMessage()

func (*ReqAccountSendChangePhoneCode) Reset

func (m *ReqAccountSendChangePhoneCode) Reset()

func (*ReqAccountSendChangePhoneCode) String

func (*ReqAccountSendChangePhoneCode) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountSendChangePhoneCode) XXX_DiscardUnknown()

func (*ReqAccountSendChangePhoneCode) XXX_Marshal added in v0.4.1

func (m *ReqAccountSendChangePhoneCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountSendChangePhoneCode) XXX_Merge added in v0.4.1

func (dst *ReqAccountSendChangePhoneCode) XXX_Merge(src proto.Message)

func (*ReqAccountSendChangePhoneCode) XXX_Size added in v0.4.1

func (m *ReqAccountSendChangePhoneCode) XXX_Size() int

func (*ReqAccountSendChangePhoneCode) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountSendChangePhoneCode) XXX_Unmarshal(b []byte) error

type ReqAccountSendConfirmPhoneCode

type ReqAccountSendConfirmPhoneCode struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// AllowFlashcall	bool // flags.0?true
	Hash string `protobuf:"bytes,3,opt,name=Hash" json:"Hash,omitempty"`
	// default: Bool
	CurrentNumber        *TypeBool `protobuf:"bytes,4,opt,name=CurrentNumber" json:"CurrentNumber,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqAccountSendConfirmPhoneCode) Descriptor

func (*ReqAccountSendConfirmPhoneCode) Descriptor() ([]byte, []int)

func (*ReqAccountSendConfirmPhoneCode) GetCurrentNumber

func (m *ReqAccountSendConfirmPhoneCode) GetCurrentNumber() *TypeBool

func (*ReqAccountSendConfirmPhoneCode) GetFlags

func (m *ReqAccountSendConfirmPhoneCode) GetFlags() int32

func (*ReqAccountSendConfirmPhoneCode) GetHash

func (*ReqAccountSendConfirmPhoneCode) ProtoMessage

func (*ReqAccountSendConfirmPhoneCode) ProtoMessage()

func (*ReqAccountSendConfirmPhoneCode) Reset

func (m *ReqAccountSendConfirmPhoneCode) Reset()

func (*ReqAccountSendConfirmPhoneCode) String

func (*ReqAccountSendConfirmPhoneCode) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountSendConfirmPhoneCode) XXX_DiscardUnknown()

func (*ReqAccountSendConfirmPhoneCode) XXX_Marshal added in v0.4.1

func (m *ReqAccountSendConfirmPhoneCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountSendConfirmPhoneCode) XXX_Merge added in v0.4.1

func (dst *ReqAccountSendConfirmPhoneCode) XXX_Merge(src proto.Message)

func (*ReqAccountSendConfirmPhoneCode) XXX_Size added in v0.4.1

func (m *ReqAccountSendConfirmPhoneCode) XXX_Size() int

func (*ReqAccountSendConfirmPhoneCode) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountSendConfirmPhoneCode) XXX_Unmarshal(b []byte) error

type ReqAccountSetAccountTTL

type ReqAccountSetAccountTTL struct {
	// default: AccountDaysTTL
	Ttl                  *TypeAccountDaysTTL `protobuf:"bytes,1,opt,name=Ttl" json:"Ttl,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqAccountSetAccountTTL) Descriptor

func (*ReqAccountSetAccountTTL) Descriptor() ([]byte, []int)

func (*ReqAccountSetAccountTTL) GetTtl

func (*ReqAccountSetAccountTTL) ProtoMessage

func (*ReqAccountSetAccountTTL) ProtoMessage()

func (*ReqAccountSetAccountTTL) Reset

func (m *ReqAccountSetAccountTTL) Reset()

func (*ReqAccountSetAccountTTL) String

func (m *ReqAccountSetAccountTTL) String() string

func (*ReqAccountSetAccountTTL) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountSetAccountTTL) XXX_DiscardUnknown()

func (*ReqAccountSetAccountTTL) XXX_Marshal added in v0.4.1

func (m *ReqAccountSetAccountTTL) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountSetAccountTTL) XXX_Merge added in v0.4.1

func (dst *ReqAccountSetAccountTTL) XXX_Merge(src proto.Message)

func (*ReqAccountSetAccountTTL) XXX_Size added in v0.4.1

func (m *ReqAccountSetAccountTTL) XXX_Size() int

func (*ReqAccountSetAccountTTL) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountSetAccountTTL) XXX_Unmarshal(b []byte) error

type ReqAccountSetPrivacy

type ReqAccountSetPrivacy struct {
	// default: InputPrivacyKey
	Key *TypeInputPrivacyKey `protobuf:"bytes,1,opt,name=Key" json:"Key,omitempty"`
	// default: Vector<InputPrivacyRule>
	Rules                []*TypeInputPrivacyRule `protobuf:"bytes,2,rep,name=Rules" json:"Rules,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqAccountSetPrivacy) Descriptor

func (*ReqAccountSetPrivacy) Descriptor() ([]byte, []int)

func (*ReqAccountSetPrivacy) GetKey

func (*ReqAccountSetPrivacy) GetRules

func (m *ReqAccountSetPrivacy) GetRules() []*TypeInputPrivacyRule

func (*ReqAccountSetPrivacy) ProtoMessage

func (*ReqAccountSetPrivacy) ProtoMessage()

func (*ReqAccountSetPrivacy) Reset

func (m *ReqAccountSetPrivacy) Reset()

func (*ReqAccountSetPrivacy) String

func (m *ReqAccountSetPrivacy) String() string

func (*ReqAccountSetPrivacy) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountSetPrivacy) XXX_DiscardUnknown()

func (*ReqAccountSetPrivacy) XXX_Marshal added in v0.4.1

func (m *ReqAccountSetPrivacy) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountSetPrivacy) XXX_Merge added in v0.4.1

func (dst *ReqAccountSetPrivacy) XXX_Merge(src proto.Message)

func (*ReqAccountSetPrivacy) XXX_Size added in v0.4.1

func (m *ReqAccountSetPrivacy) XXX_Size() int

func (*ReqAccountSetPrivacy) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountSetPrivacy) XXX_Unmarshal(b []byte) error

type ReqAccountUnregisterDevice

type ReqAccountUnregisterDevice struct {
	TokenType            int32    `protobuf:"varint,1,opt,name=TokenType" json:"TokenType,omitempty"`
	Token                string   `protobuf:"bytes,2,opt,name=Token" json:"Token,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountUnregisterDevice) Descriptor

func (*ReqAccountUnregisterDevice) Descriptor() ([]byte, []int)

func (*ReqAccountUnregisterDevice) GetToken

func (m *ReqAccountUnregisterDevice) GetToken() string

func (*ReqAccountUnregisterDevice) GetTokenType

func (m *ReqAccountUnregisterDevice) GetTokenType() int32

func (*ReqAccountUnregisterDevice) ProtoMessage

func (*ReqAccountUnregisterDevice) ProtoMessage()

func (*ReqAccountUnregisterDevice) Reset

func (m *ReqAccountUnregisterDevice) Reset()

func (*ReqAccountUnregisterDevice) String

func (m *ReqAccountUnregisterDevice) String() string

func (*ReqAccountUnregisterDevice) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUnregisterDevice) XXX_DiscardUnknown()

func (*ReqAccountUnregisterDevice) XXX_Marshal added in v0.4.1

func (m *ReqAccountUnregisterDevice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUnregisterDevice) XXX_Merge added in v0.4.1

func (dst *ReqAccountUnregisterDevice) XXX_Merge(src proto.Message)

func (*ReqAccountUnregisterDevice) XXX_Size added in v0.4.1

func (m *ReqAccountUnregisterDevice) XXX_Size() int

func (*ReqAccountUnregisterDevice) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUnregisterDevice) XXX_Unmarshal(b []byte) error

type ReqAccountUpdateDeviceLocked

type ReqAccountUpdateDeviceLocked struct {
	Period               int32    `protobuf:"varint,1,opt,name=Period" json:"Period,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountUpdateDeviceLocked) Descriptor

func (*ReqAccountUpdateDeviceLocked) Descriptor() ([]byte, []int)

func (*ReqAccountUpdateDeviceLocked) GetPeriod

func (m *ReqAccountUpdateDeviceLocked) GetPeriod() int32

func (*ReqAccountUpdateDeviceLocked) ProtoMessage

func (*ReqAccountUpdateDeviceLocked) ProtoMessage()

func (*ReqAccountUpdateDeviceLocked) Reset

func (m *ReqAccountUpdateDeviceLocked) Reset()

func (*ReqAccountUpdateDeviceLocked) String

func (*ReqAccountUpdateDeviceLocked) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdateDeviceLocked) XXX_DiscardUnknown()

func (*ReqAccountUpdateDeviceLocked) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdateDeviceLocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdateDeviceLocked) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdateDeviceLocked) XXX_Merge(src proto.Message)

func (*ReqAccountUpdateDeviceLocked) XXX_Size added in v0.4.1

func (m *ReqAccountUpdateDeviceLocked) XXX_Size() int

func (*ReqAccountUpdateDeviceLocked) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdateDeviceLocked) XXX_Unmarshal(b []byte) error

type ReqAccountUpdateNotifySettings

type ReqAccountUpdateNotifySettings struct {
	// default: InputNotifyPeer
	Peer *TypeInputNotifyPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: InputPeerNotifySettings
	Settings             *TypeInputPeerNotifySettings `protobuf:"bytes,2,opt,name=Settings" json:"Settings,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*ReqAccountUpdateNotifySettings) Descriptor

func (*ReqAccountUpdateNotifySettings) Descriptor() ([]byte, []int)

func (*ReqAccountUpdateNotifySettings) GetPeer

func (*ReqAccountUpdateNotifySettings) GetSettings

func (*ReqAccountUpdateNotifySettings) ProtoMessage

func (*ReqAccountUpdateNotifySettings) ProtoMessage()

func (*ReqAccountUpdateNotifySettings) Reset

func (m *ReqAccountUpdateNotifySettings) Reset()

func (*ReqAccountUpdateNotifySettings) String

func (*ReqAccountUpdateNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdateNotifySettings) XXX_DiscardUnknown()

func (*ReqAccountUpdateNotifySettings) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdateNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdateNotifySettings) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdateNotifySettings) XXX_Merge(src proto.Message)

func (*ReqAccountUpdateNotifySettings) XXX_Size added in v0.4.1

func (m *ReqAccountUpdateNotifySettings) XXX_Size() int

func (*ReqAccountUpdateNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdateNotifySettings) XXX_Unmarshal(b []byte) error

type ReqAccountUpdatePasswordSettings

type ReqAccountUpdatePasswordSettings struct {
	CurrentPasswordHash []byte `protobuf:"bytes,1,opt,name=CurrentPasswordHash,proto3" json:"CurrentPasswordHash,omitempty"`
	// default: accountPasswordInputSettings
	NewSettings          *TypeAccountPasswordInputSettings `protobuf:"bytes,2,opt,name=NewSettings" json:"NewSettings,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*ReqAccountUpdatePasswordSettings) Descriptor

func (*ReqAccountUpdatePasswordSettings) Descriptor() ([]byte, []int)

func (*ReqAccountUpdatePasswordSettings) GetCurrentPasswordHash

func (m *ReqAccountUpdatePasswordSettings) GetCurrentPasswordHash() []byte

func (*ReqAccountUpdatePasswordSettings) GetNewSettings

func (*ReqAccountUpdatePasswordSettings) ProtoMessage

func (*ReqAccountUpdatePasswordSettings) ProtoMessage()

func (*ReqAccountUpdatePasswordSettings) Reset

func (*ReqAccountUpdatePasswordSettings) String

func (*ReqAccountUpdatePasswordSettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdatePasswordSettings) XXX_DiscardUnknown()

func (*ReqAccountUpdatePasswordSettings) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdatePasswordSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdatePasswordSettings) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdatePasswordSettings) XXX_Merge(src proto.Message)

func (*ReqAccountUpdatePasswordSettings) XXX_Size added in v0.4.1

func (m *ReqAccountUpdatePasswordSettings) XXX_Size() int

func (*ReqAccountUpdatePasswordSettings) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdatePasswordSettings) XXX_Unmarshal(b []byte) error

type ReqAccountUpdateProfile

type ReqAccountUpdateProfile struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	FirstName            string   `protobuf:"bytes,2,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,3,opt,name=LastName" json:"LastName,omitempty"`
	About                string   `protobuf:"bytes,4,opt,name=About" json:"About,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountUpdateProfile) Descriptor

func (*ReqAccountUpdateProfile) Descriptor() ([]byte, []int)

func (*ReqAccountUpdateProfile) GetAbout

func (m *ReqAccountUpdateProfile) GetAbout() string

func (*ReqAccountUpdateProfile) GetFirstName

func (m *ReqAccountUpdateProfile) GetFirstName() string

func (*ReqAccountUpdateProfile) GetFlags

func (m *ReqAccountUpdateProfile) GetFlags() int32

func (*ReqAccountUpdateProfile) GetLastName

func (m *ReqAccountUpdateProfile) GetLastName() string

func (*ReqAccountUpdateProfile) ProtoMessage

func (*ReqAccountUpdateProfile) ProtoMessage()

func (*ReqAccountUpdateProfile) Reset

func (m *ReqAccountUpdateProfile) Reset()

func (*ReqAccountUpdateProfile) String

func (m *ReqAccountUpdateProfile) String() string

func (*ReqAccountUpdateProfile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdateProfile) XXX_DiscardUnknown()

func (*ReqAccountUpdateProfile) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdateProfile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdateProfile) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdateProfile) XXX_Merge(src proto.Message)

func (*ReqAccountUpdateProfile) XXX_Size added in v0.4.1

func (m *ReqAccountUpdateProfile) XXX_Size() int

func (*ReqAccountUpdateProfile) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdateProfile) XXX_Unmarshal(b []byte) error

type ReqAccountUpdateStatus

type ReqAccountUpdateStatus struct {
	// default: Bool
	Offline              *TypeBool `protobuf:"bytes,1,opt,name=Offline" json:"Offline,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqAccountUpdateStatus) Descriptor

func (*ReqAccountUpdateStatus) Descriptor() ([]byte, []int)

func (*ReqAccountUpdateStatus) GetOffline

func (m *ReqAccountUpdateStatus) GetOffline() *TypeBool

func (*ReqAccountUpdateStatus) ProtoMessage

func (*ReqAccountUpdateStatus) ProtoMessage()

func (*ReqAccountUpdateStatus) Reset

func (m *ReqAccountUpdateStatus) Reset()

func (*ReqAccountUpdateStatus) String

func (m *ReqAccountUpdateStatus) String() string

func (*ReqAccountUpdateStatus) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdateStatus) XXX_DiscardUnknown()

func (*ReqAccountUpdateStatus) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdateStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdateStatus) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdateStatus) XXX_Merge(src proto.Message)

func (*ReqAccountUpdateStatus) XXX_Size added in v0.4.1

func (m *ReqAccountUpdateStatus) XXX_Size() int

func (*ReqAccountUpdateStatus) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdateStatus) XXX_Unmarshal(b []byte) error

type ReqAccountUpdateUsername

type ReqAccountUpdateUsername struct {
	Username             string   `protobuf:"bytes,1,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAccountUpdateUsername) Descriptor

func (*ReqAccountUpdateUsername) Descriptor() ([]byte, []int)

func (*ReqAccountUpdateUsername) GetUsername

func (m *ReqAccountUpdateUsername) GetUsername() string

func (*ReqAccountUpdateUsername) ProtoMessage

func (*ReqAccountUpdateUsername) ProtoMessage()

func (*ReqAccountUpdateUsername) Reset

func (m *ReqAccountUpdateUsername) Reset()

func (*ReqAccountUpdateUsername) String

func (m *ReqAccountUpdateUsername) String() string

func (*ReqAccountUpdateUsername) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAccountUpdateUsername) XXX_DiscardUnknown()

func (*ReqAccountUpdateUsername) XXX_Marshal added in v0.4.1

func (m *ReqAccountUpdateUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAccountUpdateUsername) XXX_Merge added in v0.4.1

func (dst *ReqAccountUpdateUsername) XXX_Merge(src proto.Message)

func (*ReqAccountUpdateUsername) XXX_Size added in v0.4.1

func (m *ReqAccountUpdateUsername) XXX_Size() int

func (*ReqAccountUpdateUsername) XXX_Unmarshal added in v0.4.1

func (m *ReqAccountUpdateUsername) XXX_Unmarshal(b []byte) error

type ReqAuthBindTempAuthKey

type ReqAuthBindTempAuthKey struct {
	PermAuthKeyId        int64    `protobuf:"varint,1,opt,name=PermAuthKeyId" json:"PermAuthKeyId,omitempty"`
	Nonce                int64    `protobuf:"varint,2,opt,name=Nonce" json:"Nonce,omitempty"`
	ExpiresAt            int32    `protobuf:"varint,3,opt,name=ExpiresAt" json:"ExpiresAt,omitempty"`
	EncryptedMessage     []byte   `protobuf:"bytes,4,opt,name=EncryptedMessage,proto3" json:"EncryptedMessage,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthBindTempAuthKey) Descriptor

func (*ReqAuthBindTempAuthKey) Descriptor() ([]byte, []int)

func (*ReqAuthBindTempAuthKey) GetEncryptedMessage

func (m *ReqAuthBindTempAuthKey) GetEncryptedMessage() []byte

func (*ReqAuthBindTempAuthKey) GetExpiresAt

func (m *ReqAuthBindTempAuthKey) GetExpiresAt() int32

func (*ReqAuthBindTempAuthKey) GetNonce

func (m *ReqAuthBindTempAuthKey) GetNonce() int64

func (*ReqAuthBindTempAuthKey) GetPermAuthKeyId

func (m *ReqAuthBindTempAuthKey) GetPermAuthKeyId() int64

func (*ReqAuthBindTempAuthKey) ProtoMessage

func (*ReqAuthBindTempAuthKey) ProtoMessage()

func (*ReqAuthBindTempAuthKey) Reset

func (m *ReqAuthBindTempAuthKey) Reset()

func (*ReqAuthBindTempAuthKey) String

func (m *ReqAuthBindTempAuthKey) String() string

func (*ReqAuthBindTempAuthKey) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthBindTempAuthKey) XXX_DiscardUnknown()

func (*ReqAuthBindTempAuthKey) XXX_Marshal added in v0.4.1

func (m *ReqAuthBindTempAuthKey) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthBindTempAuthKey) XXX_Merge added in v0.4.1

func (dst *ReqAuthBindTempAuthKey) XXX_Merge(src proto.Message)

func (*ReqAuthBindTempAuthKey) XXX_Size added in v0.4.1

func (m *ReqAuthBindTempAuthKey) XXX_Size() int

func (*ReqAuthBindTempAuthKey) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthBindTempAuthKey) XXX_Unmarshal(b []byte) error

type ReqAuthCancelCode

type ReqAuthCancelCode struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	PhoneCodeHash        string   `protobuf:"bytes,2,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthCancelCode) Descriptor

func (*ReqAuthCancelCode) Descriptor() ([]byte, []int)

func (*ReqAuthCancelCode) GetPhoneCodeHash

func (m *ReqAuthCancelCode) GetPhoneCodeHash() string

func (*ReqAuthCancelCode) GetPhoneNumber

func (m *ReqAuthCancelCode) GetPhoneNumber() string

func (*ReqAuthCancelCode) ProtoMessage

func (*ReqAuthCancelCode) ProtoMessage()

func (*ReqAuthCancelCode) Reset

func (m *ReqAuthCancelCode) Reset()

func (*ReqAuthCancelCode) String

func (m *ReqAuthCancelCode) String() string

func (*ReqAuthCancelCode) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthCancelCode) XXX_DiscardUnknown()

func (*ReqAuthCancelCode) XXX_Marshal added in v0.4.1

func (m *ReqAuthCancelCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthCancelCode) XXX_Merge added in v0.4.1

func (dst *ReqAuthCancelCode) XXX_Merge(src proto.Message)

func (*ReqAuthCancelCode) XXX_Size added in v0.4.1

func (m *ReqAuthCancelCode) XXX_Size() int

func (*ReqAuthCancelCode) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthCancelCode) XXX_Unmarshal(b []byte) error

type ReqAuthCheckPassword

type ReqAuthCheckPassword struct {
	PasswordHash         []byte   `protobuf:"bytes,1,opt,name=PasswordHash,proto3" json:"PasswordHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthCheckPassword) Descriptor

func (*ReqAuthCheckPassword) Descriptor() ([]byte, []int)

func (*ReqAuthCheckPassword) GetPasswordHash

func (m *ReqAuthCheckPassword) GetPasswordHash() []byte

func (*ReqAuthCheckPassword) ProtoMessage

func (*ReqAuthCheckPassword) ProtoMessage()

func (*ReqAuthCheckPassword) Reset

func (m *ReqAuthCheckPassword) Reset()

func (*ReqAuthCheckPassword) String

func (m *ReqAuthCheckPassword) String() string

func (*ReqAuthCheckPassword) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthCheckPassword) XXX_DiscardUnknown()

func (*ReqAuthCheckPassword) XXX_Marshal added in v0.4.1

func (m *ReqAuthCheckPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthCheckPassword) XXX_Merge added in v0.4.1

func (dst *ReqAuthCheckPassword) XXX_Merge(src proto.Message)

func (*ReqAuthCheckPassword) XXX_Size added in v0.4.1

func (m *ReqAuthCheckPassword) XXX_Size() int

func (*ReqAuthCheckPassword) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthCheckPassword) XXX_Unmarshal(b []byte) error

type ReqAuthCheckPhone

type ReqAuthCheckPhone struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthCheckPhone) Descriptor

func (*ReqAuthCheckPhone) Descriptor() ([]byte, []int)

func (*ReqAuthCheckPhone) GetPhoneNumber

func (m *ReqAuthCheckPhone) GetPhoneNumber() string

func (*ReqAuthCheckPhone) ProtoMessage

func (*ReqAuthCheckPhone) ProtoMessage()

func (*ReqAuthCheckPhone) Reset

func (m *ReqAuthCheckPhone) Reset()

func (*ReqAuthCheckPhone) String

func (m *ReqAuthCheckPhone) String() string

func (*ReqAuthCheckPhone) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthCheckPhone) XXX_DiscardUnknown()

func (*ReqAuthCheckPhone) XXX_Marshal added in v0.4.1

func (m *ReqAuthCheckPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthCheckPhone) XXX_Merge added in v0.4.1

func (dst *ReqAuthCheckPhone) XXX_Merge(src proto.Message)

func (*ReqAuthCheckPhone) XXX_Size added in v0.4.1

func (m *ReqAuthCheckPhone) XXX_Size() int

func (*ReqAuthCheckPhone) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthCheckPhone) XXX_Unmarshal(b []byte) error

type ReqAuthDropTempAuthKeys

type ReqAuthDropTempAuthKeys struct {
	ExceptAuthKeys       []int64  `protobuf:"varint,1,rep,packed,name=ExceptAuthKeys" json:"ExceptAuthKeys,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthDropTempAuthKeys) Descriptor

func (*ReqAuthDropTempAuthKeys) Descriptor() ([]byte, []int)

func (*ReqAuthDropTempAuthKeys) GetExceptAuthKeys

func (m *ReqAuthDropTempAuthKeys) GetExceptAuthKeys() []int64

func (*ReqAuthDropTempAuthKeys) ProtoMessage

func (*ReqAuthDropTempAuthKeys) ProtoMessage()

func (*ReqAuthDropTempAuthKeys) Reset

func (m *ReqAuthDropTempAuthKeys) Reset()

func (*ReqAuthDropTempAuthKeys) String

func (m *ReqAuthDropTempAuthKeys) String() string

func (*ReqAuthDropTempAuthKeys) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthDropTempAuthKeys) XXX_DiscardUnknown()

func (*ReqAuthDropTempAuthKeys) XXX_Marshal added in v0.4.1

func (m *ReqAuthDropTempAuthKeys) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthDropTempAuthKeys) XXX_Merge added in v0.4.1

func (dst *ReqAuthDropTempAuthKeys) XXX_Merge(src proto.Message)

func (*ReqAuthDropTempAuthKeys) XXX_Size added in v0.4.1

func (m *ReqAuthDropTempAuthKeys) XXX_Size() int

func (*ReqAuthDropTempAuthKeys) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthDropTempAuthKeys) XXX_Unmarshal(b []byte) error

type ReqAuthExportAuthorization

type ReqAuthExportAuthorization struct {
	DcId                 int32    `protobuf:"varint,1,opt,name=DcId" json:"DcId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthExportAuthorization) Descriptor

func (*ReqAuthExportAuthorization) Descriptor() ([]byte, []int)

func (*ReqAuthExportAuthorization) GetDcId

func (m *ReqAuthExportAuthorization) GetDcId() int32

func (*ReqAuthExportAuthorization) ProtoMessage

func (*ReqAuthExportAuthorization) ProtoMessage()

func (*ReqAuthExportAuthorization) Reset

func (m *ReqAuthExportAuthorization) Reset()

func (*ReqAuthExportAuthorization) String

func (m *ReqAuthExportAuthorization) String() string

func (*ReqAuthExportAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthExportAuthorization) XXX_DiscardUnknown()

func (*ReqAuthExportAuthorization) XXX_Marshal added in v0.4.1

func (m *ReqAuthExportAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthExportAuthorization) XXX_Merge added in v0.4.1

func (dst *ReqAuthExportAuthorization) XXX_Merge(src proto.Message)

func (*ReqAuthExportAuthorization) XXX_Size added in v0.4.1

func (m *ReqAuthExportAuthorization) XXX_Size() int

func (*ReqAuthExportAuthorization) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthExportAuthorization) XXX_Unmarshal(b []byte) error

type ReqAuthImportAuthorization

type ReqAuthImportAuthorization struct {
	Id                   int32    `protobuf:"varint,1,opt,name=Id" json:"Id,omitempty"`
	Bytes                []byte   `protobuf:"bytes,2,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthImportAuthorization) Descriptor

func (*ReqAuthImportAuthorization) Descriptor() ([]byte, []int)

func (*ReqAuthImportAuthorization) GetBytes

func (m *ReqAuthImportAuthorization) GetBytes() []byte

func (*ReqAuthImportAuthorization) GetId

func (m *ReqAuthImportAuthorization) GetId() int32

func (*ReqAuthImportAuthorization) ProtoMessage

func (*ReqAuthImportAuthorization) ProtoMessage()

func (*ReqAuthImportAuthorization) Reset

func (m *ReqAuthImportAuthorization) Reset()

func (*ReqAuthImportAuthorization) String

func (m *ReqAuthImportAuthorization) String() string

func (*ReqAuthImportAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthImportAuthorization) XXX_DiscardUnknown()

func (*ReqAuthImportAuthorization) XXX_Marshal added in v0.4.1

func (m *ReqAuthImportAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthImportAuthorization) XXX_Merge added in v0.4.1

func (dst *ReqAuthImportAuthorization) XXX_Merge(src proto.Message)

func (*ReqAuthImportAuthorization) XXX_Size added in v0.4.1

func (m *ReqAuthImportAuthorization) XXX_Size() int

func (*ReqAuthImportAuthorization) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthImportAuthorization) XXX_Unmarshal(b []byte) error

type ReqAuthImportBotAuthorization

type ReqAuthImportBotAuthorization struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	ApiId                int32    `protobuf:"varint,2,opt,name=ApiId" json:"ApiId,omitempty"`
	ApiHash              string   `protobuf:"bytes,3,opt,name=ApiHash" json:"ApiHash,omitempty"`
	BotAuthToken         string   `protobuf:"bytes,4,opt,name=BotAuthToken" json:"BotAuthToken,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthImportBotAuthorization) Descriptor

func (*ReqAuthImportBotAuthorization) Descriptor() ([]byte, []int)

func (*ReqAuthImportBotAuthorization) GetApiHash

func (m *ReqAuthImportBotAuthorization) GetApiHash() string

func (*ReqAuthImportBotAuthorization) GetApiId

func (m *ReqAuthImportBotAuthorization) GetApiId() int32

func (*ReqAuthImportBotAuthorization) GetBotAuthToken

func (m *ReqAuthImportBotAuthorization) GetBotAuthToken() string

func (*ReqAuthImportBotAuthorization) GetFlags

func (m *ReqAuthImportBotAuthorization) GetFlags() int32

func (*ReqAuthImportBotAuthorization) ProtoMessage

func (*ReqAuthImportBotAuthorization) ProtoMessage()

func (*ReqAuthImportBotAuthorization) Reset

func (m *ReqAuthImportBotAuthorization) Reset()

func (*ReqAuthImportBotAuthorization) String

func (*ReqAuthImportBotAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthImportBotAuthorization) XXX_DiscardUnknown()

func (*ReqAuthImportBotAuthorization) XXX_Marshal added in v0.4.1

func (m *ReqAuthImportBotAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthImportBotAuthorization) XXX_Merge added in v0.4.1

func (dst *ReqAuthImportBotAuthorization) XXX_Merge(src proto.Message)

func (*ReqAuthImportBotAuthorization) XXX_Size added in v0.4.1

func (m *ReqAuthImportBotAuthorization) XXX_Size() int

func (*ReqAuthImportBotAuthorization) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthImportBotAuthorization) XXX_Unmarshal(b []byte) error

type ReqAuthLogOut

type ReqAuthLogOut struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthLogOut) Descriptor

func (*ReqAuthLogOut) Descriptor() ([]byte, []int)

func (*ReqAuthLogOut) ProtoMessage

func (*ReqAuthLogOut) ProtoMessage()

func (*ReqAuthLogOut) Reset

func (m *ReqAuthLogOut) Reset()

func (*ReqAuthLogOut) String

func (m *ReqAuthLogOut) String() string

func (*ReqAuthLogOut) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthLogOut) XXX_DiscardUnknown()

func (*ReqAuthLogOut) XXX_Marshal added in v0.4.1

func (m *ReqAuthLogOut) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthLogOut) XXX_Merge added in v0.4.1

func (dst *ReqAuthLogOut) XXX_Merge(src proto.Message)

func (*ReqAuthLogOut) XXX_Size added in v0.4.1

func (m *ReqAuthLogOut) XXX_Size() int

func (*ReqAuthLogOut) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthLogOut) XXX_Unmarshal(b []byte) error

type ReqAuthRecoverPassword

type ReqAuthRecoverPassword struct {
	Code                 string   `protobuf:"bytes,1,opt,name=Code" json:"Code,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthRecoverPassword) Descriptor

func (*ReqAuthRecoverPassword) Descriptor() ([]byte, []int)

func (*ReqAuthRecoverPassword) GetCode

func (m *ReqAuthRecoverPassword) GetCode() string

func (*ReqAuthRecoverPassword) ProtoMessage

func (*ReqAuthRecoverPassword) ProtoMessage()

func (*ReqAuthRecoverPassword) Reset

func (m *ReqAuthRecoverPassword) Reset()

func (*ReqAuthRecoverPassword) String

func (m *ReqAuthRecoverPassword) String() string

func (*ReqAuthRecoverPassword) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthRecoverPassword) XXX_DiscardUnknown()

func (*ReqAuthRecoverPassword) XXX_Marshal added in v0.4.1

func (m *ReqAuthRecoverPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthRecoverPassword) XXX_Merge added in v0.4.1

func (dst *ReqAuthRecoverPassword) XXX_Merge(src proto.Message)

func (*ReqAuthRecoverPassword) XXX_Size added in v0.4.1

func (m *ReqAuthRecoverPassword) XXX_Size() int

func (*ReqAuthRecoverPassword) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthRecoverPassword) XXX_Unmarshal(b []byte) error

type ReqAuthRequestPasswordRecovery

type ReqAuthRequestPasswordRecovery struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthRequestPasswordRecovery) Descriptor

func (*ReqAuthRequestPasswordRecovery) Descriptor() ([]byte, []int)

func (*ReqAuthRequestPasswordRecovery) ProtoMessage

func (*ReqAuthRequestPasswordRecovery) ProtoMessage()

func (*ReqAuthRequestPasswordRecovery) Reset

func (m *ReqAuthRequestPasswordRecovery) Reset()

func (*ReqAuthRequestPasswordRecovery) String

func (*ReqAuthRequestPasswordRecovery) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthRequestPasswordRecovery) XXX_DiscardUnknown()

func (*ReqAuthRequestPasswordRecovery) XXX_Marshal added in v0.4.1

func (m *ReqAuthRequestPasswordRecovery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthRequestPasswordRecovery) XXX_Merge added in v0.4.1

func (dst *ReqAuthRequestPasswordRecovery) XXX_Merge(src proto.Message)

func (*ReqAuthRequestPasswordRecovery) XXX_Size added in v0.4.1

func (m *ReqAuthRequestPasswordRecovery) XXX_Size() int

func (*ReqAuthRequestPasswordRecovery) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthRequestPasswordRecovery) XXX_Unmarshal(b []byte) error

type ReqAuthResendCode

type ReqAuthResendCode struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	PhoneCodeHash        string   `protobuf:"bytes,2,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthResendCode) Descriptor

func (*ReqAuthResendCode) Descriptor() ([]byte, []int)

func (*ReqAuthResendCode) GetPhoneCodeHash

func (m *ReqAuthResendCode) GetPhoneCodeHash() string

func (*ReqAuthResendCode) GetPhoneNumber

func (m *ReqAuthResendCode) GetPhoneNumber() string

func (*ReqAuthResendCode) ProtoMessage

func (*ReqAuthResendCode) ProtoMessage()

func (*ReqAuthResendCode) Reset

func (m *ReqAuthResendCode) Reset()

func (*ReqAuthResendCode) String

func (m *ReqAuthResendCode) String() string

func (*ReqAuthResendCode) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthResendCode) XXX_DiscardUnknown()

func (*ReqAuthResendCode) XXX_Marshal added in v0.4.1

func (m *ReqAuthResendCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthResendCode) XXX_Merge added in v0.4.1

func (dst *ReqAuthResendCode) XXX_Merge(src proto.Message)

func (*ReqAuthResendCode) XXX_Size added in v0.4.1

func (m *ReqAuthResendCode) XXX_Size() int

func (*ReqAuthResendCode) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthResendCode) XXX_Unmarshal(b []byte) error

type ReqAuthResetAuthorizations

type ReqAuthResetAuthorizations struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthResetAuthorizations) Descriptor

func (*ReqAuthResetAuthorizations) Descriptor() ([]byte, []int)

func (*ReqAuthResetAuthorizations) ProtoMessage

func (*ReqAuthResetAuthorizations) ProtoMessage()

func (*ReqAuthResetAuthorizations) Reset

func (m *ReqAuthResetAuthorizations) Reset()

func (*ReqAuthResetAuthorizations) String

func (m *ReqAuthResetAuthorizations) String() string

func (*ReqAuthResetAuthorizations) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthResetAuthorizations) XXX_DiscardUnknown()

func (*ReqAuthResetAuthorizations) XXX_Marshal added in v0.4.1

func (m *ReqAuthResetAuthorizations) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthResetAuthorizations) XXX_Merge added in v0.4.1

func (dst *ReqAuthResetAuthorizations) XXX_Merge(src proto.Message)

func (*ReqAuthResetAuthorizations) XXX_Size added in v0.4.1

func (m *ReqAuthResetAuthorizations) XXX_Size() int

func (*ReqAuthResetAuthorizations) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthResetAuthorizations) XXX_Unmarshal(b []byte) error

type ReqAuthSendCode

type ReqAuthSendCode struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// AllowFlashcall	bool // flags.0?true
	PhoneNumber string `protobuf:"bytes,3,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	// default: Bool
	CurrentNumber        *TypeBool `protobuf:"bytes,4,opt,name=CurrentNumber" json:"CurrentNumber,omitempty"`
	ApiId                int32     `protobuf:"varint,5,opt,name=ApiId" json:"ApiId,omitempty"`
	ApiHash              string    `protobuf:"bytes,6,opt,name=ApiHash" json:"ApiHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqAuthSendCode) Descriptor

func (*ReqAuthSendCode) Descriptor() ([]byte, []int)

func (*ReqAuthSendCode) GetApiHash

func (m *ReqAuthSendCode) GetApiHash() string

func (*ReqAuthSendCode) GetApiId

func (m *ReqAuthSendCode) GetApiId() int32

func (*ReqAuthSendCode) GetCurrentNumber

func (m *ReqAuthSendCode) GetCurrentNumber() *TypeBool

func (*ReqAuthSendCode) GetFlags

func (m *ReqAuthSendCode) GetFlags() int32

func (*ReqAuthSendCode) GetPhoneNumber

func (m *ReqAuthSendCode) GetPhoneNumber() string

func (*ReqAuthSendCode) ProtoMessage

func (*ReqAuthSendCode) ProtoMessage()

func (*ReqAuthSendCode) Reset

func (m *ReqAuthSendCode) Reset()

func (*ReqAuthSendCode) String

func (m *ReqAuthSendCode) String() string

func (*ReqAuthSendCode) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthSendCode) XXX_DiscardUnknown()

func (*ReqAuthSendCode) XXX_Marshal added in v0.4.1

func (m *ReqAuthSendCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthSendCode) XXX_Merge added in v0.4.1

func (dst *ReqAuthSendCode) XXX_Merge(src proto.Message)

func (*ReqAuthSendCode) XXX_Size added in v0.4.1

func (m *ReqAuthSendCode) XXX_Size() int

func (*ReqAuthSendCode) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthSendCode) XXX_Unmarshal(b []byte) error

type ReqAuthSendInvites

type ReqAuthSendInvites struct {
	PhoneNumbers         []string `protobuf:"bytes,1,rep,name=PhoneNumbers" json:"PhoneNumbers,omitempty"`
	Message              string   `protobuf:"bytes,2,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthSendInvites) Descriptor

func (*ReqAuthSendInvites) Descriptor() ([]byte, []int)

func (*ReqAuthSendInvites) GetMessage

func (m *ReqAuthSendInvites) GetMessage() string

func (*ReqAuthSendInvites) GetPhoneNumbers

func (m *ReqAuthSendInvites) GetPhoneNumbers() []string

func (*ReqAuthSendInvites) ProtoMessage

func (*ReqAuthSendInvites) ProtoMessage()

func (*ReqAuthSendInvites) Reset

func (m *ReqAuthSendInvites) Reset()

func (*ReqAuthSendInvites) String

func (m *ReqAuthSendInvites) String() string

func (*ReqAuthSendInvites) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthSendInvites) XXX_DiscardUnknown()

func (*ReqAuthSendInvites) XXX_Marshal added in v0.4.1

func (m *ReqAuthSendInvites) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthSendInvites) XXX_Merge added in v0.4.1

func (dst *ReqAuthSendInvites) XXX_Merge(src proto.Message)

func (*ReqAuthSendInvites) XXX_Size added in v0.4.1

func (m *ReqAuthSendInvites) XXX_Size() int

func (*ReqAuthSendInvites) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthSendInvites) XXX_Unmarshal(b []byte) error

type ReqAuthSignIn

type ReqAuthSignIn struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	PhoneCodeHash        string   `protobuf:"bytes,2,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	PhoneCode            string   `protobuf:"bytes,3,opt,name=PhoneCode" json:"PhoneCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthSignIn) Descriptor

func (*ReqAuthSignIn) Descriptor() ([]byte, []int)

func (*ReqAuthSignIn) GetPhoneCode

func (m *ReqAuthSignIn) GetPhoneCode() string

func (*ReqAuthSignIn) GetPhoneCodeHash

func (m *ReqAuthSignIn) GetPhoneCodeHash() string

func (*ReqAuthSignIn) GetPhoneNumber

func (m *ReqAuthSignIn) GetPhoneNumber() string

func (*ReqAuthSignIn) ProtoMessage

func (*ReqAuthSignIn) ProtoMessage()

func (*ReqAuthSignIn) Reset

func (m *ReqAuthSignIn) Reset()

func (*ReqAuthSignIn) String

func (m *ReqAuthSignIn) String() string

func (*ReqAuthSignIn) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthSignIn) XXX_DiscardUnknown()

func (*ReqAuthSignIn) XXX_Marshal added in v0.4.1

func (m *ReqAuthSignIn) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthSignIn) XXX_Merge added in v0.4.1

func (dst *ReqAuthSignIn) XXX_Merge(src proto.Message)

func (*ReqAuthSignIn) XXX_Size added in v0.4.1

func (m *ReqAuthSignIn) XXX_Size() int

func (*ReqAuthSignIn) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthSignIn) XXX_Unmarshal(b []byte) error

type ReqAuthSignUp

type ReqAuthSignUp struct {
	PhoneNumber          string   `protobuf:"bytes,1,opt,name=PhoneNumber" json:"PhoneNumber,omitempty"`
	PhoneCodeHash        string   `protobuf:"bytes,2,opt,name=PhoneCodeHash" json:"PhoneCodeHash,omitempty"`
	PhoneCode            string   `protobuf:"bytes,3,opt,name=PhoneCode" json:"PhoneCode,omitempty"`
	FirstName            string   `protobuf:"bytes,4,opt,name=FirstName" json:"FirstName,omitempty"`
	LastName             string   `protobuf:"bytes,5,opt,name=LastName" json:"LastName,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqAuthSignUp) Descriptor

func (*ReqAuthSignUp) Descriptor() ([]byte, []int)

func (*ReqAuthSignUp) GetFirstName

func (m *ReqAuthSignUp) GetFirstName() string

func (*ReqAuthSignUp) GetLastName

func (m *ReqAuthSignUp) GetLastName() string

func (*ReqAuthSignUp) GetPhoneCode

func (m *ReqAuthSignUp) GetPhoneCode() string

func (*ReqAuthSignUp) GetPhoneCodeHash

func (m *ReqAuthSignUp) GetPhoneCodeHash() string

func (*ReqAuthSignUp) GetPhoneNumber

func (m *ReqAuthSignUp) GetPhoneNumber() string

func (*ReqAuthSignUp) ProtoMessage

func (*ReqAuthSignUp) ProtoMessage()

func (*ReqAuthSignUp) Reset

func (m *ReqAuthSignUp) Reset()

func (*ReqAuthSignUp) String

func (m *ReqAuthSignUp) String() string

func (*ReqAuthSignUp) XXX_DiscardUnknown added in v0.4.1

func (m *ReqAuthSignUp) XXX_DiscardUnknown()

func (*ReqAuthSignUp) XXX_Marshal added in v0.4.1

func (m *ReqAuthSignUp) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqAuthSignUp) XXX_Merge added in v0.4.1

func (dst *ReqAuthSignUp) XXX_Merge(src proto.Message)

func (*ReqAuthSignUp) XXX_Size added in v0.4.1

func (m *ReqAuthSignUp) XXX_Size() int

func (*ReqAuthSignUp) XXX_Unmarshal added in v0.4.1

func (m *ReqAuthSignUp) XXX_Unmarshal(b []byte) error

type ReqBotsAnswerWebhookJSONQuery

type ReqBotsAnswerWebhookJSONQuery struct {
	QueryId int64 `protobuf:"varint,1,opt,name=QueryId" json:"QueryId,omitempty"`
	// default: DataJSON
	Data                 *TypeDataJSON `protobuf:"bytes,2,opt,name=Data" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*ReqBotsAnswerWebhookJSONQuery) Descriptor

func (*ReqBotsAnswerWebhookJSONQuery) Descriptor() ([]byte, []int)

func (*ReqBotsAnswerWebhookJSONQuery) GetData

func (*ReqBotsAnswerWebhookJSONQuery) GetQueryId

func (m *ReqBotsAnswerWebhookJSONQuery) GetQueryId() int64

func (*ReqBotsAnswerWebhookJSONQuery) ProtoMessage

func (*ReqBotsAnswerWebhookJSONQuery) ProtoMessage()

func (*ReqBotsAnswerWebhookJSONQuery) Reset

func (m *ReqBotsAnswerWebhookJSONQuery) Reset()

func (*ReqBotsAnswerWebhookJSONQuery) String

func (*ReqBotsAnswerWebhookJSONQuery) XXX_DiscardUnknown added in v0.4.1

func (m *ReqBotsAnswerWebhookJSONQuery) XXX_DiscardUnknown()

func (*ReqBotsAnswerWebhookJSONQuery) XXX_Marshal added in v0.4.1

func (m *ReqBotsAnswerWebhookJSONQuery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqBotsAnswerWebhookJSONQuery) XXX_Merge added in v0.4.1

func (dst *ReqBotsAnswerWebhookJSONQuery) XXX_Merge(src proto.Message)

func (*ReqBotsAnswerWebhookJSONQuery) XXX_Size added in v0.4.1

func (m *ReqBotsAnswerWebhookJSONQuery) XXX_Size() int

func (*ReqBotsAnswerWebhookJSONQuery) XXX_Unmarshal added in v0.4.1

func (m *ReqBotsAnswerWebhookJSONQuery) XXX_Unmarshal(b []byte) error

type ReqBotsSendCustomRequest

type ReqBotsSendCustomRequest struct {
	CustomMethod string `protobuf:"bytes,1,opt,name=CustomMethod" json:"CustomMethod,omitempty"`
	// default: DataJSON
	Params               *TypeDataJSON `protobuf:"bytes,2,opt,name=Params" json:"Params,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*ReqBotsSendCustomRequest) Descriptor

func (*ReqBotsSendCustomRequest) Descriptor() ([]byte, []int)

func (*ReqBotsSendCustomRequest) GetCustomMethod

func (m *ReqBotsSendCustomRequest) GetCustomMethod() string

func (*ReqBotsSendCustomRequest) GetParams

func (m *ReqBotsSendCustomRequest) GetParams() *TypeDataJSON

func (*ReqBotsSendCustomRequest) ProtoMessage

func (*ReqBotsSendCustomRequest) ProtoMessage()

func (*ReqBotsSendCustomRequest) Reset

func (m *ReqBotsSendCustomRequest) Reset()

func (*ReqBotsSendCustomRequest) String

func (m *ReqBotsSendCustomRequest) String() string

func (*ReqBotsSendCustomRequest) XXX_DiscardUnknown added in v0.4.1

func (m *ReqBotsSendCustomRequest) XXX_DiscardUnknown()

func (*ReqBotsSendCustomRequest) XXX_Marshal added in v0.4.1

func (m *ReqBotsSendCustomRequest) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqBotsSendCustomRequest) XXX_Merge added in v0.4.1

func (dst *ReqBotsSendCustomRequest) XXX_Merge(src proto.Message)

func (*ReqBotsSendCustomRequest) XXX_Size added in v0.4.1

func (m *ReqBotsSendCustomRequest) XXX_Size() int

func (*ReqBotsSendCustomRequest) XXX_Unmarshal added in v0.4.1

func (m *ReqBotsSendCustomRequest) XXX_Unmarshal(b []byte) error

type ReqChannelsCheckUsername

type ReqChannelsCheckUsername struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Username             string            `protobuf:"bytes,2,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsCheckUsername) Descriptor

func (*ReqChannelsCheckUsername) Descriptor() ([]byte, []int)

func (*ReqChannelsCheckUsername) GetChannel

func (m *ReqChannelsCheckUsername) GetChannel() *TypeInputChannel

func (*ReqChannelsCheckUsername) GetUsername

func (m *ReqChannelsCheckUsername) GetUsername() string

func (*ReqChannelsCheckUsername) ProtoMessage

func (*ReqChannelsCheckUsername) ProtoMessage()

func (*ReqChannelsCheckUsername) Reset

func (m *ReqChannelsCheckUsername) Reset()

func (*ReqChannelsCheckUsername) String

func (m *ReqChannelsCheckUsername) String() string

func (*ReqChannelsCheckUsername) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsCheckUsername) XXX_DiscardUnknown()

func (*ReqChannelsCheckUsername) XXX_Marshal added in v0.4.1

func (m *ReqChannelsCheckUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsCheckUsername) XXX_Merge added in v0.4.1

func (dst *ReqChannelsCheckUsername) XXX_Merge(src proto.Message)

func (*ReqChannelsCheckUsername) XXX_Size added in v0.4.1

func (m *ReqChannelsCheckUsername) XXX_Size() int

func (*ReqChannelsCheckUsername) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsCheckUsername) XXX_Unmarshal(b []byte) error

type ReqChannelsCreateChannel

type ReqChannelsCreateChannel struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Broadcast	bool // flags.0?true
	// Megagroup	bool // flags.1?true
	Title                string   `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	About                string   `protobuf:"bytes,5,opt,name=About" json:"About,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqChannelsCreateChannel) Descriptor

func (*ReqChannelsCreateChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsCreateChannel) GetAbout

func (m *ReqChannelsCreateChannel) GetAbout() string

func (*ReqChannelsCreateChannel) GetFlags

func (m *ReqChannelsCreateChannel) GetFlags() int32

func (*ReqChannelsCreateChannel) GetTitle

func (m *ReqChannelsCreateChannel) GetTitle() string

func (*ReqChannelsCreateChannel) ProtoMessage

func (*ReqChannelsCreateChannel) ProtoMessage()

func (*ReqChannelsCreateChannel) Reset

func (m *ReqChannelsCreateChannel) Reset()

func (*ReqChannelsCreateChannel) String

func (m *ReqChannelsCreateChannel) String() string

func (*ReqChannelsCreateChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsCreateChannel) XXX_DiscardUnknown()

func (*ReqChannelsCreateChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsCreateChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsCreateChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsCreateChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsCreateChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsCreateChannel) XXX_Size() int

func (*ReqChannelsCreateChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsCreateChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsDeleteChannel

type ReqChannelsDeleteChannel struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsDeleteChannel) Descriptor

func (*ReqChannelsDeleteChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsDeleteChannel) GetChannel

func (m *ReqChannelsDeleteChannel) GetChannel() *TypeInputChannel

func (*ReqChannelsDeleteChannel) ProtoMessage

func (*ReqChannelsDeleteChannel) ProtoMessage()

func (*ReqChannelsDeleteChannel) Reset

func (m *ReqChannelsDeleteChannel) Reset()

func (*ReqChannelsDeleteChannel) String

func (m *ReqChannelsDeleteChannel) String() string

func (*ReqChannelsDeleteChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsDeleteChannel) XXX_DiscardUnknown()

func (*ReqChannelsDeleteChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsDeleteChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsDeleteChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsDeleteChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsDeleteChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsDeleteChannel) XXX_Size() int

func (*ReqChannelsDeleteChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsDeleteChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsDeleteMessages

type ReqChannelsDeleteMessages struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Id                   []int32           `protobuf:"varint,2,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsDeleteMessages) Descriptor

func (*ReqChannelsDeleteMessages) Descriptor() ([]byte, []int)

func (*ReqChannelsDeleteMessages) GetChannel

func (*ReqChannelsDeleteMessages) GetId

func (m *ReqChannelsDeleteMessages) GetId() []int32

func (*ReqChannelsDeleteMessages) ProtoMessage

func (*ReqChannelsDeleteMessages) ProtoMessage()

func (*ReqChannelsDeleteMessages) Reset

func (m *ReqChannelsDeleteMessages) Reset()

func (*ReqChannelsDeleteMessages) String

func (m *ReqChannelsDeleteMessages) String() string

func (*ReqChannelsDeleteMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsDeleteMessages) XXX_DiscardUnknown()

func (*ReqChannelsDeleteMessages) XXX_Marshal added in v0.4.1

func (m *ReqChannelsDeleteMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsDeleteMessages) XXX_Merge added in v0.4.1

func (dst *ReqChannelsDeleteMessages) XXX_Merge(src proto.Message)

func (*ReqChannelsDeleteMessages) XXX_Size added in v0.4.1

func (m *ReqChannelsDeleteMessages) XXX_Size() int

func (*ReqChannelsDeleteMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsDeleteMessages) XXX_Unmarshal(b []byte) error

type ReqChannelsDeleteUserHistory

type ReqChannelsDeleteUserHistory struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqChannelsDeleteUserHistory) Descriptor

func (*ReqChannelsDeleteUserHistory) Descriptor() ([]byte, []int)

func (*ReqChannelsDeleteUserHistory) GetChannel

func (*ReqChannelsDeleteUserHistory) GetUserId

func (*ReqChannelsDeleteUserHistory) ProtoMessage

func (*ReqChannelsDeleteUserHistory) ProtoMessage()

func (*ReqChannelsDeleteUserHistory) Reset

func (m *ReqChannelsDeleteUserHistory) Reset()

func (*ReqChannelsDeleteUserHistory) String

func (*ReqChannelsDeleteUserHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsDeleteUserHistory) XXX_DiscardUnknown()

func (*ReqChannelsDeleteUserHistory) XXX_Marshal added in v0.4.1

func (m *ReqChannelsDeleteUserHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsDeleteUserHistory) XXX_Merge added in v0.4.1

func (dst *ReqChannelsDeleteUserHistory) XXX_Merge(src proto.Message)

func (*ReqChannelsDeleteUserHistory) XXX_Size added in v0.4.1

func (m *ReqChannelsDeleteUserHistory) XXX_Size() int

func (*ReqChannelsDeleteUserHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsDeleteUserHistory) XXX_Unmarshal(b []byte) error

type ReqChannelsEditAbout

type ReqChannelsEditAbout struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	About                string            `protobuf:"bytes,2,opt,name=About" json:"About,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsEditAbout) Descriptor

func (*ReqChannelsEditAbout) Descriptor() ([]byte, []int)

func (*ReqChannelsEditAbout) GetAbout

func (m *ReqChannelsEditAbout) GetAbout() string

func (*ReqChannelsEditAbout) GetChannel

func (m *ReqChannelsEditAbout) GetChannel() *TypeInputChannel

func (*ReqChannelsEditAbout) ProtoMessage

func (*ReqChannelsEditAbout) ProtoMessage()

func (*ReqChannelsEditAbout) Reset

func (m *ReqChannelsEditAbout) Reset()

func (*ReqChannelsEditAbout) String

func (m *ReqChannelsEditAbout) String() string

func (*ReqChannelsEditAbout) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsEditAbout) XXX_DiscardUnknown()

func (*ReqChannelsEditAbout) XXX_Marshal added in v0.4.1

func (m *ReqChannelsEditAbout) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsEditAbout) XXX_Merge added in v0.4.1

func (dst *ReqChannelsEditAbout) XXX_Merge(src proto.Message)

func (*ReqChannelsEditAbout) XXX_Size added in v0.4.1

func (m *ReqChannelsEditAbout) XXX_Size() int

func (*ReqChannelsEditAbout) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsEditAbout) XXX_Unmarshal(b []byte) error

type ReqChannelsEditAdmin

type ReqChannelsEditAdmin struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputUser
	UserId *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	// default: ChannelAdminRights
	AdminRights          *TypeChannelAdminRights `protobuf:"bytes,3,opt,name=AdminRights" json:"AdminRights,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqChannelsEditAdmin) Descriptor

func (*ReqChannelsEditAdmin) Descriptor() ([]byte, []int)

func (*ReqChannelsEditAdmin) GetAdminRights

func (m *ReqChannelsEditAdmin) GetAdminRights() *TypeChannelAdminRights

func (*ReqChannelsEditAdmin) GetChannel

func (m *ReqChannelsEditAdmin) GetChannel() *TypeInputChannel

func (*ReqChannelsEditAdmin) GetUserId

func (m *ReqChannelsEditAdmin) GetUserId() *TypeInputUser

func (*ReqChannelsEditAdmin) ProtoMessage

func (*ReqChannelsEditAdmin) ProtoMessage()

func (*ReqChannelsEditAdmin) Reset

func (m *ReqChannelsEditAdmin) Reset()

func (*ReqChannelsEditAdmin) String

func (m *ReqChannelsEditAdmin) String() string

func (*ReqChannelsEditAdmin) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsEditAdmin) XXX_DiscardUnknown()

func (*ReqChannelsEditAdmin) XXX_Marshal added in v0.4.1

func (m *ReqChannelsEditAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsEditAdmin) XXX_Merge added in v0.4.1

func (dst *ReqChannelsEditAdmin) XXX_Merge(src proto.Message)

func (*ReqChannelsEditAdmin) XXX_Size added in v0.4.1

func (m *ReqChannelsEditAdmin) XXX_Size() int

func (*ReqChannelsEditAdmin) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsEditAdmin) XXX_Unmarshal(b []byte) error

type ReqChannelsEditBanned

type ReqChannelsEditBanned struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputUser
	UserId *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	// default: ChannelBannedRights
	BannedRights         *TypeChannelBannedRights `protobuf:"bytes,3,opt,name=BannedRights" json:"BannedRights,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*ReqChannelsEditBanned) Descriptor

func (*ReqChannelsEditBanned) Descriptor() ([]byte, []int)

func (*ReqChannelsEditBanned) GetBannedRights

func (m *ReqChannelsEditBanned) GetBannedRights() *TypeChannelBannedRights

func (*ReqChannelsEditBanned) GetChannel

func (m *ReqChannelsEditBanned) GetChannel() *TypeInputChannel

func (*ReqChannelsEditBanned) GetUserId

func (m *ReqChannelsEditBanned) GetUserId() *TypeInputUser

func (*ReqChannelsEditBanned) ProtoMessage

func (*ReqChannelsEditBanned) ProtoMessage()

func (*ReqChannelsEditBanned) Reset

func (m *ReqChannelsEditBanned) Reset()

func (*ReqChannelsEditBanned) String

func (m *ReqChannelsEditBanned) String() string

func (*ReqChannelsEditBanned) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsEditBanned) XXX_DiscardUnknown()

func (*ReqChannelsEditBanned) XXX_Marshal added in v0.4.1

func (m *ReqChannelsEditBanned) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsEditBanned) XXX_Merge added in v0.4.1

func (dst *ReqChannelsEditBanned) XXX_Merge(src proto.Message)

func (*ReqChannelsEditBanned) XXX_Size added in v0.4.1

func (m *ReqChannelsEditBanned) XXX_Size() int

func (*ReqChannelsEditBanned) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsEditBanned) XXX_Unmarshal(b []byte) error

type ReqChannelsEditPhoto

type ReqChannelsEditPhoto struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputChatPhoto
	Photo                *TypeInputChatPhoto `protobuf:"bytes,2,opt,name=Photo" json:"Photo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqChannelsEditPhoto) Descriptor

func (*ReqChannelsEditPhoto) Descriptor() ([]byte, []int)

func (*ReqChannelsEditPhoto) GetChannel

func (m *ReqChannelsEditPhoto) GetChannel() *TypeInputChannel

func (*ReqChannelsEditPhoto) GetPhoto

func (*ReqChannelsEditPhoto) ProtoMessage

func (*ReqChannelsEditPhoto) ProtoMessage()

func (*ReqChannelsEditPhoto) Reset

func (m *ReqChannelsEditPhoto) Reset()

func (*ReqChannelsEditPhoto) String

func (m *ReqChannelsEditPhoto) String() string

func (*ReqChannelsEditPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsEditPhoto) XXX_DiscardUnknown()

func (*ReqChannelsEditPhoto) XXX_Marshal added in v0.4.1

func (m *ReqChannelsEditPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsEditPhoto) XXX_Merge added in v0.4.1

func (dst *ReqChannelsEditPhoto) XXX_Merge(src proto.Message)

func (*ReqChannelsEditPhoto) XXX_Size added in v0.4.1

func (m *ReqChannelsEditPhoto) XXX_Size() int

func (*ReqChannelsEditPhoto) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsEditPhoto) XXX_Unmarshal(b []byte) error

type ReqChannelsEditTitle

type ReqChannelsEditTitle struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Title                string            `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsEditTitle) Descriptor

func (*ReqChannelsEditTitle) Descriptor() ([]byte, []int)

func (*ReqChannelsEditTitle) GetChannel

func (m *ReqChannelsEditTitle) GetChannel() *TypeInputChannel

func (*ReqChannelsEditTitle) GetTitle

func (m *ReqChannelsEditTitle) GetTitle() string

func (*ReqChannelsEditTitle) ProtoMessage

func (*ReqChannelsEditTitle) ProtoMessage()

func (*ReqChannelsEditTitle) Reset

func (m *ReqChannelsEditTitle) Reset()

func (*ReqChannelsEditTitle) String

func (m *ReqChannelsEditTitle) String() string

func (*ReqChannelsEditTitle) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsEditTitle) XXX_DiscardUnknown()

func (*ReqChannelsEditTitle) XXX_Marshal added in v0.4.1

func (m *ReqChannelsEditTitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsEditTitle) XXX_Merge added in v0.4.1

func (dst *ReqChannelsEditTitle) XXX_Merge(src proto.Message)

func (*ReqChannelsEditTitle) XXX_Size added in v0.4.1

func (m *ReqChannelsEditTitle) XXX_Size() int

func (*ReqChannelsEditTitle) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsEditTitle) XXX_Unmarshal(b []byte) error

type ReqChannelsExportInvite

type ReqChannelsExportInvite struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsExportInvite) Descriptor

func (*ReqChannelsExportInvite) Descriptor() ([]byte, []int)

func (*ReqChannelsExportInvite) GetChannel

func (m *ReqChannelsExportInvite) GetChannel() *TypeInputChannel

func (*ReqChannelsExportInvite) ProtoMessage

func (*ReqChannelsExportInvite) ProtoMessage()

func (*ReqChannelsExportInvite) Reset

func (m *ReqChannelsExportInvite) Reset()

func (*ReqChannelsExportInvite) String

func (m *ReqChannelsExportInvite) String() string

func (*ReqChannelsExportInvite) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsExportInvite) XXX_DiscardUnknown()

func (*ReqChannelsExportInvite) XXX_Marshal added in v0.4.1

func (m *ReqChannelsExportInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsExportInvite) XXX_Merge added in v0.4.1

func (dst *ReqChannelsExportInvite) XXX_Merge(src proto.Message)

func (*ReqChannelsExportInvite) XXX_Size added in v0.4.1

func (m *ReqChannelsExportInvite) XXX_Size() int

func (*ReqChannelsExportInvite) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsExportInvite) XXX_Unmarshal(b []byte) error
type ReqChannelsExportMessageLink struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Id                   int32             `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsExportMessageLink) Descriptor

func (*ReqChannelsExportMessageLink) Descriptor() ([]byte, []int)

func (*ReqChannelsExportMessageLink) GetChannel

func (*ReqChannelsExportMessageLink) GetId

func (*ReqChannelsExportMessageLink) ProtoMessage

func (*ReqChannelsExportMessageLink) ProtoMessage()

func (*ReqChannelsExportMessageLink) Reset

func (m *ReqChannelsExportMessageLink) Reset()

func (*ReqChannelsExportMessageLink) String

func (*ReqChannelsExportMessageLink) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsExportMessageLink) XXX_DiscardUnknown()

func (*ReqChannelsExportMessageLink) XXX_Marshal added in v0.4.1

func (m *ReqChannelsExportMessageLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsExportMessageLink) XXX_Merge added in v0.4.1

func (dst *ReqChannelsExportMessageLink) XXX_Merge(src proto.Message)

func (*ReqChannelsExportMessageLink) XXX_Size added in v0.4.1

func (m *ReqChannelsExportMessageLink) XXX_Size() int

func (*ReqChannelsExportMessageLink) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsExportMessageLink) XXX_Unmarshal(b []byte) error

type ReqChannelsGetAdminLog

type ReqChannelsGetAdminLog struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,2,opt,name=Channel" json:"Channel,omitempty"`
	Q       string            `protobuf:"bytes,3,opt,name=Q" json:"Q,omitempty"`
	// default: ChannelAdminLogEventsFilter
	EventsFilter *TypeChannelAdminLogEventsFilter `protobuf:"bytes,4,opt,name=EventsFilter" json:"EventsFilter,omitempty"`
	// default: Vector<InputUser>
	Admins               []*TypeInputUser `protobuf:"bytes,5,rep,name=Admins" json:"Admins,omitempty"`
	MaxId                int64            `protobuf:"varint,6,opt,name=MaxId" json:"MaxId,omitempty"`
	MinId                int64            `protobuf:"varint,7,opt,name=MinId" json:"MinId,omitempty"`
	Limit                int32            `protobuf:"varint,8,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqChannelsGetAdminLog) Descriptor

func (*ReqChannelsGetAdminLog) Descriptor() ([]byte, []int)

func (*ReqChannelsGetAdminLog) GetAdmins

func (m *ReqChannelsGetAdminLog) GetAdmins() []*TypeInputUser

func (*ReqChannelsGetAdminLog) GetChannel

func (m *ReqChannelsGetAdminLog) GetChannel() *TypeInputChannel

func (*ReqChannelsGetAdminLog) GetEventsFilter

func (*ReqChannelsGetAdminLog) GetFlags

func (m *ReqChannelsGetAdminLog) GetFlags() int32

func (*ReqChannelsGetAdminLog) GetLimit

func (m *ReqChannelsGetAdminLog) GetLimit() int32

func (*ReqChannelsGetAdminLog) GetMaxId

func (m *ReqChannelsGetAdminLog) GetMaxId() int64

func (*ReqChannelsGetAdminLog) GetMinId

func (m *ReqChannelsGetAdminLog) GetMinId() int64

func (*ReqChannelsGetAdminLog) GetQ

func (m *ReqChannelsGetAdminLog) GetQ() string

func (*ReqChannelsGetAdminLog) ProtoMessage

func (*ReqChannelsGetAdminLog) ProtoMessage()

func (*ReqChannelsGetAdminLog) Reset

func (m *ReqChannelsGetAdminLog) Reset()

func (*ReqChannelsGetAdminLog) String

func (m *ReqChannelsGetAdminLog) String() string

func (*ReqChannelsGetAdminLog) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetAdminLog) XXX_DiscardUnknown()

func (*ReqChannelsGetAdminLog) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetAdminLog) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetAdminLog) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetAdminLog) XXX_Merge(src proto.Message)

func (*ReqChannelsGetAdminLog) XXX_Size added in v0.4.1

func (m *ReqChannelsGetAdminLog) XXX_Size() int

func (*ReqChannelsGetAdminLog) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetAdminLog) XXX_Unmarshal(b []byte) error

type ReqChannelsGetAdminedPublicChannels

type ReqChannelsGetAdminedPublicChannels struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqChannelsGetAdminedPublicChannels) Descriptor

func (*ReqChannelsGetAdminedPublicChannels) Descriptor() ([]byte, []int)

func (*ReqChannelsGetAdminedPublicChannels) ProtoMessage

func (*ReqChannelsGetAdminedPublicChannels) ProtoMessage()

func (*ReqChannelsGetAdminedPublicChannels) Reset

func (*ReqChannelsGetAdminedPublicChannels) String

func (*ReqChannelsGetAdminedPublicChannels) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetAdminedPublicChannels) XXX_DiscardUnknown()

func (*ReqChannelsGetAdminedPublicChannels) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetAdminedPublicChannels) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetAdminedPublicChannels) XXX_Merge added in v0.4.1

func (*ReqChannelsGetAdminedPublicChannels) XXX_Size added in v0.4.1

func (*ReqChannelsGetAdminedPublicChannels) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetAdminedPublicChannels) XXX_Unmarshal(b []byte) error

type ReqChannelsGetChannels

type ReqChannelsGetChannels struct {
	// default: Vector<InputChannel>
	Id                   []*TypeInputChannel `protobuf:"bytes,1,rep,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqChannelsGetChannels) Descriptor

func (*ReqChannelsGetChannels) Descriptor() ([]byte, []int)

func (*ReqChannelsGetChannels) GetId

func (*ReqChannelsGetChannels) ProtoMessage

func (*ReqChannelsGetChannels) ProtoMessage()

func (*ReqChannelsGetChannels) Reset

func (m *ReqChannelsGetChannels) Reset()

func (*ReqChannelsGetChannels) String

func (m *ReqChannelsGetChannels) String() string

func (*ReqChannelsGetChannels) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetChannels) XXX_DiscardUnknown()

func (*ReqChannelsGetChannels) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetChannels) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetChannels) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetChannels) XXX_Merge(src proto.Message)

func (*ReqChannelsGetChannels) XXX_Size added in v0.4.1

func (m *ReqChannelsGetChannels) XXX_Size() int

func (*ReqChannelsGetChannels) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetChannels) XXX_Unmarshal(b []byte) error

type ReqChannelsGetFullChannel

type ReqChannelsGetFullChannel struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsGetFullChannel) Descriptor

func (*ReqChannelsGetFullChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsGetFullChannel) GetChannel

func (*ReqChannelsGetFullChannel) ProtoMessage

func (*ReqChannelsGetFullChannel) ProtoMessage()

func (*ReqChannelsGetFullChannel) Reset

func (m *ReqChannelsGetFullChannel) Reset()

func (*ReqChannelsGetFullChannel) String

func (m *ReqChannelsGetFullChannel) String() string

func (*ReqChannelsGetFullChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetFullChannel) XXX_DiscardUnknown()

func (*ReqChannelsGetFullChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetFullChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetFullChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetFullChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsGetFullChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsGetFullChannel) XXX_Size() int

func (*ReqChannelsGetFullChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetFullChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsGetMessages

type ReqChannelsGetMessages struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Id                   []int32           `protobuf:"varint,2,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsGetMessages) Descriptor

func (*ReqChannelsGetMessages) Descriptor() ([]byte, []int)

func (*ReqChannelsGetMessages) GetChannel

func (m *ReqChannelsGetMessages) GetChannel() *TypeInputChannel

func (*ReqChannelsGetMessages) GetId

func (m *ReqChannelsGetMessages) GetId() []int32

func (*ReqChannelsGetMessages) ProtoMessage

func (*ReqChannelsGetMessages) ProtoMessage()

func (*ReqChannelsGetMessages) Reset

func (m *ReqChannelsGetMessages) Reset()

func (*ReqChannelsGetMessages) String

func (m *ReqChannelsGetMessages) String() string

func (*ReqChannelsGetMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetMessages) XXX_DiscardUnknown()

func (*ReqChannelsGetMessages) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetMessages) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetMessages) XXX_Merge(src proto.Message)

func (*ReqChannelsGetMessages) XXX_Size added in v0.4.1

func (m *ReqChannelsGetMessages) XXX_Size() int

func (*ReqChannelsGetMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetMessages) XXX_Unmarshal(b []byte) error

type ReqChannelsGetParticipant

type ReqChannelsGetParticipant struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqChannelsGetParticipant) Descriptor

func (*ReqChannelsGetParticipant) Descriptor() ([]byte, []int)

func (*ReqChannelsGetParticipant) GetChannel

func (*ReqChannelsGetParticipant) GetUserId

func (m *ReqChannelsGetParticipant) GetUserId() *TypeInputUser

func (*ReqChannelsGetParticipant) ProtoMessage

func (*ReqChannelsGetParticipant) ProtoMessage()

func (*ReqChannelsGetParticipant) Reset

func (m *ReqChannelsGetParticipant) Reset()

func (*ReqChannelsGetParticipant) String

func (m *ReqChannelsGetParticipant) String() string

func (*ReqChannelsGetParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetParticipant) XXX_DiscardUnknown()

func (*ReqChannelsGetParticipant) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetParticipant) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetParticipant) XXX_Merge(src proto.Message)

func (*ReqChannelsGetParticipant) XXX_Size added in v0.4.1

func (m *ReqChannelsGetParticipant) XXX_Size() int

func (*ReqChannelsGetParticipant) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetParticipant) XXX_Unmarshal(b []byte) error

type ReqChannelsGetParticipants

type ReqChannelsGetParticipants struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: ChannelParticipantsFilter
	Filter               *TypeChannelParticipantsFilter `protobuf:"bytes,2,opt,name=Filter" json:"Filter,omitempty"`
	Offset               int32                          `protobuf:"varint,3,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32                          `protobuf:"varint,4,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*ReqChannelsGetParticipants) Descriptor

func (*ReqChannelsGetParticipants) Descriptor() ([]byte, []int)

func (*ReqChannelsGetParticipants) GetChannel

func (*ReqChannelsGetParticipants) GetFilter

func (*ReqChannelsGetParticipants) GetLimit

func (m *ReqChannelsGetParticipants) GetLimit() int32

func (*ReqChannelsGetParticipants) GetOffset

func (m *ReqChannelsGetParticipants) GetOffset() int32

func (*ReqChannelsGetParticipants) ProtoMessage

func (*ReqChannelsGetParticipants) ProtoMessage()

func (*ReqChannelsGetParticipants) Reset

func (m *ReqChannelsGetParticipants) Reset()

func (*ReqChannelsGetParticipants) String

func (m *ReqChannelsGetParticipants) String() string

func (*ReqChannelsGetParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsGetParticipants) XXX_DiscardUnknown()

func (*ReqChannelsGetParticipants) XXX_Marshal added in v0.4.1

func (m *ReqChannelsGetParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsGetParticipants) XXX_Merge added in v0.4.1

func (dst *ReqChannelsGetParticipants) XXX_Merge(src proto.Message)

func (*ReqChannelsGetParticipants) XXX_Size added in v0.4.1

func (m *ReqChannelsGetParticipants) XXX_Size() int

func (*ReqChannelsGetParticipants) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsGetParticipants) XXX_Unmarshal(b []byte) error

type ReqChannelsInviteToChannel

type ReqChannelsInviteToChannel struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: Vector<InputUser>
	Users                []*TypeInputUser `protobuf:"bytes,2,rep,name=Users" json:"Users,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqChannelsInviteToChannel) Descriptor

func (*ReqChannelsInviteToChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsInviteToChannel) GetChannel

func (*ReqChannelsInviteToChannel) GetUsers

func (m *ReqChannelsInviteToChannel) GetUsers() []*TypeInputUser

func (*ReqChannelsInviteToChannel) ProtoMessage

func (*ReqChannelsInviteToChannel) ProtoMessage()

func (*ReqChannelsInviteToChannel) Reset

func (m *ReqChannelsInviteToChannel) Reset()

func (*ReqChannelsInviteToChannel) String

func (m *ReqChannelsInviteToChannel) String() string

func (*ReqChannelsInviteToChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsInviteToChannel) XXX_DiscardUnknown()

func (*ReqChannelsInviteToChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsInviteToChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsInviteToChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsInviteToChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsInviteToChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsInviteToChannel) XXX_Size() int

func (*ReqChannelsInviteToChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsInviteToChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsJoinChannel

type ReqChannelsJoinChannel struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsJoinChannel) Descriptor

func (*ReqChannelsJoinChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsJoinChannel) GetChannel

func (m *ReqChannelsJoinChannel) GetChannel() *TypeInputChannel

func (*ReqChannelsJoinChannel) ProtoMessage

func (*ReqChannelsJoinChannel) ProtoMessage()

func (*ReqChannelsJoinChannel) Reset

func (m *ReqChannelsJoinChannel) Reset()

func (*ReqChannelsJoinChannel) String

func (m *ReqChannelsJoinChannel) String() string

func (*ReqChannelsJoinChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsJoinChannel) XXX_DiscardUnknown()

func (*ReqChannelsJoinChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsJoinChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsJoinChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsJoinChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsJoinChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsJoinChannel) XXX_Size() int

func (*ReqChannelsJoinChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsJoinChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsLeaveChannel

type ReqChannelsLeaveChannel struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsLeaveChannel) Descriptor

func (*ReqChannelsLeaveChannel) Descriptor() ([]byte, []int)

func (*ReqChannelsLeaveChannel) GetChannel

func (m *ReqChannelsLeaveChannel) GetChannel() *TypeInputChannel

func (*ReqChannelsLeaveChannel) ProtoMessage

func (*ReqChannelsLeaveChannel) ProtoMessage()

func (*ReqChannelsLeaveChannel) Reset

func (m *ReqChannelsLeaveChannel) Reset()

func (*ReqChannelsLeaveChannel) String

func (m *ReqChannelsLeaveChannel) String() string

func (*ReqChannelsLeaveChannel) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsLeaveChannel) XXX_DiscardUnknown()

func (*ReqChannelsLeaveChannel) XXX_Marshal added in v0.4.1

func (m *ReqChannelsLeaveChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsLeaveChannel) XXX_Merge added in v0.4.1

func (dst *ReqChannelsLeaveChannel) XXX_Merge(src proto.Message)

func (*ReqChannelsLeaveChannel) XXX_Size added in v0.4.1

func (m *ReqChannelsLeaveChannel) XXX_Size() int

func (*ReqChannelsLeaveChannel) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsLeaveChannel) XXX_Unmarshal(b []byte) error

type ReqChannelsReadHistory

type ReqChannelsReadHistory struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	MaxId                int32             `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsReadHistory) Descriptor

func (*ReqChannelsReadHistory) Descriptor() ([]byte, []int)

func (*ReqChannelsReadHistory) GetChannel

func (m *ReqChannelsReadHistory) GetChannel() *TypeInputChannel

func (*ReqChannelsReadHistory) GetMaxId

func (m *ReqChannelsReadHistory) GetMaxId() int32

func (*ReqChannelsReadHistory) ProtoMessage

func (*ReqChannelsReadHistory) ProtoMessage()

func (*ReqChannelsReadHistory) Reset

func (m *ReqChannelsReadHistory) Reset()

func (*ReqChannelsReadHistory) String

func (m *ReqChannelsReadHistory) String() string

func (*ReqChannelsReadHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsReadHistory) XXX_DiscardUnknown()

func (*ReqChannelsReadHistory) XXX_Marshal added in v0.4.1

func (m *ReqChannelsReadHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsReadHistory) XXX_Merge added in v0.4.1

func (dst *ReqChannelsReadHistory) XXX_Merge(src proto.Message)

func (*ReqChannelsReadHistory) XXX_Size added in v0.4.1

func (m *ReqChannelsReadHistory) XXX_Size() int

func (*ReqChannelsReadHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsReadHistory) XXX_Unmarshal(b []byte) error

type ReqChannelsReadMessageContents

type ReqChannelsReadMessageContents struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Id                   []int32           `protobuf:"varint,2,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsReadMessageContents) Descriptor

func (*ReqChannelsReadMessageContents) Descriptor() ([]byte, []int)

func (*ReqChannelsReadMessageContents) GetChannel

func (*ReqChannelsReadMessageContents) GetId

func (*ReqChannelsReadMessageContents) ProtoMessage

func (*ReqChannelsReadMessageContents) ProtoMessage()

func (*ReqChannelsReadMessageContents) Reset

func (m *ReqChannelsReadMessageContents) Reset()

func (*ReqChannelsReadMessageContents) String

func (*ReqChannelsReadMessageContents) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsReadMessageContents) XXX_DiscardUnknown()

func (*ReqChannelsReadMessageContents) XXX_Marshal added in v0.4.1

func (m *ReqChannelsReadMessageContents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsReadMessageContents) XXX_Merge added in v0.4.1

func (dst *ReqChannelsReadMessageContents) XXX_Merge(src proto.Message)

func (*ReqChannelsReadMessageContents) XXX_Size added in v0.4.1

func (m *ReqChannelsReadMessageContents) XXX_Size() int

func (*ReqChannelsReadMessageContents) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsReadMessageContents) XXX_Unmarshal(b []byte) error

type ReqChannelsReportSpam

type ReqChannelsReportSpam struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	Id                   []int32        `protobuf:"varint,3,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqChannelsReportSpam) Descriptor

func (*ReqChannelsReportSpam) Descriptor() ([]byte, []int)

func (*ReqChannelsReportSpam) GetChannel

func (m *ReqChannelsReportSpam) GetChannel() *TypeInputChannel

func (*ReqChannelsReportSpam) GetId

func (m *ReqChannelsReportSpam) GetId() []int32

func (*ReqChannelsReportSpam) GetUserId

func (m *ReqChannelsReportSpam) GetUserId() *TypeInputUser

func (*ReqChannelsReportSpam) ProtoMessage

func (*ReqChannelsReportSpam) ProtoMessage()

func (*ReqChannelsReportSpam) Reset

func (m *ReqChannelsReportSpam) Reset()

func (*ReqChannelsReportSpam) String

func (m *ReqChannelsReportSpam) String() string

func (*ReqChannelsReportSpam) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsReportSpam) XXX_DiscardUnknown()

func (*ReqChannelsReportSpam) XXX_Marshal added in v0.4.1

func (m *ReqChannelsReportSpam) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsReportSpam) XXX_Merge added in v0.4.1

func (dst *ReqChannelsReportSpam) XXX_Merge(src proto.Message)

func (*ReqChannelsReportSpam) XXX_Size added in v0.4.1

func (m *ReqChannelsReportSpam) XXX_Size() int

func (*ReqChannelsReportSpam) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsReportSpam) XXX_Unmarshal(b []byte) error

type ReqChannelsSetStickers

type ReqChannelsSetStickers struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: InputStickerSet
	Stickerset           *TypeInputStickerSet `protobuf:"bytes,2,opt,name=Stickerset" json:"Stickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqChannelsSetStickers) Descriptor

func (*ReqChannelsSetStickers) Descriptor() ([]byte, []int)

func (*ReqChannelsSetStickers) GetChannel

func (m *ReqChannelsSetStickers) GetChannel() *TypeInputChannel

func (*ReqChannelsSetStickers) GetStickerset

func (m *ReqChannelsSetStickers) GetStickerset() *TypeInputStickerSet

func (*ReqChannelsSetStickers) ProtoMessage

func (*ReqChannelsSetStickers) ProtoMessage()

func (*ReqChannelsSetStickers) Reset

func (m *ReqChannelsSetStickers) Reset()

func (*ReqChannelsSetStickers) String

func (m *ReqChannelsSetStickers) String() string

func (*ReqChannelsSetStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsSetStickers) XXX_DiscardUnknown()

func (*ReqChannelsSetStickers) XXX_Marshal added in v0.4.1

func (m *ReqChannelsSetStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsSetStickers) XXX_Merge added in v0.4.1

func (dst *ReqChannelsSetStickers) XXX_Merge(src proto.Message)

func (*ReqChannelsSetStickers) XXX_Size added in v0.4.1

func (m *ReqChannelsSetStickers) XXX_Size() int

func (*ReqChannelsSetStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsSetStickers) XXX_Unmarshal(b []byte) error

type ReqChannelsToggleInvites

type ReqChannelsToggleInvites struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: Bool
	Enabled              *TypeBool `protobuf:"bytes,2,opt,name=Enabled" json:"Enabled,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqChannelsToggleInvites) Descriptor

func (*ReqChannelsToggleInvites) Descriptor() ([]byte, []int)

func (*ReqChannelsToggleInvites) GetChannel

func (m *ReqChannelsToggleInvites) GetChannel() *TypeInputChannel

func (*ReqChannelsToggleInvites) GetEnabled

func (m *ReqChannelsToggleInvites) GetEnabled() *TypeBool

func (*ReqChannelsToggleInvites) ProtoMessage

func (*ReqChannelsToggleInvites) ProtoMessage()

func (*ReqChannelsToggleInvites) Reset

func (m *ReqChannelsToggleInvites) Reset()

func (*ReqChannelsToggleInvites) String

func (m *ReqChannelsToggleInvites) String() string

func (*ReqChannelsToggleInvites) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsToggleInvites) XXX_DiscardUnknown()

func (*ReqChannelsToggleInvites) XXX_Marshal added in v0.4.1

func (m *ReqChannelsToggleInvites) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsToggleInvites) XXX_Merge added in v0.4.1

func (dst *ReqChannelsToggleInvites) XXX_Merge(src proto.Message)

func (*ReqChannelsToggleInvites) XXX_Size added in v0.4.1

func (m *ReqChannelsToggleInvites) XXX_Size() int

func (*ReqChannelsToggleInvites) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsToggleInvites) XXX_Unmarshal(b []byte) error

type ReqChannelsToggleSignatures

type ReqChannelsToggleSignatures struct {
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	// default: Bool
	Enabled              *TypeBool `protobuf:"bytes,2,opt,name=Enabled" json:"Enabled,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqChannelsToggleSignatures) Descriptor

func (*ReqChannelsToggleSignatures) Descriptor() ([]byte, []int)

func (*ReqChannelsToggleSignatures) GetChannel

func (*ReqChannelsToggleSignatures) GetEnabled

func (m *ReqChannelsToggleSignatures) GetEnabled() *TypeBool

func (*ReqChannelsToggleSignatures) ProtoMessage

func (*ReqChannelsToggleSignatures) ProtoMessage()

func (*ReqChannelsToggleSignatures) Reset

func (m *ReqChannelsToggleSignatures) Reset()

func (*ReqChannelsToggleSignatures) String

func (m *ReqChannelsToggleSignatures) String() string

func (*ReqChannelsToggleSignatures) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsToggleSignatures) XXX_DiscardUnknown()

func (*ReqChannelsToggleSignatures) XXX_Marshal added in v0.4.1

func (m *ReqChannelsToggleSignatures) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsToggleSignatures) XXX_Merge added in v0.4.1

func (dst *ReqChannelsToggleSignatures) XXX_Merge(src proto.Message)

func (*ReqChannelsToggleSignatures) XXX_Size added in v0.4.1

func (m *ReqChannelsToggleSignatures) XXX_Size() int

func (*ReqChannelsToggleSignatures) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsToggleSignatures) XXX_Unmarshal(b []byte) error

type ReqChannelsUpdatePinnedMessage

type ReqChannelsUpdatePinnedMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Silent	bool // flags.0?true
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,3,opt,name=Channel" json:"Channel,omitempty"`
	Id                   int32             `protobuf:"varint,4,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsUpdatePinnedMessage) Descriptor

func (*ReqChannelsUpdatePinnedMessage) Descriptor() ([]byte, []int)

func (*ReqChannelsUpdatePinnedMessage) GetChannel

func (*ReqChannelsUpdatePinnedMessage) GetFlags

func (m *ReqChannelsUpdatePinnedMessage) GetFlags() int32

func (*ReqChannelsUpdatePinnedMessage) GetId

func (*ReqChannelsUpdatePinnedMessage) ProtoMessage

func (*ReqChannelsUpdatePinnedMessage) ProtoMessage()

func (*ReqChannelsUpdatePinnedMessage) Reset

func (m *ReqChannelsUpdatePinnedMessage) Reset()

func (*ReqChannelsUpdatePinnedMessage) String

func (*ReqChannelsUpdatePinnedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsUpdatePinnedMessage) XXX_DiscardUnknown()

func (*ReqChannelsUpdatePinnedMessage) XXX_Marshal added in v0.4.1

func (m *ReqChannelsUpdatePinnedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsUpdatePinnedMessage) XXX_Merge added in v0.4.1

func (dst *ReqChannelsUpdatePinnedMessage) XXX_Merge(src proto.Message)

func (*ReqChannelsUpdatePinnedMessage) XXX_Size added in v0.4.1

func (m *ReqChannelsUpdatePinnedMessage) XXX_Size() int

func (*ReqChannelsUpdatePinnedMessage) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsUpdatePinnedMessage) XXX_Unmarshal(b []byte) error

type ReqChannelsUpdateUsername

type ReqChannelsUpdateUsername struct {
	// default: InputChannel
	Channel              *TypeInputChannel `protobuf:"bytes,1,opt,name=Channel" json:"Channel,omitempty"`
	Username             string            `protobuf:"bytes,2,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqChannelsUpdateUsername) Descriptor

func (*ReqChannelsUpdateUsername) Descriptor() ([]byte, []int)

func (*ReqChannelsUpdateUsername) GetChannel

func (*ReqChannelsUpdateUsername) GetUsername

func (m *ReqChannelsUpdateUsername) GetUsername() string

func (*ReqChannelsUpdateUsername) ProtoMessage

func (*ReqChannelsUpdateUsername) ProtoMessage()

func (*ReqChannelsUpdateUsername) Reset

func (m *ReqChannelsUpdateUsername) Reset()

func (*ReqChannelsUpdateUsername) String

func (m *ReqChannelsUpdateUsername) String() string

func (*ReqChannelsUpdateUsername) XXX_DiscardUnknown added in v0.4.1

func (m *ReqChannelsUpdateUsername) XXX_DiscardUnknown()

func (*ReqChannelsUpdateUsername) XXX_Marshal added in v0.4.1

func (m *ReqChannelsUpdateUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqChannelsUpdateUsername) XXX_Merge added in v0.4.1

func (dst *ReqChannelsUpdateUsername) XXX_Merge(src proto.Message)

func (*ReqChannelsUpdateUsername) XXX_Size added in v0.4.1

func (m *ReqChannelsUpdateUsername) XXX_Size() int

func (*ReqChannelsUpdateUsername) XXX_Unmarshal added in v0.4.1

func (m *ReqChannelsUpdateUsername) XXX_Unmarshal(b []byte) error

type ReqContactsBlock

type ReqContactsBlock struct {
	// default: InputUser
	Id                   *TypeInputUser `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqContactsBlock) Descriptor

func (*ReqContactsBlock) Descriptor() ([]byte, []int)

func (*ReqContactsBlock) GetId

func (m *ReqContactsBlock) GetId() *TypeInputUser

func (*ReqContactsBlock) ProtoMessage

func (*ReqContactsBlock) ProtoMessage()

func (*ReqContactsBlock) Reset

func (m *ReqContactsBlock) Reset()

func (*ReqContactsBlock) String

func (m *ReqContactsBlock) String() string

func (*ReqContactsBlock) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsBlock) XXX_DiscardUnknown()

func (*ReqContactsBlock) XXX_Marshal added in v0.4.1

func (m *ReqContactsBlock) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsBlock) XXX_Merge added in v0.4.1

func (dst *ReqContactsBlock) XXX_Merge(src proto.Message)

func (*ReqContactsBlock) XXX_Size added in v0.4.1

func (m *ReqContactsBlock) XXX_Size() int

func (*ReqContactsBlock) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsBlock) XXX_Unmarshal(b []byte) error

type ReqContactsDeleteContact

type ReqContactsDeleteContact struct {
	// default: InputUser
	Id                   *TypeInputUser `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqContactsDeleteContact) Descriptor

func (*ReqContactsDeleteContact) Descriptor() ([]byte, []int)

func (*ReqContactsDeleteContact) GetId

func (*ReqContactsDeleteContact) ProtoMessage

func (*ReqContactsDeleteContact) ProtoMessage()

func (*ReqContactsDeleteContact) Reset

func (m *ReqContactsDeleteContact) Reset()

func (*ReqContactsDeleteContact) String

func (m *ReqContactsDeleteContact) String() string

func (*ReqContactsDeleteContact) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsDeleteContact) XXX_DiscardUnknown()

func (*ReqContactsDeleteContact) XXX_Marshal added in v0.4.1

func (m *ReqContactsDeleteContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsDeleteContact) XXX_Merge added in v0.4.1

func (dst *ReqContactsDeleteContact) XXX_Merge(src proto.Message)

func (*ReqContactsDeleteContact) XXX_Size added in v0.4.1

func (m *ReqContactsDeleteContact) XXX_Size() int

func (*ReqContactsDeleteContact) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsDeleteContact) XXX_Unmarshal(b []byte) error

type ReqContactsDeleteContacts

type ReqContactsDeleteContacts struct {
	// default: Vector<InputUser>
	Id                   []*TypeInputUser `protobuf:"bytes,1,rep,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqContactsDeleteContacts) Descriptor

func (*ReqContactsDeleteContacts) Descriptor() ([]byte, []int)

func (*ReqContactsDeleteContacts) GetId

func (*ReqContactsDeleteContacts) ProtoMessage

func (*ReqContactsDeleteContacts) ProtoMessage()

func (*ReqContactsDeleteContacts) Reset

func (m *ReqContactsDeleteContacts) Reset()

func (*ReqContactsDeleteContacts) String

func (m *ReqContactsDeleteContacts) String() string

func (*ReqContactsDeleteContacts) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsDeleteContacts) XXX_DiscardUnknown()

func (*ReqContactsDeleteContacts) XXX_Marshal added in v0.4.1

func (m *ReqContactsDeleteContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsDeleteContacts) XXX_Merge added in v0.4.1

func (dst *ReqContactsDeleteContacts) XXX_Merge(src proto.Message)

func (*ReqContactsDeleteContacts) XXX_Size added in v0.4.1

func (m *ReqContactsDeleteContacts) XXX_Size() int

func (*ReqContactsDeleteContacts) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsDeleteContacts) XXX_Unmarshal(b []byte) error

type ReqContactsExportCard

type ReqContactsExportCard struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsExportCard) Descriptor

func (*ReqContactsExportCard) Descriptor() ([]byte, []int)

func (*ReqContactsExportCard) ProtoMessage

func (*ReqContactsExportCard) ProtoMessage()

func (*ReqContactsExportCard) Reset

func (m *ReqContactsExportCard) Reset()

func (*ReqContactsExportCard) String

func (m *ReqContactsExportCard) String() string

func (*ReqContactsExportCard) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsExportCard) XXX_DiscardUnknown()

func (*ReqContactsExportCard) XXX_Marshal added in v0.4.1

func (m *ReqContactsExportCard) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsExportCard) XXX_Merge added in v0.4.1

func (dst *ReqContactsExportCard) XXX_Merge(src proto.Message)

func (*ReqContactsExportCard) XXX_Size added in v0.4.1

func (m *ReqContactsExportCard) XXX_Size() int

func (*ReqContactsExportCard) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsExportCard) XXX_Unmarshal(b []byte) error

type ReqContactsGetBlocked

type ReqContactsGetBlocked struct {
	Offset               int32    `protobuf:"varint,1,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32    `protobuf:"varint,2,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsGetBlocked) Descriptor

func (*ReqContactsGetBlocked) Descriptor() ([]byte, []int)

func (*ReqContactsGetBlocked) GetLimit

func (m *ReqContactsGetBlocked) GetLimit() int32

func (*ReqContactsGetBlocked) GetOffset

func (m *ReqContactsGetBlocked) GetOffset() int32

func (*ReqContactsGetBlocked) ProtoMessage

func (*ReqContactsGetBlocked) ProtoMessage()

func (*ReqContactsGetBlocked) Reset

func (m *ReqContactsGetBlocked) Reset()

func (*ReqContactsGetBlocked) String

func (m *ReqContactsGetBlocked) String() string

func (*ReqContactsGetBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsGetBlocked) XXX_DiscardUnknown()

func (*ReqContactsGetBlocked) XXX_Marshal added in v0.4.1

func (m *ReqContactsGetBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsGetBlocked) XXX_Merge added in v0.4.1

func (dst *ReqContactsGetBlocked) XXX_Merge(src proto.Message)

func (*ReqContactsGetBlocked) XXX_Size added in v0.4.1

func (m *ReqContactsGetBlocked) XXX_Size() int

func (*ReqContactsGetBlocked) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsGetBlocked) XXX_Unmarshal(b []byte) error

type ReqContactsGetContacts

type ReqContactsGetContacts struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsGetContacts) Descriptor

func (*ReqContactsGetContacts) Descriptor() ([]byte, []int)

func (*ReqContactsGetContacts) GetHash

func (m *ReqContactsGetContacts) GetHash() int32

func (*ReqContactsGetContacts) ProtoMessage

func (*ReqContactsGetContacts) ProtoMessage()

func (*ReqContactsGetContacts) Reset

func (m *ReqContactsGetContacts) Reset()

func (*ReqContactsGetContacts) String

func (m *ReqContactsGetContacts) String() string

func (*ReqContactsGetContacts) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsGetContacts) XXX_DiscardUnknown()

func (*ReqContactsGetContacts) XXX_Marshal added in v0.4.1

func (m *ReqContactsGetContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsGetContacts) XXX_Merge added in v0.4.1

func (dst *ReqContactsGetContacts) XXX_Merge(src proto.Message)

func (*ReqContactsGetContacts) XXX_Size added in v0.4.1

func (m *ReqContactsGetContacts) XXX_Size() int

func (*ReqContactsGetContacts) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsGetContacts) XXX_Unmarshal(b []byte) error

type ReqContactsGetStatuses

type ReqContactsGetStatuses struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsGetStatuses) Descriptor

func (*ReqContactsGetStatuses) Descriptor() ([]byte, []int)

func (*ReqContactsGetStatuses) ProtoMessage

func (*ReqContactsGetStatuses) ProtoMessage()

func (*ReqContactsGetStatuses) Reset

func (m *ReqContactsGetStatuses) Reset()

func (*ReqContactsGetStatuses) String

func (m *ReqContactsGetStatuses) String() string

func (*ReqContactsGetStatuses) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsGetStatuses) XXX_DiscardUnknown()

func (*ReqContactsGetStatuses) XXX_Marshal added in v0.4.1

func (m *ReqContactsGetStatuses) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsGetStatuses) XXX_Merge added in v0.4.1

func (dst *ReqContactsGetStatuses) XXX_Merge(src proto.Message)

func (*ReqContactsGetStatuses) XXX_Size added in v0.4.1

func (m *ReqContactsGetStatuses) XXX_Size() int

func (*ReqContactsGetStatuses) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsGetStatuses) XXX_Unmarshal(b []byte) error

type ReqContactsGetTopPeers

type ReqContactsGetTopPeers struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Correspondents	bool // flags.0?true
	// BotsPm	bool // flags.1?true
	// BotsInline	bool // flags.2?true
	// PhoneCalls	bool // flags.3?true
	// Groups	bool // flags.10?true
	// Channels	bool // flags.15?true
	Offset               int32    `protobuf:"varint,8,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32    `protobuf:"varint,9,opt,name=Limit" json:"Limit,omitempty"`
	Hash                 int32    `protobuf:"varint,10,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsGetTopPeers) Descriptor

func (*ReqContactsGetTopPeers) Descriptor() ([]byte, []int)

func (*ReqContactsGetTopPeers) GetFlags

func (m *ReqContactsGetTopPeers) GetFlags() int32

func (*ReqContactsGetTopPeers) GetHash

func (m *ReqContactsGetTopPeers) GetHash() int32

func (*ReqContactsGetTopPeers) GetLimit

func (m *ReqContactsGetTopPeers) GetLimit() int32

func (*ReqContactsGetTopPeers) GetOffset

func (m *ReqContactsGetTopPeers) GetOffset() int32

func (*ReqContactsGetTopPeers) ProtoMessage

func (*ReqContactsGetTopPeers) ProtoMessage()

func (*ReqContactsGetTopPeers) Reset

func (m *ReqContactsGetTopPeers) Reset()

func (*ReqContactsGetTopPeers) String

func (m *ReqContactsGetTopPeers) String() string

func (*ReqContactsGetTopPeers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsGetTopPeers) XXX_DiscardUnknown()

func (*ReqContactsGetTopPeers) XXX_Marshal added in v0.4.1

func (m *ReqContactsGetTopPeers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsGetTopPeers) XXX_Merge added in v0.4.1

func (dst *ReqContactsGetTopPeers) XXX_Merge(src proto.Message)

func (*ReqContactsGetTopPeers) XXX_Size added in v0.4.1

func (m *ReqContactsGetTopPeers) XXX_Size() int

func (*ReqContactsGetTopPeers) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsGetTopPeers) XXX_Unmarshal(b []byte) error

type ReqContactsImportCard

type ReqContactsImportCard struct {
	ExportCard           []int32  `protobuf:"varint,1,rep,packed,name=ExportCard" json:"ExportCard,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsImportCard) Descriptor

func (*ReqContactsImportCard) Descriptor() ([]byte, []int)

func (*ReqContactsImportCard) GetExportCard

func (m *ReqContactsImportCard) GetExportCard() []int32

func (*ReqContactsImportCard) ProtoMessage

func (*ReqContactsImportCard) ProtoMessage()

func (*ReqContactsImportCard) Reset

func (m *ReqContactsImportCard) Reset()

func (*ReqContactsImportCard) String

func (m *ReqContactsImportCard) String() string

func (*ReqContactsImportCard) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsImportCard) XXX_DiscardUnknown()

func (*ReqContactsImportCard) XXX_Marshal added in v0.4.1

func (m *ReqContactsImportCard) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsImportCard) XXX_Merge added in v0.4.1

func (dst *ReqContactsImportCard) XXX_Merge(src proto.Message)

func (*ReqContactsImportCard) XXX_Size added in v0.4.1

func (m *ReqContactsImportCard) XXX_Size() int

func (*ReqContactsImportCard) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsImportCard) XXX_Unmarshal(b []byte) error

type ReqContactsImportContacts

type ReqContactsImportContacts struct {
	// default: Vector<InputContact>
	Contacts             []*TypeInputContact `protobuf:"bytes,1,rep,name=Contacts" json:"Contacts,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqContactsImportContacts) Descriptor

func (*ReqContactsImportContacts) Descriptor() ([]byte, []int)

func (*ReqContactsImportContacts) GetContacts

func (m *ReqContactsImportContacts) GetContacts() []*TypeInputContact

func (*ReqContactsImportContacts) ProtoMessage

func (*ReqContactsImportContacts) ProtoMessage()

func (*ReqContactsImportContacts) Reset

func (m *ReqContactsImportContacts) Reset()

func (*ReqContactsImportContacts) String

func (m *ReqContactsImportContacts) String() string

func (*ReqContactsImportContacts) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsImportContacts) XXX_DiscardUnknown()

func (*ReqContactsImportContacts) XXX_Marshal added in v0.4.1

func (m *ReqContactsImportContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsImportContacts) XXX_Merge added in v0.4.1

func (dst *ReqContactsImportContacts) XXX_Merge(src proto.Message)

func (*ReqContactsImportContacts) XXX_Size added in v0.4.1

func (m *ReqContactsImportContacts) XXX_Size() int

func (*ReqContactsImportContacts) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsImportContacts) XXX_Unmarshal(b []byte) error

type ReqContactsResetSaved

type ReqContactsResetSaved struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsResetSaved) Descriptor

func (*ReqContactsResetSaved) Descriptor() ([]byte, []int)

func (*ReqContactsResetSaved) ProtoMessage

func (*ReqContactsResetSaved) ProtoMessage()

func (*ReqContactsResetSaved) Reset

func (m *ReqContactsResetSaved) Reset()

func (*ReqContactsResetSaved) String

func (m *ReqContactsResetSaved) String() string

func (*ReqContactsResetSaved) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsResetSaved) XXX_DiscardUnknown()

func (*ReqContactsResetSaved) XXX_Marshal added in v0.4.1

func (m *ReqContactsResetSaved) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsResetSaved) XXX_Merge added in v0.4.1

func (dst *ReqContactsResetSaved) XXX_Merge(src proto.Message)

func (*ReqContactsResetSaved) XXX_Size added in v0.4.1

func (m *ReqContactsResetSaved) XXX_Size() int

func (*ReqContactsResetSaved) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsResetSaved) XXX_Unmarshal(b []byte) error

type ReqContactsResetTopPeerRating

type ReqContactsResetTopPeerRating struct {
	// default: TopPeerCategory
	Category *TypeTopPeerCategory `protobuf:"bytes,1,opt,name=Category" json:"Category,omitempty"`
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,2,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqContactsResetTopPeerRating) Descriptor

func (*ReqContactsResetTopPeerRating) Descriptor() ([]byte, []int)

func (*ReqContactsResetTopPeerRating) GetCategory

func (*ReqContactsResetTopPeerRating) GetPeer

func (*ReqContactsResetTopPeerRating) ProtoMessage

func (*ReqContactsResetTopPeerRating) ProtoMessage()

func (*ReqContactsResetTopPeerRating) Reset

func (m *ReqContactsResetTopPeerRating) Reset()

func (*ReqContactsResetTopPeerRating) String

func (*ReqContactsResetTopPeerRating) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsResetTopPeerRating) XXX_DiscardUnknown()

func (*ReqContactsResetTopPeerRating) XXX_Marshal added in v0.4.1

func (m *ReqContactsResetTopPeerRating) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsResetTopPeerRating) XXX_Merge added in v0.4.1

func (dst *ReqContactsResetTopPeerRating) XXX_Merge(src proto.Message)

func (*ReqContactsResetTopPeerRating) XXX_Size added in v0.4.1

func (m *ReqContactsResetTopPeerRating) XXX_Size() int

func (*ReqContactsResetTopPeerRating) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsResetTopPeerRating) XXX_Unmarshal(b []byte) error

type ReqContactsResolveUsername

type ReqContactsResolveUsername struct {
	Username             string   `protobuf:"bytes,1,opt,name=Username" json:"Username,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsResolveUsername) Descriptor

func (*ReqContactsResolveUsername) Descriptor() ([]byte, []int)

func (*ReqContactsResolveUsername) GetUsername

func (m *ReqContactsResolveUsername) GetUsername() string

func (*ReqContactsResolveUsername) ProtoMessage

func (*ReqContactsResolveUsername) ProtoMessage()

func (*ReqContactsResolveUsername) Reset

func (m *ReqContactsResolveUsername) Reset()

func (*ReqContactsResolveUsername) String

func (m *ReqContactsResolveUsername) String() string

func (*ReqContactsResolveUsername) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsResolveUsername) XXX_DiscardUnknown()

func (*ReqContactsResolveUsername) XXX_Marshal added in v0.4.1

func (m *ReqContactsResolveUsername) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsResolveUsername) XXX_Merge added in v0.4.1

func (dst *ReqContactsResolveUsername) XXX_Merge(src proto.Message)

func (*ReqContactsResolveUsername) XXX_Size added in v0.4.1

func (m *ReqContactsResolveUsername) XXX_Size() int

func (*ReqContactsResolveUsername) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsResolveUsername) XXX_Unmarshal(b []byte) error

type ReqContactsSearch

type ReqContactsSearch struct {
	Q                    string   `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	Limit                int32    `protobuf:"varint,2,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqContactsSearch) Descriptor

func (*ReqContactsSearch) Descriptor() ([]byte, []int)

func (*ReqContactsSearch) GetLimit

func (m *ReqContactsSearch) GetLimit() int32

func (*ReqContactsSearch) GetQ

func (m *ReqContactsSearch) GetQ() string

func (*ReqContactsSearch) ProtoMessage

func (*ReqContactsSearch) ProtoMessage()

func (*ReqContactsSearch) Reset

func (m *ReqContactsSearch) Reset()

func (*ReqContactsSearch) String

func (m *ReqContactsSearch) String() string

func (*ReqContactsSearch) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsSearch) XXX_DiscardUnknown()

func (*ReqContactsSearch) XXX_Marshal added in v0.4.1

func (m *ReqContactsSearch) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsSearch) XXX_Merge added in v0.4.1

func (dst *ReqContactsSearch) XXX_Merge(src proto.Message)

func (*ReqContactsSearch) XXX_Size added in v0.4.1

func (m *ReqContactsSearch) XXX_Size() int

func (*ReqContactsSearch) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsSearch) XXX_Unmarshal(b []byte) error

type ReqContactsUnblock

type ReqContactsUnblock struct {
	// default: InputUser
	Id                   *TypeInputUser `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqContactsUnblock) Descriptor

func (*ReqContactsUnblock) Descriptor() ([]byte, []int)

func (*ReqContactsUnblock) GetId

func (m *ReqContactsUnblock) GetId() *TypeInputUser

func (*ReqContactsUnblock) ProtoMessage

func (*ReqContactsUnblock) ProtoMessage()

func (*ReqContactsUnblock) Reset

func (m *ReqContactsUnblock) Reset()

func (*ReqContactsUnblock) String

func (m *ReqContactsUnblock) String() string

func (*ReqContactsUnblock) XXX_DiscardUnknown added in v0.4.1

func (m *ReqContactsUnblock) XXX_DiscardUnknown()

func (*ReqContactsUnblock) XXX_Marshal added in v0.4.1

func (m *ReqContactsUnblock) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqContactsUnblock) XXX_Merge added in v0.4.1

func (dst *ReqContactsUnblock) XXX_Merge(src proto.Message)

func (*ReqContactsUnblock) XXX_Size added in v0.4.1

func (m *ReqContactsUnblock) XXX_Size() int

func (*ReqContactsUnblock) XXX_Unmarshal added in v0.4.1

func (m *ReqContactsUnblock) XXX_Unmarshal(b []byte) error

type ReqHelpGetAppChangelog

type ReqHelpGetAppChangelog struct {
	PrevAppVersion       string   `protobuf:"bytes,1,opt,name=PrevAppVersion" json:"PrevAppVersion,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetAppChangelog) Descriptor

func (*ReqHelpGetAppChangelog) Descriptor() ([]byte, []int)

func (*ReqHelpGetAppChangelog) GetPrevAppVersion

func (m *ReqHelpGetAppChangelog) GetPrevAppVersion() string

func (*ReqHelpGetAppChangelog) ProtoMessage

func (*ReqHelpGetAppChangelog) ProtoMessage()

func (*ReqHelpGetAppChangelog) Reset

func (m *ReqHelpGetAppChangelog) Reset()

func (*ReqHelpGetAppChangelog) String

func (m *ReqHelpGetAppChangelog) String() string

func (*ReqHelpGetAppChangelog) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetAppChangelog) XXX_DiscardUnknown()

func (*ReqHelpGetAppChangelog) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetAppChangelog) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetAppChangelog) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetAppChangelog) XXX_Merge(src proto.Message)

func (*ReqHelpGetAppChangelog) XXX_Size added in v0.4.1

func (m *ReqHelpGetAppChangelog) XXX_Size() int

func (*ReqHelpGetAppChangelog) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetAppChangelog) XXX_Unmarshal(b []byte) error

type ReqHelpGetAppUpdate

type ReqHelpGetAppUpdate struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetAppUpdate) Descriptor

func (*ReqHelpGetAppUpdate) Descriptor() ([]byte, []int)

func (*ReqHelpGetAppUpdate) ProtoMessage

func (*ReqHelpGetAppUpdate) ProtoMessage()

func (*ReqHelpGetAppUpdate) Reset

func (m *ReqHelpGetAppUpdate) Reset()

func (*ReqHelpGetAppUpdate) String

func (m *ReqHelpGetAppUpdate) String() string

func (*ReqHelpGetAppUpdate) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetAppUpdate) XXX_DiscardUnknown()

func (*ReqHelpGetAppUpdate) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetAppUpdate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetAppUpdate) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetAppUpdate) XXX_Merge(src proto.Message)

func (*ReqHelpGetAppUpdate) XXX_Size added in v0.4.1

func (m *ReqHelpGetAppUpdate) XXX_Size() int

func (*ReqHelpGetAppUpdate) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetAppUpdate) XXX_Unmarshal(b []byte) error

type ReqHelpGetCdnConfig

type ReqHelpGetCdnConfig struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetCdnConfig) Descriptor

func (*ReqHelpGetCdnConfig) Descriptor() ([]byte, []int)

func (*ReqHelpGetCdnConfig) ProtoMessage

func (*ReqHelpGetCdnConfig) ProtoMessage()

func (*ReqHelpGetCdnConfig) Reset

func (m *ReqHelpGetCdnConfig) Reset()

func (*ReqHelpGetCdnConfig) String

func (m *ReqHelpGetCdnConfig) String() string

func (*ReqHelpGetCdnConfig) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetCdnConfig) XXX_DiscardUnknown()

func (*ReqHelpGetCdnConfig) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetCdnConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetCdnConfig) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetCdnConfig) XXX_Merge(src proto.Message)

func (*ReqHelpGetCdnConfig) XXX_Size added in v0.4.1

func (m *ReqHelpGetCdnConfig) XXX_Size() int

func (*ReqHelpGetCdnConfig) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetCdnConfig) XXX_Unmarshal(b []byte) error

type ReqHelpGetConfig

type ReqHelpGetConfig struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetConfig) Descriptor

func (*ReqHelpGetConfig) Descriptor() ([]byte, []int)

func (*ReqHelpGetConfig) ProtoMessage

func (*ReqHelpGetConfig) ProtoMessage()

func (*ReqHelpGetConfig) Reset

func (m *ReqHelpGetConfig) Reset()

func (*ReqHelpGetConfig) String

func (m *ReqHelpGetConfig) String() string

func (*ReqHelpGetConfig) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetConfig) XXX_DiscardUnknown()

func (*ReqHelpGetConfig) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetConfig) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetConfig) XXX_Merge(src proto.Message)

func (*ReqHelpGetConfig) XXX_Size added in v0.4.1

func (m *ReqHelpGetConfig) XXX_Size() int

func (*ReqHelpGetConfig) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetConfig) XXX_Unmarshal(b []byte) error

type ReqHelpGetInviteText

type ReqHelpGetInviteText struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetInviteText) Descriptor

func (*ReqHelpGetInviteText) Descriptor() ([]byte, []int)

func (*ReqHelpGetInviteText) ProtoMessage

func (*ReqHelpGetInviteText) ProtoMessage()

func (*ReqHelpGetInviteText) Reset

func (m *ReqHelpGetInviteText) Reset()

func (*ReqHelpGetInviteText) String

func (m *ReqHelpGetInviteText) String() string

func (*ReqHelpGetInviteText) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetInviteText) XXX_DiscardUnknown()

func (*ReqHelpGetInviteText) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetInviteText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetInviteText) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetInviteText) XXX_Merge(src proto.Message)

func (*ReqHelpGetInviteText) XXX_Size added in v0.4.1

func (m *ReqHelpGetInviteText) XXX_Size() int

func (*ReqHelpGetInviteText) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetInviteText) XXX_Unmarshal(b []byte) error

type ReqHelpGetNearestDc

type ReqHelpGetNearestDc struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetNearestDc) Descriptor

func (*ReqHelpGetNearestDc) Descriptor() ([]byte, []int)

func (*ReqHelpGetNearestDc) ProtoMessage

func (*ReqHelpGetNearestDc) ProtoMessage()

func (*ReqHelpGetNearestDc) Reset

func (m *ReqHelpGetNearestDc) Reset()

func (*ReqHelpGetNearestDc) String

func (m *ReqHelpGetNearestDc) String() string

func (*ReqHelpGetNearestDc) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetNearestDc) XXX_DiscardUnknown()

func (*ReqHelpGetNearestDc) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetNearestDc) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetNearestDc) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetNearestDc) XXX_Merge(src proto.Message)

func (*ReqHelpGetNearestDc) XXX_Size added in v0.4.1

func (m *ReqHelpGetNearestDc) XXX_Size() int

func (*ReqHelpGetNearestDc) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetNearestDc) XXX_Unmarshal(b []byte) error

type ReqHelpGetSupport

type ReqHelpGetSupport struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetSupport) Descriptor

func (*ReqHelpGetSupport) Descriptor() ([]byte, []int)

func (*ReqHelpGetSupport) ProtoMessage

func (*ReqHelpGetSupport) ProtoMessage()

func (*ReqHelpGetSupport) Reset

func (m *ReqHelpGetSupport) Reset()

func (*ReqHelpGetSupport) String

func (m *ReqHelpGetSupport) String() string

func (*ReqHelpGetSupport) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetSupport) XXX_DiscardUnknown()

func (*ReqHelpGetSupport) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetSupport) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetSupport) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetSupport) XXX_Merge(src proto.Message)

func (*ReqHelpGetSupport) XXX_Size added in v0.4.1

func (m *ReqHelpGetSupport) XXX_Size() int

func (*ReqHelpGetSupport) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetSupport) XXX_Unmarshal(b []byte) error

type ReqHelpGetTermsOfService

type ReqHelpGetTermsOfService struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpGetTermsOfService) Descriptor

func (*ReqHelpGetTermsOfService) Descriptor() ([]byte, []int)

func (*ReqHelpGetTermsOfService) ProtoMessage

func (*ReqHelpGetTermsOfService) ProtoMessage()

func (*ReqHelpGetTermsOfService) Reset

func (m *ReqHelpGetTermsOfService) Reset()

func (*ReqHelpGetTermsOfService) String

func (m *ReqHelpGetTermsOfService) String() string

func (*ReqHelpGetTermsOfService) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpGetTermsOfService) XXX_DiscardUnknown()

func (*ReqHelpGetTermsOfService) XXX_Marshal added in v0.4.1

func (m *ReqHelpGetTermsOfService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpGetTermsOfService) XXX_Merge added in v0.4.1

func (dst *ReqHelpGetTermsOfService) XXX_Merge(src proto.Message)

func (*ReqHelpGetTermsOfService) XXX_Size added in v0.4.1

func (m *ReqHelpGetTermsOfService) XXX_Size() int

func (*ReqHelpGetTermsOfService) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpGetTermsOfService) XXX_Unmarshal(b []byte) error

type ReqHelpSaveAppLog

type ReqHelpSaveAppLog struct {
	// default: Vector<InputAppEvent>
	Events               []*TypeInputAppEvent `protobuf:"bytes,1,rep,name=Events" json:"Events,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqHelpSaveAppLog) Descriptor

func (*ReqHelpSaveAppLog) Descriptor() ([]byte, []int)

func (*ReqHelpSaveAppLog) GetEvents

func (m *ReqHelpSaveAppLog) GetEvents() []*TypeInputAppEvent

func (*ReqHelpSaveAppLog) ProtoMessage

func (*ReqHelpSaveAppLog) ProtoMessage()

func (*ReqHelpSaveAppLog) Reset

func (m *ReqHelpSaveAppLog) Reset()

func (*ReqHelpSaveAppLog) String

func (m *ReqHelpSaveAppLog) String() string

func (*ReqHelpSaveAppLog) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpSaveAppLog) XXX_DiscardUnknown()

func (*ReqHelpSaveAppLog) XXX_Marshal added in v0.4.1

func (m *ReqHelpSaveAppLog) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpSaveAppLog) XXX_Merge added in v0.4.1

func (dst *ReqHelpSaveAppLog) XXX_Merge(src proto.Message)

func (*ReqHelpSaveAppLog) XXX_Size added in v0.4.1

func (m *ReqHelpSaveAppLog) XXX_Size() int

func (*ReqHelpSaveAppLog) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpSaveAppLog) XXX_Unmarshal(b []byte) error

type ReqHelpSetBotUpdatesStatus

type ReqHelpSetBotUpdatesStatus struct {
	PendingUpdatesCount  int32    `protobuf:"varint,1,opt,name=PendingUpdatesCount" json:"PendingUpdatesCount,omitempty"`
	Message              string   `protobuf:"bytes,2,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqHelpSetBotUpdatesStatus) Descriptor

func (*ReqHelpSetBotUpdatesStatus) Descriptor() ([]byte, []int)

func (*ReqHelpSetBotUpdatesStatus) GetMessage

func (m *ReqHelpSetBotUpdatesStatus) GetMessage() string

func (*ReqHelpSetBotUpdatesStatus) GetPendingUpdatesCount

func (m *ReqHelpSetBotUpdatesStatus) GetPendingUpdatesCount() int32

func (*ReqHelpSetBotUpdatesStatus) ProtoMessage

func (*ReqHelpSetBotUpdatesStatus) ProtoMessage()

func (*ReqHelpSetBotUpdatesStatus) Reset

func (m *ReqHelpSetBotUpdatesStatus) Reset()

func (*ReqHelpSetBotUpdatesStatus) String

func (m *ReqHelpSetBotUpdatesStatus) String() string

func (*ReqHelpSetBotUpdatesStatus) XXX_DiscardUnknown added in v0.4.1

func (m *ReqHelpSetBotUpdatesStatus) XXX_DiscardUnknown()

func (*ReqHelpSetBotUpdatesStatus) XXX_Marshal added in v0.4.1

func (m *ReqHelpSetBotUpdatesStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqHelpSetBotUpdatesStatus) XXX_Merge added in v0.4.1

func (dst *ReqHelpSetBotUpdatesStatus) XXX_Merge(src proto.Message)

func (*ReqHelpSetBotUpdatesStatus) XXX_Size added in v0.4.1

func (m *ReqHelpSetBotUpdatesStatus) XXX_Size() int

func (*ReqHelpSetBotUpdatesStatus) XXX_Unmarshal added in v0.4.1

func (m *ReqHelpSetBotUpdatesStatus) XXX_Unmarshal(b []byte) error

type ReqInitConnection

type ReqInitConnection struct {
	ApiId                int32    `protobuf:"varint,1,opt,name=ApiId" json:"ApiId,omitempty"`
	DeviceModel          string   `protobuf:"bytes,2,opt,name=DeviceModel" json:"DeviceModel,omitempty"`
	SystemVersion        string   `protobuf:"bytes,3,opt,name=SystemVersion" json:"SystemVersion,omitempty"`
	AppVersion           string   `protobuf:"bytes,4,opt,name=AppVersion" json:"AppVersion,omitempty"`
	SystemLangCode       string   `protobuf:"bytes,5,opt,name=SystemLangCode" json:"SystemLangCode,omitempty"`
	LangPack             string   `protobuf:"bytes,6,opt,name=LangPack" json:"LangPack,omitempty"`
	LangCode             string   `protobuf:"bytes,7,opt,name=LangCode" json:"LangCode,omitempty"`
	Query                *any.Any `protobuf:"bytes,8,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqInitConnection) Descriptor

func (*ReqInitConnection) Descriptor() ([]byte, []int)

func (*ReqInitConnection) GetApiId

func (m *ReqInitConnection) GetApiId() int32

func (*ReqInitConnection) GetAppVersion

func (m *ReqInitConnection) GetAppVersion() string

func (*ReqInitConnection) GetDeviceModel

func (m *ReqInitConnection) GetDeviceModel() string

func (*ReqInitConnection) GetLangCode

func (m *ReqInitConnection) GetLangCode() string

func (*ReqInitConnection) GetLangPack

func (m *ReqInitConnection) GetLangPack() string

func (*ReqInitConnection) GetQuery

func (m *ReqInitConnection) GetQuery() *any.Any

func (*ReqInitConnection) GetSystemLangCode

func (m *ReqInitConnection) GetSystemLangCode() string

func (*ReqInitConnection) GetSystemVersion

func (m *ReqInitConnection) GetSystemVersion() string

func (*ReqInitConnection) ProtoMessage

func (*ReqInitConnection) ProtoMessage()

func (*ReqInitConnection) Reset

func (m *ReqInitConnection) Reset()

func (*ReqInitConnection) String

func (m *ReqInitConnection) String() string

func (*ReqInitConnection) XXX_DiscardUnknown added in v0.4.1

func (m *ReqInitConnection) XXX_DiscardUnknown()

func (*ReqInitConnection) XXX_Marshal added in v0.4.1

func (m *ReqInitConnection) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqInitConnection) XXX_Merge added in v0.4.1

func (dst *ReqInitConnection) XXX_Merge(src proto.Message)

func (*ReqInitConnection) XXX_Size added in v0.4.1

func (m *ReqInitConnection) XXX_Size() int

func (*ReqInitConnection) XXX_Unmarshal added in v0.4.1

func (m *ReqInitConnection) XXX_Unmarshal(b []byte) error

type ReqInvokeAfterMsg

type ReqInvokeAfterMsg struct {
	MsgId                int64    `protobuf:"varint,1,opt,name=MsgId" json:"MsgId,omitempty"`
	Query                *any.Any `protobuf:"bytes,2,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

Requests

func (*ReqInvokeAfterMsg) Descriptor

func (*ReqInvokeAfterMsg) Descriptor() ([]byte, []int)

func (*ReqInvokeAfterMsg) GetMsgId

func (m *ReqInvokeAfterMsg) GetMsgId() int64

func (*ReqInvokeAfterMsg) GetQuery

func (m *ReqInvokeAfterMsg) GetQuery() *any.Any

func (*ReqInvokeAfterMsg) ProtoMessage

func (*ReqInvokeAfterMsg) ProtoMessage()

func (*ReqInvokeAfterMsg) Reset

func (m *ReqInvokeAfterMsg) Reset()

func (*ReqInvokeAfterMsg) String

func (m *ReqInvokeAfterMsg) String() string

func (*ReqInvokeAfterMsg) XXX_DiscardUnknown added in v0.4.1

func (m *ReqInvokeAfterMsg) XXX_DiscardUnknown()

func (*ReqInvokeAfterMsg) XXX_Marshal added in v0.4.1

func (m *ReqInvokeAfterMsg) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqInvokeAfterMsg) XXX_Merge added in v0.4.1

func (dst *ReqInvokeAfterMsg) XXX_Merge(src proto.Message)

func (*ReqInvokeAfterMsg) XXX_Size added in v0.4.1

func (m *ReqInvokeAfterMsg) XXX_Size() int

func (*ReqInvokeAfterMsg) XXX_Unmarshal added in v0.4.1

func (m *ReqInvokeAfterMsg) XXX_Unmarshal(b []byte) error

type ReqInvokeAfterMsgs

type ReqInvokeAfterMsgs struct {
	MsgIds               []int64  `protobuf:"varint,1,rep,packed,name=MsgIds" json:"MsgIds,omitempty"`
	Query                *any.Any `protobuf:"bytes,2,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqInvokeAfterMsgs) Descriptor

func (*ReqInvokeAfterMsgs) Descriptor() ([]byte, []int)

func (*ReqInvokeAfterMsgs) GetMsgIds

func (m *ReqInvokeAfterMsgs) GetMsgIds() []int64

func (*ReqInvokeAfterMsgs) GetQuery

func (m *ReqInvokeAfterMsgs) GetQuery() *any.Any

func (*ReqInvokeAfterMsgs) ProtoMessage

func (*ReqInvokeAfterMsgs) ProtoMessage()

func (*ReqInvokeAfterMsgs) Reset

func (m *ReqInvokeAfterMsgs) Reset()

func (*ReqInvokeAfterMsgs) String

func (m *ReqInvokeAfterMsgs) String() string

func (*ReqInvokeAfterMsgs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqInvokeAfterMsgs) XXX_DiscardUnknown()

func (*ReqInvokeAfterMsgs) XXX_Marshal added in v0.4.1

func (m *ReqInvokeAfterMsgs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqInvokeAfterMsgs) XXX_Merge added in v0.4.1

func (dst *ReqInvokeAfterMsgs) XXX_Merge(src proto.Message)

func (*ReqInvokeAfterMsgs) XXX_Size added in v0.4.1

func (m *ReqInvokeAfterMsgs) XXX_Size() int

func (*ReqInvokeAfterMsgs) XXX_Unmarshal added in v0.4.1

func (m *ReqInvokeAfterMsgs) XXX_Unmarshal(b []byte) error

type ReqInvokeWithLayer

type ReqInvokeWithLayer struct {
	Layer                int32    `protobuf:"varint,1,opt,name=Layer" json:"Layer,omitempty"`
	Query                *any.Any `protobuf:"bytes,2,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqInvokeWithLayer) Descriptor

func (*ReqInvokeWithLayer) Descriptor() ([]byte, []int)

func (*ReqInvokeWithLayer) GetLayer

func (m *ReqInvokeWithLayer) GetLayer() int32

func (*ReqInvokeWithLayer) GetQuery

func (m *ReqInvokeWithLayer) GetQuery() *any.Any

func (*ReqInvokeWithLayer) ProtoMessage

func (*ReqInvokeWithLayer) ProtoMessage()

func (*ReqInvokeWithLayer) Reset

func (m *ReqInvokeWithLayer) Reset()

func (*ReqInvokeWithLayer) String

func (m *ReqInvokeWithLayer) String() string

func (*ReqInvokeWithLayer) XXX_DiscardUnknown added in v0.4.1

func (m *ReqInvokeWithLayer) XXX_DiscardUnknown()

func (*ReqInvokeWithLayer) XXX_Marshal added in v0.4.1

func (m *ReqInvokeWithLayer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqInvokeWithLayer) XXX_Merge added in v0.4.1

func (dst *ReqInvokeWithLayer) XXX_Merge(src proto.Message)

func (*ReqInvokeWithLayer) XXX_Size added in v0.4.1

func (m *ReqInvokeWithLayer) XXX_Size() int

func (*ReqInvokeWithLayer) XXX_Unmarshal added in v0.4.1

func (m *ReqInvokeWithLayer) XXX_Unmarshal(b []byte) error

type ReqInvokeWithoutUpdates

type ReqInvokeWithoutUpdates struct {
	Query                *any.Any `protobuf:"bytes,1,opt,name=Query" json:"Query,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqInvokeWithoutUpdates) Descriptor

func (*ReqInvokeWithoutUpdates) Descriptor() ([]byte, []int)

func (*ReqInvokeWithoutUpdates) GetQuery

func (m *ReqInvokeWithoutUpdates) GetQuery() *any.Any

func (*ReqInvokeWithoutUpdates) ProtoMessage

func (*ReqInvokeWithoutUpdates) ProtoMessage()

func (*ReqInvokeWithoutUpdates) Reset

func (m *ReqInvokeWithoutUpdates) Reset()

func (*ReqInvokeWithoutUpdates) String

func (m *ReqInvokeWithoutUpdates) String() string

func (*ReqInvokeWithoutUpdates) XXX_DiscardUnknown added in v0.4.1

func (m *ReqInvokeWithoutUpdates) XXX_DiscardUnknown()

func (*ReqInvokeWithoutUpdates) XXX_Marshal added in v0.4.1

func (m *ReqInvokeWithoutUpdates) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqInvokeWithoutUpdates) XXX_Merge added in v0.4.1

func (dst *ReqInvokeWithoutUpdates) XXX_Merge(src proto.Message)

func (*ReqInvokeWithoutUpdates) XXX_Size added in v0.4.1

func (m *ReqInvokeWithoutUpdates) XXX_Size() int

func (*ReqInvokeWithoutUpdates) XXX_Unmarshal added in v0.4.1

func (m *ReqInvokeWithoutUpdates) XXX_Unmarshal(b []byte) error

type ReqLangpackGetDifference

type ReqLangpackGetDifference struct {
	FromVersion          int32    `protobuf:"varint,1,opt,name=FromVersion" json:"FromVersion,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqLangpackGetDifference) Descriptor

func (*ReqLangpackGetDifference) Descriptor() ([]byte, []int)

func (*ReqLangpackGetDifference) GetFromVersion

func (m *ReqLangpackGetDifference) GetFromVersion() int32

func (*ReqLangpackGetDifference) ProtoMessage

func (*ReqLangpackGetDifference) ProtoMessage()

func (*ReqLangpackGetDifference) Reset

func (m *ReqLangpackGetDifference) Reset()

func (*ReqLangpackGetDifference) String

func (m *ReqLangpackGetDifference) String() string

func (*ReqLangpackGetDifference) XXX_DiscardUnknown added in v0.4.1

func (m *ReqLangpackGetDifference) XXX_DiscardUnknown()

func (*ReqLangpackGetDifference) XXX_Marshal added in v0.4.1

func (m *ReqLangpackGetDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqLangpackGetDifference) XXX_Merge added in v0.4.1

func (dst *ReqLangpackGetDifference) XXX_Merge(src proto.Message)

func (*ReqLangpackGetDifference) XXX_Size added in v0.4.1

func (m *ReqLangpackGetDifference) XXX_Size() int

func (*ReqLangpackGetDifference) XXX_Unmarshal added in v0.4.1

func (m *ReqLangpackGetDifference) XXX_Unmarshal(b []byte) error

type ReqLangpackGetLangPack

type ReqLangpackGetLangPack struct {
	LangCode             string   `protobuf:"bytes,1,opt,name=LangCode" json:"LangCode,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqLangpackGetLangPack) Descriptor

func (*ReqLangpackGetLangPack) Descriptor() ([]byte, []int)

func (*ReqLangpackGetLangPack) GetLangCode

func (m *ReqLangpackGetLangPack) GetLangCode() string

func (*ReqLangpackGetLangPack) ProtoMessage

func (*ReqLangpackGetLangPack) ProtoMessage()

func (*ReqLangpackGetLangPack) Reset

func (m *ReqLangpackGetLangPack) Reset()

func (*ReqLangpackGetLangPack) String

func (m *ReqLangpackGetLangPack) String() string

func (*ReqLangpackGetLangPack) XXX_DiscardUnknown added in v0.4.1

func (m *ReqLangpackGetLangPack) XXX_DiscardUnknown()

func (*ReqLangpackGetLangPack) XXX_Marshal added in v0.4.1

func (m *ReqLangpackGetLangPack) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqLangpackGetLangPack) XXX_Merge added in v0.4.1

func (dst *ReqLangpackGetLangPack) XXX_Merge(src proto.Message)

func (*ReqLangpackGetLangPack) XXX_Size added in v0.4.1

func (m *ReqLangpackGetLangPack) XXX_Size() int

func (*ReqLangpackGetLangPack) XXX_Unmarshal added in v0.4.1

func (m *ReqLangpackGetLangPack) XXX_Unmarshal(b []byte) error

type ReqLangpackGetLanguages

type ReqLangpackGetLanguages struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqLangpackGetLanguages) Descriptor

func (*ReqLangpackGetLanguages) Descriptor() ([]byte, []int)

func (*ReqLangpackGetLanguages) ProtoMessage

func (*ReqLangpackGetLanguages) ProtoMessage()

func (*ReqLangpackGetLanguages) Reset

func (m *ReqLangpackGetLanguages) Reset()

func (*ReqLangpackGetLanguages) String

func (m *ReqLangpackGetLanguages) String() string

func (*ReqLangpackGetLanguages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqLangpackGetLanguages) XXX_DiscardUnknown()

func (*ReqLangpackGetLanguages) XXX_Marshal added in v0.4.1

func (m *ReqLangpackGetLanguages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqLangpackGetLanguages) XXX_Merge added in v0.4.1

func (dst *ReqLangpackGetLanguages) XXX_Merge(src proto.Message)

func (*ReqLangpackGetLanguages) XXX_Size added in v0.4.1

func (m *ReqLangpackGetLanguages) XXX_Size() int

func (*ReqLangpackGetLanguages) XXX_Unmarshal added in v0.4.1

func (m *ReqLangpackGetLanguages) XXX_Unmarshal(b []byte) error

type ReqLangpackGetStrings

type ReqLangpackGetStrings struct {
	LangCode             string   `protobuf:"bytes,1,opt,name=LangCode" json:"LangCode,omitempty"`
	Keys                 []string `protobuf:"bytes,2,rep,name=Keys" json:"Keys,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqLangpackGetStrings) Descriptor

func (*ReqLangpackGetStrings) Descriptor() ([]byte, []int)

func (*ReqLangpackGetStrings) GetKeys

func (m *ReqLangpackGetStrings) GetKeys() []string

func (*ReqLangpackGetStrings) GetLangCode

func (m *ReqLangpackGetStrings) GetLangCode() string

func (*ReqLangpackGetStrings) ProtoMessage

func (*ReqLangpackGetStrings) ProtoMessage()

func (*ReqLangpackGetStrings) Reset

func (m *ReqLangpackGetStrings) Reset()

func (*ReqLangpackGetStrings) String

func (m *ReqLangpackGetStrings) String() string

func (*ReqLangpackGetStrings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqLangpackGetStrings) XXX_DiscardUnknown()

func (*ReqLangpackGetStrings) XXX_Marshal added in v0.4.1

func (m *ReqLangpackGetStrings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqLangpackGetStrings) XXX_Merge added in v0.4.1

func (dst *ReqLangpackGetStrings) XXX_Merge(src proto.Message)

func (*ReqLangpackGetStrings) XXX_Size added in v0.4.1

func (m *ReqLangpackGetStrings) XXX_Size() int

func (*ReqLangpackGetStrings) XXX_Unmarshal added in v0.4.1

func (m *ReqLangpackGetStrings) XXX_Unmarshal(b []byte) error

type ReqMessagesAcceptEncryption

type ReqMessagesAcceptEncryption struct {
	// default: InputEncryptedChat
	Peer                 *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	GB                   []byte                  `protobuf:"bytes,2,opt,name=GB,proto3" json:"GB,omitempty"`
	KeyFingerprint       int64                   `protobuf:"varint,3,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesAcceptEncryption) Descriptor

func (*ReqMessagesAcceptEncryption) Descriptor() ([]byte, []int)

func (*ReqMessagesAcceptEncryption) GetGB

func (m *ReqMessagesAcceptEncryption) GetGB() []byte

func (*ReqMessagesAcceptEncryption) GetKeyFingerprint

func (m *ReqMessagesAcceptEncryption) GetKeyFingerprint() int64

func (*ReqMessagesAcceptEncryption) GetPeer

func (*ReqMessagesAcceptEncryption) ProtoMessage

func (*ReqMessagesAcceptEncryption) ProtoMessage()

func (*ReqMessagesAcceptEncryption) Reset

func (m *ReqMessagesAcceptEncryption) Reset()

func (*ReqMessagesAcceptEncryption) String

func (m *ReqMessagesAcceptEncryption) String() string

func (*ReqMessagesAcceptEncryption) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesAcceptEncryption) XXX_DiscardUnknown()

func (*ReqMessagesAcceptEncryption) XXX_Marshal added in v0.4.1

func (m *ReqMessagesAcceptEncryption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesAcceptEncryption) XXX_Merge added in v0.4.1

func (dst *ReqMessagesAcceptEncryption) XXX_Merge(src proto.Message)

func (*ReqMessagesAcceptEncryption) XXX_Size added in v0.4.1

func (m *ReqMessagesAcceptEncryption) XXX_Size() int

func (*ReqMessagesAcceptEncryption) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesAcceptEncryption) XXX_Unmarshal(b []byte) error

type ReqMessagesAddChatUser

type ReqMessagesAddChatUser struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	FwdLimit             int32          `protobuf:"varint,3,opt,name=FwdLimit" json:"FwdLimit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesAddChatUser) Descriptor

func (*ReqMessagesAddChatUser) Descriptor() ([]byte, []int)

func (*ReqMessagesAddChatUser) GetChatId

func (m *ReqMessagesAddChatUser) GetChatId() int32

func (*ReqMessagesAddChatUser) GetFwdLimit

func (m *ReqMessagesAddChatUser) GetFwdLimit() int32

func (*ReqMessagesAddChatUser) GetUserId

func (m *ReqMessagesAddChatUser) GetUserId() *TypeInputUser

func (*ReqMessagesAddChatUser) ProtoMessage

func (*ReqMessagesAddChatUser) ProtoMessage()

func (*ReqMessagesAddChatUser) Reset

func (m *ReqMessagesAddChatUser) Reset()

func (*ReqMessagesAddChatUser) String

func (m *ReqMessagesAddChatUser) String() string

func (*ReqMessagesAddChatUser) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesAddChatUser) XXX_DiscardUnknown()

func (*ReqMessagesAddChatUser) XXX_Marshal added in v0.4.1

func (m *ReqMessagesAddChatUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesAddChatUser) XXX_Merge added in v0.4.1

func (dst *ReqMessagesAddChatUser) XXX_Merge(src proto.Message)

func (*ReqMessagesAddChatUser) XXX_Size added in v0.4.1

func (m *ReqMessagesAddChatUser) XXX_Size() int

func (*ReqMessagesAddChatUser) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesAddChatUser) XXX_Unmarshal(b []byte) error

type ReqMessagesCheckChatInvite

type ReqMessagesCheckChatInvite struct {
	Hash                 string   `protobuf:"bytes,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesCheckChatInvite) Descriptor

func (*ReqMessagesCheckChatInvite) Descriptor() ([]byte, []int)

func (*ReqMessagesCheckChatInvite) GetHash

func (m *ReqMessagesCheckChatInvite) GetHash() string

func (*ReqMessagesCheckChatInvite) ProtoMessage

func (*ReqMessagesCheckChatInvite) ProtoMessage()

func (*ReqMessagesCheckChatInvite) Reset

func (m *ReqMessagesCheckChatInvite) Reset()

func (*ReqMessagesCheckChatInvite) String

func (m *ReqMessagesCheckChatInvite) String() string

func (*ReqMessagesCheckChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesCheckChatInvite) XXX_DiscardUnknown()

func (*ReqMessagesCheckChatInvite) XXX_Marshal added in v0.4.1

func (m *ReqMessagesCheckChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesCheckChatInvite) XXX_Merge added in v0.4.1

func (dst *ReqMessagesCheckChatInvite) XXX_Merge(src proto.Message)

func (*ReqMessagesCheckChatInvite) XXX_Size added in v0.4.1

func (m *ReqMessagesCheckChatInvite) XXX_Size() int

func (*ReqMessagesCheckChatInvite) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesCheckChatInvite) XXX_Unmarshal(b []byte) error

type ReqMessagesClearRecentStickers

type ReqMessagesClearRecentStickers struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesClearRecentStickers) Descriptor

func (*ReqMessagesClearRecentStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesClearRecentStickers) GetFlags

func (m *ReqMessagesClearRecentStickers) GetFlags() int32

func (*ReqMessagesClearRecentStickers) ProtoMessage

func (*ReqMessagesClearRecentStickers) ProtoMessage()

func (*ReqMessagesClearRecentStickers) Reset

func (m *ReqMessagesClearRecentStickers) Reset()

func (*ReqMessagesClearRecentStickers) String

func (*ReqMessagesClearRecentStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesClearRecentStickers) XXX_DiscardUnknown()

func (*ReqMessagesClearRecentStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesClearRecentStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesClearRecentStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesClearRecentStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesClearRecentStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesClearRecentStickers) XXX_Size() int

func (*ReqMessagesClearRecentStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesClearRecentStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesCreateChat

type ReqMessagesCreateChat struct {
	// default: Vector<InputUser>
	Users                []*TypeInputUser `protobuf:"bytes,1,rep,name=Users" json:"Users,omitempty"`
	Title                string           `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqMessagesCreateChat) Descriptor

func (*ReqMessagesCreateChat) Descriptor() ([]byte, []int)

func (*ReqMessagesCreateChat) GetTitle

func (m *ReqMessagesCreateChat) GetTitle() string

func (*ReqMessagesCreateChat) GetUsers

func (m *ReqMessagesCreateChat) GetUsers() []*TypeInputUser

func (*ReqMessagesCreateChat) ProtoMessage

func (*ReqMessagesCreateChat) ProtoMessage()

func (*ReqMessagesCreateChat) Reset

func (m *ReqMessagesCreateChat) Reset()

func (*ReqMessagesCreateChat) String

func (m *ReqMessagesCreateChat) String() string

func (*ReqMessagesCreateChat) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesCreateChat) XXX_DiscardUnknown()

func (*ReqMessagesCreateChat) XXX_Marshal added in v0.4.1

func (m *ReqMessagesCreateChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesCreateChat) XXX_Merge added in v0.4.1

func (dst *ReqMessagesCreateChat) XXX_Merge(src proto.Message)

func (*ReqMessagesCreateChat) XXX_Size added in v0.4.1

func (m *ReqMessagesCreateChat) XXX_Size() int

func (*ReqMessagesCreateChat) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesCreateChat) XXX_Unmarshal(b []byte) error

type ReqMessagesDeleteChatUser

type ReqMessagesDeleteChatUser struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesDeleteChatUser) Descriptor

func (*ReqMessagesDeleteChatUser) Descriptor() ([]byte, []int)

func (*ReqMessagesDeleteChatUser) GetChatId

func (m *ReqMessagesDeleteChatUser) GetChatId() int32

func (*ReqMessagesDeleteChatUser) GetUserId

func (m *ReqMessagesDeleteChatUser) GetUserId() *TypeInputUser

func (*ReqMessagesDeleteChatUser) ProtoMessage

func (*ReqMessagesDeleteChatUser) ProtoMessage()

func (*ReqMessagesDeleteChatUser) Reset

func (m *ReqMessagesDeleteChatUser) Reset()

func (*ReqMessagesDeleteChatUser) String

func (m *ReqMessagesDeleteChatUser) String() string

func (*ReqMessagesDeleteChatUser) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesDeleteChatUser) XXX_DiscardUnknown()

func (*ReqMessagesDeleteChatUser) XXX_Marshal added in v0.4.1

func (m *ReqMessagesDeleteChatUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesDeleteChatUser) XXX_Merge added in v0.4.1

func (dst *ReqMessagesDeleteChatUser) XXX_Merge(src proto.Message)

func (*ReqMessagesDeleteChatUser) XXX_Size added in v0.4.1

func (m *ReqMessagesDeleteChatUser) XXX_Size() int

func (*ReqMessagesDeleteChatUser) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesDeleteChatUser) XXX_Unmarshal(b []byte) error

type ReqMessagesDeleteHistory

type ReqMessagesDeleteHistory struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// JustClear	bool // flags.0?true
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	MaxId                int32          `protobuf:"varint,4,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesDeleteHistory) Descriptor

func (*ReqMessagesDeleteHistory) Descriptor() ([]byte, []int)

func (*ReqMessagesDeleteHistory) GetFlags

func (m *ReqMessagesDeleteHistory) GetFlags() int32

func (*ReqMessagesDeleteHistory) GetMaxId

func (m *ReqMessagesDeleteHistory) GetMaxId() int32

func (*ReqMessagesDeleteHistory) GetPeer

func (*ReqMessagesDeleteHistory) ProtoMessage

func (*ReqMessagesDeleteHistory) ProtoMessage()

func (*ReqMessagesDeleteHistory) Reset

func (m *ReqMessagesDeleteHistory) Reset()

func (*ReqMessagesDeleteHistory) String

func (m *ReqMessagesDeleteHistory) String() string

func (*ReqMessagesDeleteHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesDeleteHistory) XXX_DiscardUnknown()

func (*ReqMessagesDeleteHistory) XXX_Marshal added in v0.4.1

func (m *ReqMessagesDeleteHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesDeleteHistory) XXX_Merge added in v0.4.1

func (dst *ReqMessagesDeleteHistory) XXX_Merge(src proto.Message)

func (*ReqMessagesDeleteHistory) XXX_Size added in v0.4.1

func (m *ReqMessagesDeleteHistory) XXX_Size() int

func (*ReqMessagesDeleteHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesDeleteHistory) XXX_Unmarshal(b []byte) error

type ReqMessagesDeleteMessages

type ReqMessagesDeleteMessages struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Revoke	bool // flags.0?true
	Id                   []int32  `protobuf:"varint,3,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesDeleteMessages) Descriptor

func (*ReqMessagesDeleteMessages) Descriptor() ([]byte, []int)

func (*ReqMessagesDeleteMessages) GetFlags

func (m *ReqMessagesDeleteMessages) GetFlags() int32

func (*ReqMessagesDeleteMessages) GetId

func (m *ReqMessagesDeleteMessages) GetId() []int32

func (*ReqMessagesDeleteMessages) ProtoMessage

func (*ReqMessagesDeleteMessages) ProtoMessage()

func (*ReqMessagesDeleteMessages) Reset

func (m *ReqMessagesDeleteMessages) Reset()

func (*ReqMessagesDeleteMessages) String

func (m *ReqMessagesDeleteMessages) String() string

func (*ReqMessagesDeleteMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesDeleteMessages) XXX_DiscardUnknown()

func (*ReqMessagesDeleteMessages) XXX_Marshal added in v0.4.1

func (m *ReqMessagesDeleteMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesDeleteMessages) XXX_Merge added in v0.4.1

func (dst *ReqMessagesDeleteMessages) XXX_Merge(src proto.Message)

func (*ReqMessagesDeleteMessages) XXX_Size added in v0.4.1

func (m *ReqMessagesDeleteMessages) XXX_Size() int

func (*ReqMessagesDeleteMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesDeleteMessages) XXX_Unmarshal(b []byte) error

type ReqMessagesDiscardEncryption

type ReqMessagesDiscardEncryption struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesDiscardEncryption) Descriptor

func (*ReqMessagesDiscardEncryption) Descriptor() ([]byte, []int)

func (*ReqMessagesDiscardEncryption) GetChatId

func (m *ReqMessagesDiscardEncryption) GetChatId() int32

func (*ReqMessagesDiscardEncryption) ProtoMessage

func (*ReqMessagesDiscardEncryption) ProtoMessage()

func (*ReqMessagesDiscardEncryption) Reset

func (m *ReqMessagesDiscardEncryption) Reset()

func (*ReqMessagesDiscardEncryption) String

func (*ReqMessagesDiscardEncryption) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesDiscardEncryption) XXX_DiscardUnknown()

func (*ReqMessagesDiscardEncryption) XXX_Marshal added in v0.4.1

func (m *ReqMessagesDiscardEncryption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesDiscardEncryption) XXX_Merge added in v0.4.1

func (dst *ReqMessagesDiscardEncryption) XXX_Merge(src proto.Message)

func (*ReqMessagesDiscardEncryption) XXX_Size added in v0.4.1

func (m *ReqMessagesDiscardEncryption) XXX_Size() int

func (*ReqMessagesDiscardEncryption) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesDiscardEncryption) XXX_Unmarshal(b []byte) error

type ReqMessagesEditChatAdmin

type ReqMessagesEditChatAdmin struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: InputUser
	UserId *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	// default: Bool
	IsAdmin              *TypeBool `protobuf:"bytes,3,opt,name=IsAdmin" json:"IsAdmin,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesEditChatAdmin) Descriptor

func (*ReqMessagesEditChatAdmin) Descriptor() ([]byte, []int)

func (*ReqMessagesEditChatAdmin) GetChatId

func (m *ReqMessagesEditChatAdmin) GetChatId() int32

func (*ReqMessagesEditChatAdmin) GetIsAdmin

func (m *ReqMessagesEditChatAdmin) GetIsAdmin() *TypeBool

func (*ReqMessagesEditChatAdmin) GetUserId

func (m *ReqMessagesEditChatAdmin) GetUserId() *TypeInputUser

func (*ReqMessagesEditChatAdmin) ProtoMessage

func (*ReqMessagesEditChatAdmin) ProtoMessage()

func (*ReqMessagesEditChatAdmin) Reset

func (m *ReqMessagesEditChatAdmin) Reset()

func (*ReqMessagesEditChatAdmin) String

func (m *ReqMessagesEditChatAdmin) String() string

func (*ReqMessagesEditChatAdmin) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesEditChatAdmin) XXX_DiscardUnknown()

func (*ReqMessagesEditChatAdmin) XXX_Marshal added in v0.4.1

func (m *ReqMessagesEditChatAdmin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesEditChatAdmin) XXX_Merge added in v0.4.1

func (dst *ReqMessagesEditChatAdmin) XXX_Merge(src proto.Message)

func (*ReqMessagesEditChatAdmin) XXX_Size added in v0.4.1

func (m *ReqMessagesEditChatAdmin) XXX_Size() int

func (*ReqMessagesEditChatAdmin) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesEditChatAdmin) XXX_Unmarshal(b []byte) error

type ReqMessagesEditChatPhoto

type ReqMessagesEditChatPhoto struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: InputChatPhoto
	Photo                *TypeInputChatPhoto `protobuf:"bytes,2,opt,name=Photo" json:"Photo,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqMessagesEditChatPhoto) Descriptor

func (*ReqMessagesEditChatPhoto) Descriptor() ([]byte, []int)

func (*ReqMessagesEditChatPhoto) GetChatId

func (m *ReqMessagesEditChatPhoto) GetChatId() int32

func (*ReqMessagesEditChatPhoto) GetPhoto

func (*ReqMessagesEditChatPhoto) ProtoMessage

func (*ReqMessagesEditChatPhoto) ProtoMessage()

func (*ReqMessagesEditChatPhoto) Reset

func (m *ReqMessagesEditChatPhoto) Reset()

func (*ReqMessagesEditChatPhoto) String

func (m *ReqMessagesEditChatPhoto) String() string

func (*ReqMessagesEditChatPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesEditChatPhoto) XXX_DiscardUnknown()

func (*ReqMessagesEditChatPhoto) XXX_Marshal added in v0.4.1

func (m *ReqMessagesEditChatPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesEditChatPhoto) XXX_Merge added in v0.4.1

func (dst *ReqMessagesEditChatPhoto) XXX_Merge(src proto.Message)

func (*ReqMessagesEditChatPhoto) XXX_Size added in v0.4.1

func (m *ReqMessagesEditChatPhoto) XXX_Size() int

func (*ReqMessagesEditChatPhoto) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesEditChatPhoto) XXX_Unmarshal(b []byte) error

type ReqMessagesEditChatTitle

type ReqMessagesEditChatTitle struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	Title                string   `protobuf:"bytes,2,opt,name=Title" json:"Title,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesEditChatTitle) Descriptor

func (*ReqMessagesEditChatTitle) Descriptor() ([]byte, []int)

func (*ReqMessagesEditChatTitle) GetChatId

func (m *ReqMessagesEditChatTitle) GetChatId() int32

func (*ReqMessagesEditChatTitle) GetTitle

func (m *ReqMessagesEditChatTitle) GetTitle() string

func (*ReqMessagesEditChatTitle) ProtoMessage

func (*ReqMessagesEditChatTitle) ProtoMessage()

func (*ReqMessagesEditChatTitle) Reset

func (m *ReqMessagesEditChatTitle) Reset()

func (*ReqMessagesEditChatTitle) String

func (m *ReqMessagesEditChatTitle) String() string

func (*ReqMessagesEditChatTitle) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesEditChatTitle) XXX_DiscardUnknown()

func (*ReqMessagesEditChatTitle) XXX_Marshal added in v0.4.1

func (m *ReqMessagesEditChatTitle) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesEditChatTitle) XXX_Merge added in v0.4.1

func (dst *ReqMessagesEditChatTitle) XXX_Merge(src proto.Message)

func (*ReqMessagesEditChatTitle) XXX_Size added in v0.4.1

func (m *ReqMessagesEditChatTitle) XXX_Size() int

func (*ReqMessagesEditChatTitle) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesEditChatTitle) XXX_Unmarshal(b []byte) error

type ReqMessagesEditInlineBotMessage

type ReqMessagesEditInlineBotMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.1?true
	// default: InputBotInlineMessageID
	Id      *TypeInputBotInlineMessageID `protobuf:"bytes,3,opt,name=Id" json:"Id,omitempty"`
	Message string                       `protobuf:"bytes,4,opt,name=Message" json:"Message,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup *TypeReplyMarkup `protobuf:"bytes,5,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,6,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesEditInlineBotMessage) Descriptor

func (*ReqMessagesEditInlineBotMessage) Descriptor() ([]byte, []int)

func (*ReqMessagesEditInlineBotMessage) GetEntities

func (*ReqMessagesEditInlineBotMessage) GetFlags

func (m *ReqMessagesEditInlineBotMessage) GetFlags() int32

func (*ReqMessagesEditInlineBotMessage) GetId

func (*ReqMessagesEditInlineBotMessage) GetMessage

func (m *ReqMessagesEditInlineBotMessage) GetMessage() string

func (*ReqMessagesEditInlineBotMessage) GetReplyMarkup

func (m *ReqMessagesEditInlineBotMessage) GetReplyMarkup() *TypeReplyMarkup

func (*ReqMessagesEditInlineBotMessage) ProtoMessage

func (*ReqMessagesEditInlineBotMessage) ProtoMessage()

func (*ReqMessagesEditInlineBotMessage) Reset

func (*ReqMessagesEditInlineBotMessage) String

func (*ReqMessagesEditInlineBotMessage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesEditInlineBotMessage) XXX_DiscardUnknown()

func (*ReqMessagesEditInlineBotMessage) XXX_Marshal added in v0.4.1

func (m *ReqMessagesEditInlineBotMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesEditInlineBotMessage) XXX_Merge added in v0.4.1

func (dst *ReqMessagesEditInlineBotMessage) XXX_Merge(src proto.Message)

func (*ReqMessagesEditInlineBotMessage) XXX_Size added in v0.4.1

func (m *ReqMessagesEditInlineBotMessage) XXX_Size() int

func (*ReqMessagesEditInlineBotMessage) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesEditInlineBotMessage) XXX_Unmarshal(b []byte) error

type ReqMessagesEditMessage

type ReqMessagesEditMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.1?true
	// default: InputPeer
	Peer    *TypeInputPeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	Id      int32          `protobuf:"varint,4,opt,name=Id" json:"Id,omitempty"`
	Message string         `protobuf:"bytes,5,opt,name=Message" json:"Message,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup *TypeReplyMarkup `protobuf:"bytes,6,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,7,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesEditMessage) Descriptor

func (*ReqMessagesEditMessage) Descriptor() ([]byte, []int)

func (*ReqMessagesEditMessage) GetEntities

func (m *ReqMessagesEditMessage) GetEntities() []*TypeMessageEntity

func (*ReqMessagesEditMessage) GetFlags

func (m *ReqMessagesEditMessage) GetFlags() int32

func (*ReqMessagesEditMessage) GetId

func (m *ReqMessagesEditMessage) GetId() int32

func (*ReqMessagesEditMessage) GetMessage

func (m *ReqMessagesEditMessage) GetMessage() string

func (*ReqMessagesEditMessage) GetPeer

func (m *ReqMessagesEditMessage) GetPeer() *TypeInputPeer

func (*ReqMessagesEditMessage) GetReplyMarkup

func (m *ReqMessagesEditMessage) GetReplyMarkup() *TypeReplyMarkup

func (*ReqMessagesEditMessage) ProtoMessage

func (*ReqMessagesEditMessage) ProtoMessage()

func (*ReqMessagesEditMessage) Reset

func (m *ReqMessagesEditMessage) Reset()

func (*ReqMessagesEditMessage) String

func (m *ReqMessagesEditMessage) String() string

func (*ReqMessagesEditMessage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesEditMessage) XXX_DiscardUnknown()

func (*ReqMessagesEditMessage) XXX_Marshal added in v0.4.1

func (m *ReqMessagesEditMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesEditMessage) XXX_Merge added in v0.4.1

func (dst *ReqMessagesEditMessage) XXX_Merge(src proto.Message)

func (*ReqMessagesEditMessage) XXX_Size added in v0.4.1

func (m *ReqMessagesEditMessage) XXX_Size() int

func (*ReqMessagesEditMessage) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesEditMessage) XXX_Unmarshal(b []byte) error

type ReqMessagesExportChatInvite

type ReqMessagesExportChatInvite struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesExportChatInvite) Descriptor

func (*ReqMessagesExportChatInvite) Descriptor() ([]byte, []int)

func (*ReqMessagesExportChatInvite) GetChatId

func (m *ReqMessagesExportChatInvite) GetChatId() int32

func (*ReqMessagesExportChatInvite) ProtoMessage

func (*ReqMessagesExportChatInvite) ProtoMessage()

func (*ReqMessagesExportChatInvite) Reset

func (m *ReqMessagesExportChatInvite) Reset()

func (*ReqMessagesExportChatInvite) String

func (m *ReqMessagesExportChatInvite) String() string

func (*ReqMessagesExportChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesExportChatInvite) XXX_DiscardUnknown()

func (*ReqMessagesExportChatInvite) XXX_Marshal added in v0.4.1

func (m *ReqMessagesExportChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesExportChatInvite) XXX_Merge added in v0.4.1

func (dst *ReqMessagesExportChatInvite) XXX_Merge(src proto.Message)

func (*ReqMessagesExportChatInvite) XXX_Size added in v0.4.1

func (m *ReqMessagesExportChatInvite) XXX_Size() int

func (*ReqMessagesExportChatInvite) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesExportChatInvite) XXX_Unmarshal(b []byte) error

type ReqMessagesFaveSticker

type ReqMessagesFaveSticker struct {
	// default: InputDocument
	Id *TypeInputDocument `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	// default: Bool
	Unfave               *TypeBool `protobuf:"bytes,2,opt,name=Unfave" json:"Unfave,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesFaveSticker) Descriptor

func (*ReqMessagesFaveSticker) Descriptor() ([]byte, []int)

func (*ReqMessagesFaveSticker) GetId

func (*ReqMessagesFaveSticker) GetUnfave

func (m *ReqMessagesFaveSticker) GetUnfave() *TypeBool

func (*ReqMessagesFaveSticker) ProtoMessage

func (*ReqMessagesFaveSticker) ProtoMessage()

func (*ReqMessagesFaveSticker) Reset

func (m *ReqMessagesFaveSticker) Reset()

func (*ReqMessagesFaveSticker) String

func (m *ReqMessagesFaveSticker) String() string

func (*ReqMessagesFaveSticker) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesFaveSticker) XXX_DiscardUnknown()

func (*ReqMessagesFaveSticker) XXX_Marshal added in v0.4.1

func (m *ReqMessagesFaveSticker) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesFaveSticker) XXX_Merge added in v0.4.1

func (dst *ReqMessagesFaveSticker) XXX_Merge(src proto.Message)

func (*ReqMessagesFaveSticker) XXX_Size added in v0.4.1

func (m *ReqMessagesFaveSticker) XXX_Size() int

func (*ReqMessagesFaveSticker) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesFaveSticker) XXX_Unmarshal(b []byte) error

type ReqMessagesForwardMessage

type ReqMessagesForwardMessage struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Id                   int32          `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	RandomId             int64          `protobuf:"varint,3,opt,name=RandomId" json:"RandomId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesForwardMessage) Descriptor

func (*ReqMessagesForwardMessage) Descriptor() ([]byte, []int)

func (*ReqMessagesForwardMessage) GetId

func (m *ReqMessagesForwardMessage) GetId() int32

func (*ReqMessagesForwardMessage) GetPeer

func (*ReqMessagesForwardMessage) GetRandomId

func (m *ReqMessagesForwardMessage) GetRandomId() int64

func (*ReqMessagesForwardMessage) ProtoMessage

func (*ReqMessagesForwardMessage) ProtoMessage()

func (*ReqMessagesForwardMessage) Reset

func (m *ReqMessagesForwardMessage) Reset()

func (*ReqMessagesForwardMessage) String

func (m *ReqMessagesForwardMessage) String() string

func (*ReqMessagesForwardMessage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesForwardMessage) XXX_DiscardUnknown()

func (*ReqMessagesForwardMessage) XXX_Marshal added in v0.4.1

func (m *ReqMessagesForwardMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesForwardMessage) XXX_Merge added in v0.4.1

func (dst *ReqMessagesForwardMessage) XXX_Merge(src proto.Message)

func (*ReqMessagesForwardMessage) XXX_Size added in v0.4.1

func (m *ReqMessagesForwardMessage) XXX_Size() int

func (*ReqMessagesForwardMessage) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesForwardMessage) XXX_Unmarshal(b []byte) error

type ReqMessagesForwardMessages

type ReqMessagesForwardMessages struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Silent	bool // flags.5?true
	// Background	bool // flags.6?true
	// WithMyScore	bool // flags.8?true
	// default: InputPeer
	FromPeer *TypeInputPeer `protobuf:"bytes,5,opt,name=FromPeer" json:"FromPeer,omitempty"`
	Id       []int32        `protobuf:"varint,6,rep,packed,name=Id" json:"Id,omitempty"`
	RandomId []int64        `protobuf:"varint,7,rep,packed,name=RandomId" json:"RandomId,omitempty"`
	// default: InputPeer
	ToPeer               *TypeInputPeer `protobuf:"bytes,8,opt,name=ToPeer" json:"ToPeer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesForwardMessages) Descriptor

func (*ReqMessagesForwardMessages) Descriptor() ([]byte, []int)

func (*ReqMessagesForwardMessages) GetFlags

func (m *ReqMessagesForwardMessages) GetFlags() int32

func (*ReqMessagesForwardMessages) GetFromPeer

func (m *ReqMessagesForwardMessages) GetFromPeer() *TypeInputPeer

func (*ReqMessagesForwardMessages) GetId

func (m *ReqMessagesForwardMessages) GetId() []int32

func (*ReqMessagesForwardMessages) GetRandomId

func (m *ReqMessagesForwardMessages) GetRandomId() []int64

func (*ReqMessagesForwardMessages) GetToPeer

func (m *ReqMessagesForwardMessages) GetToPeer() *TypeInputPeer

func (*ReqMessagesForwardMessages) ProtoMessage

func (*ReqMessagesForwardMessages) ProtoMessage()

func (*ReqMessagesForwardMessages) Reset

func (m *ReqMessagesForwardMessages) Reset()

func (*ReqMessagesForwardMessages) String

func (m *ReqMessagesForwardMessages) String() string

func (*ReqMessagesForwardMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesForwardMessages) XXX_DiscardUnknown()

func (*ReqMessagesForwardMessages) XXX_Marshal added in v0.4.1

func (m *ReqMessagesForwardMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesForwardMessages) XXX_Merge added in v0.4.1

func (dst *ReqMessagesForwardMessages) XXX_Merge(src proto.Message)

func (*ReqMessagesForwardMessages) XXX_Size added in v0.4.1

func (m *ReqMessagesForwardMessages) XXX_Size() int

func (*ReqMessagesForwardMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesForwardMessages) XXX_Unmarshal(b []byte) error

type ReqMessagesGetAllChats

type ReqMessagesGetAllChats struct {
	ExceptIds            []int32  `protobuf:"varint,1,rep,packed,name=ExceptIds" json:"ExceptIds,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetAllChats) Descriptor

func (*ReqMessagesGetAllChats) Descriptor() ([]byte, []int)

func (*ReqMessagesGetAllChats) GetExceptIds

func (m *ReqMessagesGetAllChats) GetExceptIds() []int32

func (*ReqMessagesGetAllChats) ProtoMessage

func (*ReqMessagesGetAllChats) ProtoMessage()

func (*ReqMessagesGetAllChats) Reset

func (m *ReqMessagesGetAllChats) Reset()

func (*ReqMessagesGetAllChats) String

func (m *ReqMessagesGetAllChats) String() string

func (*ReqMessagesGetAllChats) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetAllChats) XXX_DiscardUnknown()

func (*ReqMessagesGetAllChats) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetAllChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetAllChats) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetAllChats) XXX_Merge(src proto.Message)

func (*ReqMessagesGetAllChats) XXX_Size added in v0.4.1

func (m *ReqMessagesGetAllChats) XXX_Size() int

func (*ReqMessagesGetAllChats) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetAllChats) XXX_Unmarshal(b []byte) error

type ReqMessagesGetAllDrafts

type ReqMessagesGetAllDrafts struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetAllDrafts) Descriptor

func (*ReqMessagesGetAllDrafts) Descriptor() ([]byte, []int)

func (*ReqMessagesGetAllDrafts) ProtoMessage

func (*ReqMessagesGetAllDrafts) ProtoMessage()

func (*ReqMessagesGetAllDrafts) Reset

func (m *ReqMessagesGetAllDrafts) Reset()

func (*ReqMessagesGetAllDrafts) String

func (m *ReqMessagesGetAllDrafts) String() string

func (*ReqMessagesGetAllDrafts) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetAllDrafts) XXX_DiscardUnknown()

func (*ReqMessagesGetAllDrafts) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetAllDrafts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetAllDrafts) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetAllDrafts) XXX_Merge(src proto.Message)

func (*ReqMessagesGetAllDrafts) XXX_Size added in v0.4.1

func (m *ReqMessagesGetAllDrafts) XXX_Size() int

func (*ReqMessagesGetAllDrafts) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetAllDrafts) XXX_Unmarshal(b []byte) error

type ReqMessagesGetAllStickers

type ReqMessagesGetAllStickers struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetAllStickers) Descriptor

func (*ReqMessagesGetAllStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetAllStickers) GetHash

func (m *ReqMessagesGetAllStickers) GetHash() int32

func (*ReqMessagesGetAllStickers) ProtoMessage

func (*ReqMessagesGetAllStickers) ProtoMessage()

func (*ReqMessagesGetAllStickers) Reset

func (m *ReqMessagesGetAllStickers) Reset()

func (*ReqMessagesGetAllStickers) String

func (m *ReqMessagesGetAllStickers) String() string

func (*ReqMessagesGetAllStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetAllStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetAllStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetAllStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetAllStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetAllStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetAllStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetAllStickers) XXX_Size() int

func (*ReqMessagesGetAllStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetAllStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetArchivedStickers

type ReqMessagesGetArchivedStickers struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Masks	bool // flags.0?true
	OffsetId             int64    `protobuf:"varint,3,opt,name=OffsetId" json:"OffsetId,omitempty"`
	Limit                int32    `protobuf:"varint,4,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetArchivedStickers) Descriptor

func (*ReqMessagesGetArchivedStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetArchivedStickers) GetFlags

func (m *ReqMessagesGetArchivedStickers) GetFlags() int32

func (*ReqMessagesGetArchivedStickers) GetLimit

func (m *ReqMessagesGetArchivedStickers) GetLimit() int32

func (*ReqMessagesGetArchivedStickers) GetOffsetId

func (m *ReqMessagesGetArchivedStickers) GetOffsetId() int64

func (*ReqMessagesGetArchivedStickers) ProtoMessage

func (*ReqMessagesGetArchivedStickers) ProtoMessage()

func (*ReqMessagesGetArchivedStickers) Reset

func (m *ReqMessagesGetArchivedStickers) Reset()

func (*ReqMessagesGetArchivedStickers) String

func (*ReqMessagesGetArchivedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetArchivedStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetArchivedStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetArchivedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetArchivedStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetArchivedStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetArchivedStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetArchivedStickers) XXX_Size() int

func (*ReqMessagesGetArchivedStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetArchivedStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetAttachedStickers

type ReqMessagesGetAttachedStickers struct {
	// default: InputStickeredMedia
	Media                *TypeInputStickeredMedia `protobuf:"bytes,1,opt,name=Media" json:"Media,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*ReqMessagesGetAttachedStickers) Descriptor

func (*ReqMessagesGetAttachedStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetAttachedStickers) GetMedia

func (*ReqMessagesGetAttachedStickers) ProtoMessage

func (*ReqMessagesGetAttachedStickers) ProtoMessage()

func (*ReqMessagesGetAttachedStickers) Reset

func (m *ReqMessagesGetAttachedStickers) Reset()

func (*ReqMessagesGetAttachedStickers) String

func (*ReqMessagesGetAttachedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetAttachedStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetAttachedStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetAttachedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetAttachedStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetAttachedStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetAttachedStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetAttachedStickers) XXX_Size() int

func (*ReqMessagesGetAttachedStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetAttachedStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetBotCallbackAnswer

type ReqMessagesGetBotCallbackAnswer struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Game	bool // flags.1?true
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	MsgId                int32          `protobuf:"varint,4,opt,name=MsgId" json:"MsgId,omitempty"`
	Data                 []byte         `protobuf:"bytes,5,opt,name=Data,proto3" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetBotCallbackAnswer) Descriptor

func (*ReqMessagesGetBotCallbackAnswer) Descriptor() ([]byte, []int)

func (*ReqMessagesGetBotCallbackAnswer) GetData

func (m *ReqMessagesGetBotCallbackAnswer) GetData() []byte

func (*ReqMessagesGetBotCallbackAnswer) GetFlags

func (m *ReqMessagesGetBotCallbackAnswer) GetFlags() int32

func (*ReqMessagesGetBotCallbackAnswer) GetMsgId

func (m *ReqMessagesGetBotCallbackAnswer) GetMsgId() int32

func (*ReqMessagesGetBotCallbackAnswer) GetPeer

func (*ReqMessagesGetBotCallbackAnswer) ProtoMessage

func (*ReqMessagesGetBotCallbackAnswer) ProtoMessage()

func (*ReqMessagesGetBotCallbackAnswer) Reset

func (*ReqMessagesGetBotCallbackAnswer) String

func (*ReqMessagesGetBotCallbackAnswer) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetBotCallbackAnswer) XXX_DiscardUnknown()

func (*ReqMessagesGetBotCallbackAnswer) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetBotCallbackAnswer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetBotCallbackAnswer) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetBotCallbackAnswer) XXX_Merge(src proto.Message)

func (*ReqMessagesGetBotCallbackAnswer) XXX_Size added in v0.4.1

func (m *ReqMessagesGetBotCallbackAnswer) XXX_Size() int

func (*ReqMessagesGetBotCallbackAnswer) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetBotCallbackAnswer) XXX_Unmarshal(b []byte) error

type ReqMessagesGetChats

type ReqMessagesGetChats struct {
	Id                   []int32  `protobuf:"varint,1,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetChats) Descriptor

func (*ReqMessagesGetChats) Descriptor() ([]byte, []int)

func (*ReqMessagesGetChats) GetId

func (m *ReqMessagesGetChats) GetId() []int32

func (*ReqMessagesGetChats) ProtoMessage

func (*ReqMessagesGetChats) ProtoMessage()

func (*ReqMessagesGetChats) Reset

func (m *ReqMessagesGetChats) Reset()

func (*ReqMessagesGetChats) String

func (m *ReqMessagesGetChats) String() string

func (*ReqMessagesGetChats) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetChats) XXX_DiscardUnknown()

func (*ReqMessagesGetChats) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetChats) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetChats) XXX_Merge(src proto.Message)

func (*ReqMessagesGetChats) XXX_Size added in v0.4.1

func (m *ReqMessagesGetChats) XXX_Size() int

func (*ReqMessagesGetChats) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetChats) XXX_Unmarshal(b []byte) error

type ReqMessagesGetCommonChats

type ReqMessagesGetCommonChats struct {
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,1,opt,name=UserId" json:"UserId,omitempty"`
	MaxId                int32          `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	Limit                int32          `protobuf:"varint,3,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetCommonChats) Descriptor

func (*ReqMessagesGetCommonChats) Descriptor() ([]byte, []int)

func (*ReqMessagesGetCommonChats) GetLimit

func (m *ReqMessagesGetCommonChats) GetLimit() int32

func (*ReqMessagesGetCommonChats) GetMaxId

func (m *ReqMessagesGetCommonChats) GetMaxId() int32

func (*ReqMessagesGetCommonChats) GetUserId

func (m *ReqMessagesGetCommonChats) GetUserId() *TypeInputUser

func (*ReqMessagesGetCommonChats) ProtoMessage

func (*ReqMessagesGetCommonChats) ProtoMessage()

func (*ReqMessagesGetCommonChats) Reset

func (m *ReqMessagesGetCommonChats) Reset()

func (*ReqMessagesGetCommonChats) String

func (m *ReqMessagesGetCommonChats) String() string

func (*ReqMessagesGetCommonChats) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetCommonChats) XXX_DiscardUnknown()

func (*ReqMessagesGetCommonChats) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetCommonChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetCommonChats) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetCommonChats) XXX_Merge(src proto.Message)

func (*ReqMessagesGetCommonChats) XXX_Size added in v0.4.1

func (m *ReqMessagesGetCommonChats) XXX_Size() int

func (*ReqMessagesGetCommonChats) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetCommonChats) XXX_Unmarshal(b []byte) error

type ReqMessagesGetDhConfig

type ReqMessagesGetDhConfig struct {
	Version              int32    `protobuf:"varint,1,opt,name=Version" json:"Version,omitempty"`
	RandomLength         int32    `protobuf:"varint,2,opt,name=RandomLength" json:"RandomLength,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetDhConfig) Descriptor

func (*ReqMessagesGetDhConfig) Descriptor() ([]byte, []int)

func (*ReqMessagesGetDhConfig) GetRandomLength

func (m *ReqMessagesGetDhConfig) GetRandomLength() int32

func (*ReqMessagesGetDhConfig) GetVersion

func (m *ReqMessagesGetDhConfig) GetVersion() int32

func (*ReqMessagesGetDhConfig) ProtoMessage

func (*ReqMessagesGetDhConfig) ProtoMessage()

func (*ReqMessagesGetDhConfig) Reset

func (m *ReqMessagesGetDhConfig) Reset()

func (*ReqMessagesGetDhConfig) String

func (m *ReqMessagesGetDhConfig) String() string

func (*ReqMessagesGetDhConfig) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetDhConfig) XXX_DiscardUnknown()

func (*ReqMessagesGetDhConfig) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetDhConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetDhConfig) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetDhConfig) XXX_Merge(src proto.Message)

func (*ReqMessagesGetDhConfig) XXX_Size added in v0.4.1

func (m *ReqMessagesGetDhConfig) XXX_Size() int

func (*ReqMessagesGetDhConfig) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetDhConfig) XXX_Unmarshal(b []byte) error

type ReqMessagesGetDialogs

type ReqMessagesGetDialogs struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// ExcludePinned	bool // flags.0?true
	OffsetDate int32 `protobuf:"varint,3,opt,name=OffsetDate" json:"OffsetDate,omitempty"`
	OffsetId   int32 `protobuf:"varint,4,opt,name=OffsetId" json:"OffsetId,omitempty"`
	// default: InputPeer
	OffsetPeer           *TypeInputPeer `protobuf:"bytes,5,opt,name=OffsetPeer" json:"OffsetPeer,omitempty"`
	Limit                int32          `protobuf:"varint,6,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetDialogs) Descriptor

func (*ReqMessagesGetDialogs) Descriptor() ([]byte, []int)

func (*ReqMessagesGetDialogs) GetFlags

func (m *ReqMessagesGetDialogs) GetFlags() int32

func (*ReqMessagesGetDialogs) GetLimit

func (m *ReqMessagesGetDialogs) GetLimit() int32

func (*ReqMessagesGetDialogs) GetOffsetDate

func (m *ReqMessagesGetDialogs) GetOffsetDate() int32

func (*ReqMessagesGetDialogs) GetOffsetId

func (m *ReqMessagesGetDialogs) GetOffsetId() int32

func (*ReqMessagesGetDialogs) GetOffsetPeer

func (m *ReqMessagesGetDialogs) GetOffsetPeer() *TypeInputPeer

func (*ReqMessagesGetDialogs) ProtoMessage

func (*ReqMessagesGetDialogs) ProtoMessage()

func (*ReqMessagesGetDialogs) Reset

func (m *ReqMessagesGetDialogs) Reset()

func (*ReqMessagesGetDialogs) String

func (m *ReqMessagesGetDialogs) String() string

func (*ReqMessagesGetDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetDialogs) XXX_DiscardUnknown()

func (*ReqMessagesGetDialogs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetDialogs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetDialogs) XXX_Merge(src proto.Message)

func (*ReqMessagesGetDialogs) XXX_Size added in v0.4.1

func (m *ReqMessagesGetDialogs) XXX_Size() int

func (*ReqMessagesGetDialogs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetDialogs) XXX_Unmarshal(b []byte) error

type ReqMessagesGetDocumentByHash

type ReqMessagesGetDocumentByHash struct {
	Sha256               []byte   `protobuf:"bytes,1,opt,name=Sha256,proto3" json:"Sha256,omitempty"`
	Size                 int32    `protobuf:"varint,2,opt,name=Size" json:"Size,omitempty"`
	MimeType             string   `protobuf:"bytes,3,opt,name=MimeType" json:"MimeType,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetDocumentByHash) Descriptor

func (*ReqMessagesGetDocumentByHash) Descriptor() ([]byte, []int)

func (*ReqMessagesGetDocumentByHash) GetMimeType

func (m *ReqMessagesGetDocumentByHash) GetMimeType() string

func (*ReqMessagesGetDocumentByHash) GetSha256

func (m *ReqMessagesGetDocumentByHash) GetSha256() []byte

func (*ReqMessagesGetDocumentByHash) GetSize

func (m *ReqMessagesGetDocumentByHash) GetSize() int32

func (*ReqMessagesGetDocumentByHash) ProtoMessage

func (*ReqMessagesGetDocumentByHash) ProtoMessage()

func (*ReqMessagesGetDocumentByHash) Reset

func (m *ReqMessagesGetDocumentByHash) Reset()

func (*ReqMessagesGetDocumentByHash) String

func (*ReqMessagesGetDocumentByHash) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetDocumentByHash) XXX_DiscardUnknown()

func (*ReqMessagesGetDocumentByHash) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetDocumentByHash) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetDocumentByHash) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetDocumentByHash) XXX_Merge(src proto.Message)

func (*ReqMessagesGetDocumentByHash) XXX_Size added in v0.4.1

func (m *ReqMessagesGetDocumentByHash) XXX_Size() int

func (*ReqMessagesGetDocumentByHash) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetDocumentByHash) XXX_Unmarshal(b []byte) error

type ReqMessagesGetFavedStickers

type ReqMessagesGetFavedStickers struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetFavedStickers) Descriptor

func (*ReqMessagesGetFavedStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetFavedStickers) GetHash

func (m *ReqMessagesGetFavedStickers) GetHash() int32

func (*ReqMessagesGetFavedStickers) ProtoMessage

func (*ReqMessagesGetFavedStickers) ProtoMessage()

func (*ReqMessagesGetFavedStickers) Reset

func (m *ReqMessagesGetFavedStickers) Reset()

func (*ReqMessagesGetFavedStickers) String

func (m *ReqMessagesGetFavedStickers) String() string

func (*ReqMessagesGetFavedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetFavedStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetFavedStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetFavedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetFavedStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetFavedStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetFavedStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetFavedStickers) XXX_Size() int

func (*ReqMessagesGetFavedStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetFavedStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetFeaturedStickers

type ReqMessagesGetFeaturedStickers struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetFeaturedStickers) Descriptor

func (*ReqMessagesGetFeaturedStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetFeaturedStickers) GetHash

func (*ReqMessagesGetFeaturedStickers) ProtoMessage

func (*ReqMessagesGetFeaturedStickers) ProtoMessage()

func (*ReqMessagesGetFeaturedStickers) Reset

func (m *ReqMessagesGetFeaturedStickers) Reset()

func (*ReqMessagesGetFeaturedStickers) String

func (*ReqMessagesGetFeaturedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetFeaturedStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetFeaturedStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetFeaturedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetFeaturedStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetFeaturedStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetFeaturedStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetFeaturedStickers) XXX_Size() int

func (*ReqMessagesGetFeaturedStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetFeaturedStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetFullChat

type ReqMessagesGetFullChat struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetFullChat) Descriptor

func (*ReqMessagesGetFullChat) Descriptor() ([]byte, []int)

func (*ReqMessagesGetFullChat) GetChatId

func (m *ReqMessagesGetFullChat) GetChatId() int32

func (*ReqMessagesGetFullChat) ProtoMessage

func (*ReqMessagesGetFullChat) ProtoMessage()

func (*ReqMessagesGetFullChat) Reset

func (m *ReqMessagesGetFullChat) Reset()

func (*ReqMessagesGetFullChat) String

func (m *ReqMessagesGetFullChat) String() string

func (*ReqMessagesGetFullChat) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetFullChat) XXX_DiscardUnknown()

func (*ReqMessagesGetFullChat) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetFullChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetFullChat) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetFullChat) XXX_Merge(src proto.Message)

func (*ReqMessagesGetFullChat) XXX_Size added in v0.4.1

func (m *ReqMessagesGetFullChat) XXX_Size() int

func (*ReqMessagesGetFullChat) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetFullChat) XXX_Unmarshal(b []byte) error

type ReqMessagesGetGameHighScores

type ReqMessagesGetGameHighScores struct {
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Id   int32          `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,3,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetGameHighScores) Descriptor

func (*ReqMessagesGetGameHighScores) Descriptor() ([]byte, []int)

func (*ReqMessagesGetGameHighScores) GetId

func (*ReqMessagesGetGameHighScores) GetPeer

func (*ReqMessagesGetGameHighScores) GetUserId

func (*ReqMessagesGetGameHighScores) ProtoMessage

func (*ReqMessagesGetGameHighScores) ProtoMessage()

func (*ReqMessagesGetGameHighScores) Reset

func (m *ReqMessagesGetGameHighScores) Reset()

func (*ReqMessagesGetGameHighScores) String

func (*ReqMessagesGetGameHighScores) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetGameHighScores) XXX_DiscardUnknown()

func (*ReqMessagesGetGameHighScores) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetGameHighScores) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetGameHighScores) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetGameHighScores) XXX_Merge(src proto.Message)

func (*ReqMessagesGetGameHighScores) XXX_Size added in v0.4.1

func (m *ReqMessagesGetGameHighScores) XXX_Size() int

func (*ReqMessagesGetGameHighScores) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetGameHighScores) XXX_Unmarshal(b []byte) error

type ReqMessagesGetHistory

type ReqMessagesGetHistory struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	OffsetId             int32          `protobuf:"varint,2,opt,name=OffsetId" json:"OffsetId,omitempty"`
	OffsetDate           int32          `protobuf:"varint,3,opt,name=OffsetDate" json:"OffsetDate,omitempty"`
	AddOffset            int32          `protobuf:"varint,4,opt,name=AddOffset" json:"AddOffset,omitempty"`
	Limit                int32          `protobuf:"varint,5,opt,name=Limit" json:"Limit,omitempty"`
	MaxId                int32          `protobuf:"varint,6,opt,name=MaxId" json:"MaxId,omitempty"`
	MinId                int32          `protobuf:"varint,7,opt,name=MinId" json:"MinId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetHistory) Descriptor

func (*ReqMessagesGetHistory) Descriptor() ([]byte, []int)

func (*ReqMessagesGetHistory) GetAddOffset

func (m *ReqMessagesGetHistory) GetAddOffset() int32

func (*ReqMessagesGetHistory) GetLimit

func (m *ReqMessagesGetHistory) GetLimit() int32

func (*ReqMessagesGetHistory) GetMaxId

func (m *ReqMessagesGetHistory) GetMaxId() int32

func (*ReqMessagesGetHistory) GetMinId

func (m *ReqMessagesGetHistory) GetMinId() int32

func (*ReqMessagesGetHistory) GetOffsetDate

func (m *ReqMessagesGetHistory) GetOffsetDate() int32

func (*ReqMessagesGetHistory) GetOffsetId

func (m *ReqMessagesGetHistory) GetOffsetId() int32

func (*ReqMessagesGetHistory) GetPeer

func (m *ReqMessagesGetHistory) GetPeer() *TypeInputPeer

func (*ReqMessagesGetHistory) ProtoMessage

func (*ReqMessagesGetHistory) ProtoMessage()

func (*ReqMessagesGetHistory) Reset

func (m *ReqMessagesGetHistory) Reset()

func (*ReqMessagesGetHistory) String

func (m *ReqMessagesGetHistory) String() string

func (*ReqMessagesGetHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetHistory) XXX_DiscardUnknown()

func (*ReqMessagesGetHistory) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetHistory) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetHistory) XXX_Merge(src proto.Message)

func (*ReqMessagesGetHistory) XXX_Size added in v0.4.1

func (m *ReqMessagesGetHistory) XXX_Size() int

func (*ReqMessagesGetHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetHistory) XXX_Unmarshal(b []byte) error

type ReqMessagesGetInlineBotResults

type ReqMessagesGetInlineBotResults struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputUser
	Bot *TypeInputUser `protobuf:"bytes,2,opt,name=Bot" json:"Bot,omitempty"`
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	// default: InputGeoPoint
	GeoPoint             *TypeInputGeoPoint `protobuf:"bytes,4,opt,name=GeoPoint" json:"GeoPoint,omitempty"`
	Query                string             `protobuf:"bytes,5,opt,name=Query" json:"Query,omitempty"`
	Offset               string             `protobuf:"bytes,6,opt,name=Offset" json:"Offset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*ReqMessagesGetInlineBotResults) Descriptor

func (*ReqMessagesGetInlineBotResults) Descriptor() ([]byte, []int)

func (*ReqMessagesGetInlineBotResults) GetBot

func (*ReqMessagesGetInlineBotResults) GetFlags

func (m *ReqMessagesGetInlineBotResults) GetFlags() int32

func (*ReqMessagesGetInlineBotResults) GetGeoPoint

func (*ReqMessagesGetInlineBotResults) GetOffset

func (m *ReqMessagesGetInlineBotResults) GetOffset() string

func (*ReqMessagesGetInlineBotResults) GetPeer

func (*ReqMessagesGetInlineBotResults) GetQuery

func (m *ReqMessagesGetInlineBotResults) GetQuery() string

func (*ReqMessagesGetInlineBotResults) ProtoMessage

func (*ReqMessagesGetInlineBotResults) ProtoMessage()

func (*ReqMessagesGetInlineBotResults) Reset

func (m *ReqMessagesGetInlineBotResults) Reset()

func (*ReqMessagesGetInlineBotResults) String

func (*ReqMessagesGetInlineBotResults) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetInlineBotResults) XXX_DiscardUnknown()

func (*ReqMessagesGetInlineBotResults) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetInlineBotResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetInlineBotResults) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetInlineBotResults) XXX_Merge(src proto.Message)

func (*ReqMessagesGetInlineBotResults) XXX_Size added in v0.4.1

func (m *ReqMessagesGetInlineBotResults) XXX_Size() int

func (*ReqMessagesGetInlineBotResults) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetInlineBotResults) XXX_Unmarshal(b []byte) error

type ReqMessagesGetInlineGameHighScores

type ReqMessagesGetInlineGameHighScores struct {
	// default: InputBotInlineMessageID
	Id *TypeInputBotInlineMessageID `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,2,opt,name=UserId" json:"UserId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetInlineGameHighScores) Descriptor

func (*ReqMessagesGetInlineGameHighScores) Descriptor() ([]byte, []int)

func (*ReqMessagesGetInlineGameHighScores) GetId

func (*ReqMessagesGetInlineGameHighScores) GetUserId

func (*ReqMessagesGetInlineGameHighScores) ProtoMessage

func (*ReqMessagesGetInlineGameHighScores) ProtoMessage()

func (*ReqMessagesGetInlineGameHighScores) Reset

func (*ReqMessagesGetInlineGameHighScores) String

func (*ReqMessagesGetInlineGameHighScores) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetInlineGameHighScores) XXX_DiscardUnknown()

func (*ReqMessagesGetInlineGameHighScores) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetInlineGameHighScores) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetInlineGameHighScores) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetInlineGameHighScores) XXX_Merge(src proto.Message)

func (*ReqMessagesGetInlineGameHighScores) XXX_Size added in v0.4.1

func (*ReqMessagesGetInlineGameHighScores) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetInlineGameHighScores) XXX_Unmarshal(b []byte) error

type ReqMessagesGetMaskStickers

type ReqMessagesGetMaskStickers struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetMaskStickers) Descriptor

func (*ReqMessagesGetMaskStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetMaskStickers) GetHash

func (m *ReqMessagesGetMaskStickers) GetHash() int32

func (*ReqMessagesGetMaskStickers) ProtoMessage

func (*ReqMessagesGetMaskStickers) ProtoMessage()

func (*ReqMessagesGetMaskStickers) Reset

func (m *ReqMessagesGetMaskStickers) Reset()

func (*ReqMessagesGetMaskStickers) String

func (m *ReqMessagesGetMaskStickers) String() string

func (*ReqMessagesGetMaskStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetMaskStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetMaskStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetMaskStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetMaskStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetMaskStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetMaskStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetMaskStickers) XXX_Size() int

func (*ReqMessagesGetMaskStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetMaskStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetMessageEditData

type ReqMessagesGetMessageEditData struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Id                   int32          `protobuf:"varint,2,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetMessageEditData) Descriptor

func (*ReqMessagesGetMessageEditData) Descriptor() ([]byte, []int)

func (*ReqMessagesGetMessageEditData) GetId

func (*ReqMessagesGetMessageEditData) GetPeer

func (*ReqMessagesGetMessageEditData) ProtoMessage

func (*ReqMessagesGetMessageEditData) ProtoMessage()

func (*ReqMessagesGetMessageEditData) Reset

func (m *ReqMessagesGetMessageEditData) Reset()

func (*ReqMessagesGetMessageEditData) String

func (*ReqMessagesGetMessageEditData) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetMessageEditData) XXX_DiscardUnknown()

func (*ReqMessagesGetMessageEditData) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetMessageEditData) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetMessageEditData) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetMessageEditData) XXX_Merge(src proto.Message)

func (*ReqMessagesGetMessageEditData) XXX_Size added in v0.4.1

func (m *ReqMessagesGetMessageEditData) XXX_Size() int

func (*ReqMessagesGetMessageEditData) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetMessageEditData) XXX_Unmarshal(b []byte) error

type ReqMessagesGetMessages

type ReqMessagesGetMessages struct {
	Id                   []int32  `protobuf:"varint,1,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetMessages) Descriptor

func (*ReqMessagesGetMessages) Descriptor() ([]byte, []int)

func (*ReqMessagesGetMessages) GetId

func (m *ReqMessagesGetMessages) GetId() []int32

func (*ReqMessagesGetMessages) ProtoMessage

func (*ReqMessagesGetMessages) ProtoMessage()

func (*ReqMessagesGetMessages) Reset

func (m *ReqMessagesGetMessages) Reset()

func (*ReqMessagesGetMessages) String

func (m *ReqMessagesGetMessages) String() string

func (*ReqMessagesGetMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetMessages) XXX_DiscardUnknown()

func (*ReqMessagesGetMessages) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetMessages) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetMessages) XXX_Merge(src proto.Message)

func (*ReqMessagesGetMessages) XXX_Size added in v0.4.1

func (m *ReqMessagesGetMessages) XXX_Size() int

func (*ReqMessagesGetMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetMessages) XXX_Unmarshal(b []byte) error

type ReqMessagesGetMessagesViews

type ReqMessagesGetMessagesViews struct {
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Id   []int32        `protobuf:"varint,2,rep,packed,name=Id" json:"Id,omitempty"`
	// default: Bool
	Increment            *TypeBool `protobuf:"bytes,3,opt,name=Increment" json:"Increment,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesGetMessagesViews) Descriptor

func (*ReqMessagesGetMessagesViews) Descriptor() ([]byte, []int)

func (*ReqMessagesGetMessagesViews) GetId

func (m *ReqMessagesGetMessagesViews) GetId() []int32

func (*ReqMessagesGetMessagesViews) GetIncrement

func (m *ReqMessagesGetMessagesViews) GetIncrement() *TypeBool

func (*ReqMessagesGetMessagesViews) GetPeer

func (*ReqMessagesGetMessagesViews) ProtoMessage

func (*ReqMessagesGetMessagesViews) ProtoMessage()

func (*ReqMessagesGetMessagesViews) Reset

func (m *ReqMessagesGetMessagesViews) Reset()

func (*ReqMessagesGetMessagesViews) String

func (m *ReqMessagesGetMessagesViews) String() string

func (*ReqMessagesGetMessagesViews) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetMessagesViews) XXX_DiscardUnknown()

func (*ReqMessagesGetMessagesViews) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetMessagesViews) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetMessagesViews) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetMessagesViews) XXX_Merge(src proto.Message)

func (*ReqMessagesGetMessagesViews) XXX_Size added in v0.4.1

func (m *ReqMessagesGetMessagesViews) XXX_Size() int

func (*ReqMessagesGetMessagesViews) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetMessagesViews) XXX_Unmarshal(b []byte) error

type ReqMessagesGetPeerDialogs

type ReqMessagesGetPeerDialogs struct {
	// default: Vector<InputPeer>
	Peers                []*TypeInputPeer `protobuf:"bytes,1,rep,name=Peers" json:"Peers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqMessagesGetPeerDialogs) Descriptor

func (*ReqMessagesGetPeerDialogs) Descriptor() ([]byte, []int)

func (*ReqMessagesGetPeerDialogs) GetPeers

func (m *ReqMessagesGetPeerDialogs) GetPeers() []*TypeInputPeer

func (*ReqMessagesGetPeerDialogs) ProtoMessage

func (*ReqMessagesGetPeerDialogs) ProtoMessage()

func (*ReqMessagesGetPeerDialogs) Reset

func (m *ReqMessagesGetPeerDialogs) Reset()

func (*ReqMessagesGetPeerDialogs) String

func (m *ReqMessagesGetPeerDialogs) String() string

func (*ReqMessagesGetPeerDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetPeerDialogs) XXX_DiscardUnknown()

func (*ReqMessagesGetPeerDialogs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetPeerDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetPeerDialogs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetPeerDialogs) XXX_Merge(src proto.Message)

func (*ReqMessagesGetPeerDialogs) XXX_Size added in v0.4.1

func (m *ReqMessagesGetPeerDialogs) XXX_Size() int

func (*ReqMessagesGetPeerDialogs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetPeerDialogs) XXX_Unmarshal(b []byte) error

type ReqMessagesGetPeerSettings

type ReqMessagesGetPeerSettings struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetPeerSettings) Descriptor

func (*ReqMessagesGetPeerSettings) Descriptor() ([]byte, []int)

func (*ReqMessagesGetPeerSettings) GetPeer

func (*ReqMessagesGetPeerSettings) ProtoMessage

func (*ReqMessagesGetPeerSettings) ProtoMessage()

func (*ReqMessagesGetPeerSettings) Reset

func (m *ReqMessagesGetPeerSettings) Reset()

func (*ReqMessagesGetPeerSettings) String

func (m *ReqMessagesGetPeerSettings) String() string

func (*ReqMessagesGetPeerSettings) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetPeerSettings) XXX_DiscardUnknown()

func (*ReqMessagesGetPeerSettings) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetPeerSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetPeerSettings) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetPeerSettings) XXX_Merge(src proto.Message)

func (*ReqMessagesGetPeerSettings) XXX_Size added in v0.4.1

func (m *ReqMessagesGetPeerSettings) XXX_Size() int

func (*ReqMessagesGetPeerSettings) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetPeerSettings) XXX_Unmarshal(b []byte) error

type ReqMessagesGetPinnedDialogs

type ReqMessagesGetPinnedDialogs struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetPinnedDialogs) Descriptor

func (*ReqMessagesGetPinnedDialogs) Descriptor() ([]byte, []int)

func (*ReqMessagesGetPinnedDialogs) ProtoMessage

func (*ReqMessagesGetPinnedDialogs) ProtoMessage()

func (*ReqMessagesGetPinnedDialogs) Reset

func (m *ReqMessagesGetPinnedDialogs) Reset()

func (*ReqMessagesGetPinnedDialogs) String

func (m *ReqMessagesGetPinnedDialogs) String() string

func (*ReqMessagesGetPinnedDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetPinnedDialogs) XXX_DiscardUnknown()

func (*ReqMessagesGetPinnedDialogs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetPinnedDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetPinnedDialogs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetPinnedDialogs) XXX_Merge(src proto.Message)

func (*ReqMessagesGetPinnedDialogs) XXX_Size added in v0.4.1

func (m *ReqMessagesGetPinnedDialogs) XXX_Size() int

func (*ReqMessagesGetPinnedDialogs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetPinnedDialogs) XXX_Unmarshal(b []byte) error

type ReqMessagesGetRecentStickers

type ReqMessagesGetRecentStickers struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Attached	bool // flags.0?true
	Hash                 int32    `protobuf:"varint,3,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetRecentStickers) Descriptor

func (*ReqMessagesGetRecentStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesGetRecentStickers) GetFlags

func (m *ReqMessagesGetRecentStickers) GetFlags() int32

func (*ReqMessagesGetRecentStickers) GetHash

func (m *ReqMessagesGetRecentStickers) GetHash() int32

func (*ReqMessagesGetRecentStickers) ProtoMessage

func (*ReqMessagesGetRecentStickers) ProtoMessage()

func (*ReqMessagesGetRecentStickers) Reset

func (m *ReqMessagesGetRecentStickers) Reset()

func (*ReqMessagesGetRecentStickers) String

func (*ReqMessagesGetRecentStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetRecentStickers) XXX_DiscardUnknown()

func (*ReqMessagesGetRecentStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetRecentStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetRecentStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetRecentStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesGetRecentStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesGetRecentStickers) XXX_Size() int

func (*ReqMessagesGetRecentStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetRecentStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesGetSavedGifs

type ReqMessagesGetSavedGifs struct {
	Hash                 int32    `protobuf:"varint,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetSavedGifs) Descriptor

func (*ReqMessagesGetSavedGifs) Descriptor() ([]byte, []int)

func (*ReqMessagesGetSavedGifs) GetHash

func (m *ReqMessagesGetSavedGifs) GetHash() int32

func (*ReqMessagesGetSavedGifs) ProtoMessage

func (*ReqMessagesGetSavedGifs) ProtoMessage()

func (*ReqMessagesGetSavedGifs) Reset

func (m *ReqMessagesGetSavedGifs) Reset()

func (*ReqMessagesGetSavedGifs) String

func (m *ReqMessagesGetSavedGifs) String() string

func (*ReqMessagesGetSavedGifs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetSavedGifs) XXX_DiscardUnknown()

func (*ReqMessagesGetSavedGifs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetSavedGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetSavedGifs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetSavedGifs) XXX_Merge(src proto.Message)

func (*ReqMessagesGetSavedGifs) XXX_Size added in v0.4.1

func (m *ReqMessagesGetSavedGifs) XXX_Size() int

func (*ReqMessagesGetSavedGifs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetSavedGifs) XXX_Unmarshal(b []byte) error

type ReqMessagesGetStickerSet

type ReqMessagesGetStickerSet struct {
	// default: InputStickerSet
	Stickerset           *TypeInputStickerSet `protobuf:"bytes,1,opt,name=Stickerset" json:"Stickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesGetStickerSet) Descriptor

func (*ReqMessagesGetStickerSet) Descriptor() ([]byte, []int)

func (*ReqMessagesGetStickerSet) GetStickerset

func (m *ReqMessagesGetStickerSet) GetStickerset() *TypeInputStickerSet

func (*ReqMessagesGetStickerSet) ProtoMessage

func (*ReqMessagesGetStickerSet) ProtoMessage()

func (*ReqMessagesGetStickerSet) Reset

func (m *ReqMessagesGetStickerSet) Reset()

func (*ReqMessagesGetStickerSet) String

func (m *ReqMessagesGetStickerSet) String() string

func (*ReqMessagesGetStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetStickerSet) XXX_DiscardUnknown()

func (*ReqMessagesGetStickerSet) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetStickerSet) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetStickerSet) XXX_Merge(src proto.Message)

func (*ReqMessagesGetStickerSet) XXX_Size added in v0.4.1

func (m *ReqMessagesGetStickerSet) XXX_Size() int

func (*ReqMessagesGetStickerSet) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetStickerSet) XXX_Unmarshal(b []byte) error

type ReqMessagesGetUnreadMentions

type ReqMessagesGetUnreadMentions struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	OffsetId             int32          `protobuf:"varint,2,opt,name=OffsetId" json:"OffsetId,omitempty"`
	AddOffset            int32          `protobuf:"varint,3,opt,name=AddOffset" json:"AddOffset,omitempty"`
	Limit                int32          `protobuf:"varint,4,opt,name=Limit" json:"Limit,omitempty"`
	MaxId                int32          `protobuf:"varint,5,opt,name=MaxId" json:"MaxId,omitempty"`
	MinId                int32          `protobuf:"varint,6,opt,name=MinId" json:"MinId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesGetUnreadMentions) Descriptor

func (*ReqMessagesGetUnreadMentions) Descriptor() ([]byte, []int)

func (*ReqMessagesGetUnreadMentions) GetAddOffset

func (m *ReqMessagesGetUnreadMentions) GetAddOffset() int32

func (*ReqMessagesGetUnreadMentions) GetLimit

func (m *ReqMessagesGetUnreadMentions) GetLimit() int32

func (*ReqMessagesGetUnreadMentions) GetMaxId

func (m *ReqMessagesGetUnreadMentions) GetMaxId() int32

func (*ReqMessagesGetUnreadMentions) GetMinId

func (m *ReqMessagesGetUnreadMentions) GetMinId() int32

func (*ReqMessagesGetUnreadMentions) GetOffsetId

func (m *ReqMessagesGetUnreadMentions) GetOffsetId() int32

func (*ReqMessagesGetUnreadMentions) GetPeer

func (*ReqMessagesGetUnreadMentions) ProtoMessage

func (*ReqMessagesGetUnreadMentions) ProtoMessage()

func (*ReqMessagesGetUnreadMentions) Reset

func (m *ReqMessagesGetUnreadMentions) Reset()

func (*ReqMessagesGetUnreadMentions) String

func (*ReqMessagesGetUnreadMentions) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetUnreadMentions) XXX_DiscardUnknown()

func (*ReqMessagesGetUnreadMentions) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetUnreadMentions) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetUnreadMentions) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetUnreadMentions) XXX_Merge(src proto.Message)

func (*ReqMessagesGetUnreadMentions) XXX_Size added in v0.4.1

func (m *ReqMessagesGetUnreadMentions) XXX_Size() int

func (*ReqMessagesGetUnreadMentions) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetUnreadMentions) XXX_Unmarshal(b []byte) error

type ReqMessagesGetWebPage

type ReqMessagesGetWebPage struct {
	Url                  string   `protobuf:"bytes,1,opt,name=Url" json:"Url,omitempty"`
	Hash                 int32    `protobuf:"varint,2,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetWebPage) Descriptor

func (*ReqMessagesGetWebPage) Descriptor() ([]byte, []int)

func (*ReqMessagesGetWebPage) GetHash

func (m *ReqMessagesGetWebPage) GetHash() int32

func (*ReqMessagesGetWebPage) GetUrl

func (m *ReqMessagesGetWebPage) GetUrl() string

func (*ReqMessagesGetWebPage) ProtoMessage

func (*ReqMessagesGetWebPage) ProtoMessage()

func (*ReqMessagesGetWebPage) Reset

func (m *ReqMessagesGetWebPage) Reset()

func (*ReqMessagesGetWebPage) String

func (m *ReqMessagesGetWebPage) String() string

func (*ReqMessagesGetWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetWebPage) XXX_DiscardUnknown()

func (*ReqMessagesGetWebPage) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetWebPage) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetWebPage) XXX_Merge(src proto.Message)

func (*ReqMessagesGetWebPage) XXX_Size added in v0.4.1

func (m *ReqMessagesGetWebPage) XXX_Size() int

func (*ReqMessagesGetWebPage) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetWebPage) XXX_Unmarshal(b []byte) error

type ReqMessagesGetWebPagePreview

type ReqMessagesGetWebPagePreview struct {
	Message              string   `protobuf:"bytes,1,opt,name=Message" json:"Message,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesGetWebPagePreview) Descriptor

func (*ReqMessagesGetWebPagePreview) Descriptor() ([]byte, []int)

func (*ReqMessagesGetWebPagePreview) GetMessage

func (m *ReqMessagesGetWebPagePreview) GetMessage() string

func (*ReqMessagesGetWebPagePreview) ProtoMessage

func (*ReqMessagesGetWebPagePreview) ProtoMessage()

func (*ReqMessagesGetWebPagePreview) Reset

func (m *ReqMessagesGetWebPagePreview) Reset()

func (*ReqMessagesGetWebPagePreview) String

func (*ReqMessagesGetWebPagePreview) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesGetWebPagePreview) XXX_DiscardUnknown()

func (*ReqMessagesGetWebPagePreview) XXX_Marshal added in v0.4.1

func (m *ReqMessagesGetWebPagePreview) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesGetWebPagePreview) XXX_Merge added in v0.4.1

func (dst *ReqMessagesGetWebPagePreview) XXX_Merge(src proto.Message)

func (*ReqMessagesGetWebPagePreview) XXX_Size added in v0.4.1

func (m *ReqMessagesGetWebPagePreview) XXX_Size() int

func (*ReqMessagesGetWebPagePreview) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesGetWebPagePreview) XXX_Unmarshal(b []byte) error

type ReqMessagesHideReportSpam

type ReqMessagesHideReportSpam struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesHideReportSpam) Descriptor

func (*ReqMessagesHideReportSpam) Descriptor() ([]byte, []int)

func (*ReqMessagesHideReportSpam) GetPeer

func (*ReqMessagesHideReportSpam) ProtoMessage

func (*ReqMessagesHideReportSpam) ProtoMessage()

func (*ReqMessagesHideReportSpam) Reset

func (m *ReqMessagesHideReportSpam) Reset()

func (*ReqMessagesHideReportSpam) String

func (m *ReqMessagesHideReportSpam) String() string

func (*ReqMessagesHideReportSpam) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesHideReportSpam) XXX_DiscardUnknown()

func (*ReqMessagesHideReportSpam) XXX_Marshal added in v0.4.1

func (m *ReqMessagesHideReportSpam) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesHideReportSpam) XXX_Merge added in v0.4.1

func (dst *ReqMessagesHideReportSpam) XXX_Merge(src proto.Message)

func (*ReqMessagesHideReportSpam) XXX_Size added in v0.4.1

func (m *ReqMessagesHideReportSpam) XXX_Size() int

func (*ReqMessagesHideReportSpam) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesHideReportSpam) XXX_Unmarshal(b []byte) error

type ReqMessagesImportChatInvite

type ReqMessagesImportChatInvite struct {
	Hash                 string   `protobuf:"bytes,1,opt,name=Hash" json:"Hash,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesImportChatInvite) Descriptor

func (*ReqMessagesImportChatInvite) Descriptor() ([]byte, []int)

func (*ReqMessagesImportChatInvite) GetHash

func (m *ReqMessagesImportChatInvite) GetHash() string

func (*ReqMessagesImportChatInvite) ProtoMessage

func (*ReqMessagesImportChatInvite) ProtoMessage()

func (*ReqMessagesImportChatInvite) Reset

func (m *ReqMessagesImportChatInvite) Reset()

func (*ReqMessagesImportChatInvite) String

func (m *ReqMessagesImportChatInvite) String() string

func (*ReqMessagesImportChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesImportChatInvite) XXX_DiscardUnknown()

func (*ReqMessagesImportChatInvite) XXX_Marshal added in v0.4.1

func (m *ReqMessagesImportChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesImportChatInvite) XXX_Merge added in v0.4.1

func (dst *ReqMessagesImportChatInvite) XXX_Merge(src proto.Message)

func (*ReqMessagesImportChatInvite) XXX_Size added in v0.4.1

func (m *ReqMessagesImportChatInvite) XXX_Size() int

func (*ReqMessagesImportChatInvite) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesImportChatInvite) XXX_Unmarshal(b []byte) error

type ReqMessagesInstallStickerSet

type ReqMessagesInstallStickerSet struct {
	// default: InputStickerSet
	Stickerset *TypeInputStickerSet `protobuf:"bytes,1,opt,name=Stickerset" json:"Stickerset,omitempty"`
	// default: Bool
	Archived             *TypeBool `protobuf:"bytes,2,opt,name=Archived" json:"Archived,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesInstallStickerSet) Descriptor

func (*ReqMessagesInstallStickerSet) Descriptor() ([]byte, []int)

func (*ReqMessagesInstallStickerSet) GetArchived

func (m *ReqMessagesInstallStickerSet) GetArchived() *TypeBool

func (*ReqMessagesInstallStickerSet) GetStickerset

func (*ReqMessagesInstallStickerSet) ProtoMessage

func (*ReqMessagesInstallStickerSet) ProtoMessage()

func (*ReqMessagesInstallStickerSet) Reset

func (m *ReqMessagesInstallStickerSet) Reset()

func (*ReqMessagesInstallStickerSet) String

func (*ReqMessagesInstallStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesInstallStickerSet) XXX_DiscardUnknown()

func (*ReqMessagesInstallStickerSet) XXX_Marshal added in v0.4.1

func (m *ReqMessagesInstallStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesInstallStickerSet) XXX_Merge added in v0.4.1

func (dst *ReqMessagesInstallStickerSet) XXX_Merge(src proto.Message)

func (*ReqMessagesInstallStickerSet) XXX_Size added in v0.4.1

func (m *ReqMessagesInstallStickerSet) XXX_Size() int

func (*ReqMessagesInstallStickerSet) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesInstallStickerSet) XXX_Unmarshal(b []byte) error

type ReqMessagesMigrateChat

type ReqMessagesMigrateChat struct {
	ChatId               int32    `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesMigrateChat) Descriptor

func (*ReqMessagesMigrateChat) Descriptor() ([]byte, []int)

func (*ReqMessagesMigrateChat) GetChatId

func (m *ReqMessagesMigrateChat) GetChatId() int32

func (*ReqMessagesMigrateChat) ProtoMessage

func (*ReqMessagesMigrateChat) ProtoMessage()

func (*ReqMessagesMigrateChat) Reset

func (m *ReqMessagesMigrateChat) Reset()

func (*ReqMessagesMigrateChat) String

func (m *ReqMessagesMigrateChat) String() string

func (*ReqMessagesMigrateChat) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesMigrateChat) XXX_DiscardUnknown()

func (*ReqMessagesMigrateChat) XXX_Marshal added in v0.4.1

func (m *ReqMessagesMigrateChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesMigrateChat) XXX_Merge added in v0.4.1

func (dst *ReqMessagesMigrateChat) XXX_Merge(src proto.Message)

func (*ReqMessagesMigrateChat) XXX_Size added in v0.4.1

func (m *ReqMessagesMigrateChat) XXX_Size() int

func (*ReqMessagesMigrateChat) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesMigrateChat) XXX_Unmarshal(b []byte) error

type ReqMessagesReadEncryptedHistory

type ReqMessagesReadEncryptedHistory struct {
	// default: InputEncryptedChat
	Peer                 *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	MaxDate              int32                   `protobuf:"varint,2,opt,name=MaxDate" json:"MaxDate,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesReadEncryptedHistory) Descriptor

func (*ReqMessagesReadEncryptedHistory) Descriptor() ([]byte, []int)

func (*ReqMessagesReadEncryptedHistory) GetMaxDate

func (m *ReqMessagesReadEncryptedHistory) GetMaxDate() int32

func (*ReqMessagesReadEncryptedHistory) GetPeer

func (*ReqMessagesReadEncryptedHistory) ProtoMessage

func (*ReqMessagesReadEncryptedHistory) ProtoMessage()

func (*ReqMessagesReadEncryptedHistory) Reset

func (*ReqMessagesReadEncryptedHistory) String

func (*ReqMessagesReadEncryptedHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReadEncryptedHistory) XXX_DiscardUnknown()

func (*ReqMessagesReadEncryptedHistory) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReadEncryptedHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReadEncryptedHistory) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReadEncryptedHistory) XXX_Merge(src proto.Message)

func (*ReqMessagesReadEncryptedHistory) XXX_Size added in v0.4.1

func (m *ReqMessagesReadEncryptedHistory) XXX_Size() int

func (*ReqMessagesReadEncryptedHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReadEncryptedHistory) XXX_Unmarshal(b []byte) error

type ReqMessagesReadFeaturedStickers

type ReqMessagesReadFeaturedStickers struct {
	Id                   []int64  `protobuf:"varint,1,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesReadFeaturedStickers) Descriptor

func (*ReqMessagesReadFeaturedStickers) Descriptor() ([]byte, []int)

func (*ReqMessagesReadFeaturedStickers) GetId

func (*ReqMessagesReadFeaturedStickers) ProtoMessage

func (*ReqMessagesReadFeaturedStickers) ProtoMessage()

func (*ReqMessagesReadFeaturedStickers) Reset

func (*ReqMessagesReadFeaturedStickers) String

func (*ReqMessagesReadFeaturedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReadFeaturedStickers) XXX_DiscardUnknown()

func (*ReqMessagesReadFeaturedStickers) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReadFeaturedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReadFeaturedStickers) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReadFeaturedStickers) XXX_Merge(src proto.Message)

func (*ReqMessagesReadFeaturedStickers) XXX_Size added in v0.4.1

func (m *ReqMessagesReadFeaturedStickers) XXX_Size() int

func (*ReqMessagesReadFeaturedStickers) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReadFeaturedStickers) XXX_Unmarshal(b []byte) error

type ReqMessagesReadHistory

type ReqMessagesReadHistory struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	MaxId                int32          `protobuf:"varint,2,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesReadHistory) Descriptor

func (*ReqMessagesReadHistory) Descriptor() ([]byte, []int)

func (*ReqMessagesReadHistory) GetMaxId

func (m *ReqMessagesReadHistory) GetMaxId() int32

func (*ReqMessagesReadHistory) GetPeer

func (m *ReqMessagesReadHistory) GetPeer() *TypeInputPeer

func (*ReqMessagesReadHistory) ProtoMessage

func (*ReqMessagesReadHistory) ProtoMessage()

func (*ReqMessagesReadHistory) Reset

func (m *ReqMessagesReadHistory) Reset()

func (*ReqMessagesReadHistory) String

func (m *ReqMessagesReadHistory) String() string

func (*ReqMessagesReadHistory) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReadHistory) XXX_DiscardUnknown()

func (*ReqMessagesReadHistory) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReadHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReadHistory) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReadHistory) XXX_Merge(src proto.Message)

func (*ReqMessagesReadHistory) XXX_Size added in v0.4.1

func (m *ReqMessagesReadHistory) XXX_Size() int

func (*ReqMessagesReadHistory) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReadHistory) XXX_Unmarshal(b []byte) error

type ReqMessagesReadMessageContents

type ReqMessagesReadMessageContents struct {
	Id                   []int32  `protobuf:"varint,1,rep,packed,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesReadMessageContents) Descriptor

func (*ReqMessagesReadMessageContents) Descriptor() ([]byte, []int)

func (*ReqMessagesReadMessageContents) GetId

func (*ReqMessagesReadMessageContents) ProtoMessage

func (*ReqMessagesReadMessageContents) ProtoMessage()

func (*ReqMessagesReadMessageContents) Reset

func (m *ReqMessagesReadMessageContents) Reset()

func (*ReqMessagesReadMessageContents) String

func (*ReqMessagesReadMessageContents) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReadMessageContents) XXX_DiscardUnknown()

func (*ReqMessagesReadMessageContents) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReadMessageContents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReadMessageContents) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReadMessageContents) XXX_Merge(src proto.Message)

func (*ReqMessagesReadMessageContents) XXX_Size added in v0.4.1

func (m *ReqMessagesReadMessageContents) XXX_Size() int

func (*ReqMessagesReadMessageContents) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReadMessageContents) XXX_Unmarshal(b []byte) error

type ReqMessagesReceivedMessages

type ReqMessagesReceivedMessages struct {
	MaxId                int32    `protobuf:"varint,1,opt,name=MaxId" json:"MaxId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesReceivedMessages) Descriptor

func (*ReqMessagesReceivedMessages) Descriptor() ([]byte, []int)

func (*ReqMessagesReceivedMessages) GetMaxId

func (m *ReqMessagesReceivedMessages) GetMaxId() int32

func (*ReqMessagesReceivedMessages) ProtoMessage

func (*ReqMessagesReceivedMessages) ProtoMessage()

func (*ReqMessagesReceivedMessages) Reset

func (m *ReqMessagesReceivedMessages) Reset()

func (*ReqMessagesReceivedMessages) String

func (m *ReqMessagesReceivedMessages) String() string

func (*ReqMessagesReceivedMessages) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReceivedMessages) XXX_DiscardUnknown()

func (*ReqMessagesReceivedMessages) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReceivedMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReceivedMessages) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReceivedMessages) XXX_Merge(src proto.Message)

func (*ReqMessagesReceivedMessages) XXX_Size added in v0.4.1

func (m *ReqMessagesReceivedMessages) XXX_Size() int

func (*ReqMessagesReceivedMessages) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReceivedMessages) XXX_Unmarshal(b []byte) error

type ReqMessagesReceivedQueue

type ReqMessagesReceivedQueue struct {
	MaxQts               int32    `protobuf:"varint,1,opt,name=MaxQts" json:"MaxQts,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesReceivedQueue) Descriptor

func (*ReqMessagesReceivedQueue) Descriptor() ([]byte, []int)

func (*ReqMessagesReceivedQueue) GetMaxQts

func (m *ReqMessagesReceivedQueue) GetMaxQts() int32

func (*ReqMessagesReceivedQueue) ProtoMessage

func (*ReqMessagesReceivedQueue) ProtoMessage()

func (*ReqMessagesReceivedQueue) Reset

func (m *ReqMessagesReceivedQueue) Reset()

func (*ReqMessagesReceivedQueue) String

func (m *ReqMessagesReceivedQueue) String() string

func (*ReqMessagesReceivedQueue) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReceivedQueue) XXX_DiscardUnknown()

func (*ReqMessagesReceivedQueue) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReceivedQueue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReceivedQueue) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReceivedQueue) XXX_Merge(src proto.Message)

func (*ReqMessagesReceivedQueue) XXX_Size added in v0.4.1

func (m *ReqMessagesReceivedQueue) XXX_Size() int

func (*ReqMessagesReceivedQueue) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReceivedQueue) XXX_Unmarshal(b []byte) error

type ReqMessagesReorderPinnedDialogs

type ReqMessagesReorderPinnedDialogs struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Force	bool // flags.0?true
	// default: Vector<InputPeer>
	Order                []*TypeInputPeer `protobuf:"bytes,3,rep,name=Order" json:"Order,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqMessagesReorderPinnedDialogs) Descriptor

func (*ReqMessagesReorderPinnedDialogs) Descriptor() ([]byte, []int)

func (*ReqMessagesReorderPinnedDialogs) GetFlags

func (m *ReqMessagesReorderPinnedDialogs) GetFlags() int32

func (*ReqMessagesReorderPinnedDialogs) GetOrder

func (*ReqMessagesReorderPinnedDialogs) ProtoMessage

func (*ReqMessagesReorderPinnedDialogs) ProtoMessage()

func (*ReqMessagesReorderPinnedDialogs) Reset

func (*ReqMessagesReorderPinnedDialogs) String

func (*ReqMessagesReorderPinnedDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReorderPinnedDialogs) XXX_DiscardUnknown()

func (*ReqMessagesReorderPinnedDialogs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReorderPinnedDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReorderPinnedDialogs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReorderPinnedDialogs) XXX_Merge(src proto.Message)

func (*ReqMessagesReorderPinnedDialogs) XXX_Size added in v0.4.1

func (m *ReqMessagesReorderPinnedDialogs) XXX_Size() int

func (*ReqMessagesReorderPinnedDialogs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReorderPinnedDialogs) XXX_Unmarshal(b []byte) error

type ReqMessagesReorderStickerSets

type ReqMessagesReorderStickerSets struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Masks	bool // flags.0?true
	Order                []int64  `protobuf:"varint,3,rep,packed,name=Order" json:"Order,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesReorderStickerSets) Descriptor

func (*ReqMessagesReorderStickerSets) Descriptor() ([]byte, []int)

func (*ReqMessagesReorderStickerSets) GetFlags

func (m *ReqMessagesReorderStickerSets) GetFlags() int32

func (*ReqMessagesReorderStickerSets) GetOrder

func (m *ReqMessagesReorderStickerSets) GetOrder() []int64

func (*ReqMessagesReorderStickerSets) ProtoMessage

func (*ReqMessagesReorderStickerSets) ProtoMessage()

func (*ReqMessagesReorderStickerSets) Reset

func (m *ReqMessagesReorderStickerSets) Reset()

func (*ReqMessagesReorderStickerSets) String

func (*ReqMessagesReorderStickerSets) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReorderStickerSets) XXX_DiscardUnknown()

func (*ReqMessagesReorderStickerSets) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReorderStickerSets) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReorderStickerSets) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReorderStickerSets) XXX_Merge(src proto.Message)

func (*ReqMessagesReorderStickerSets) XXX_Size added in v0.4.1

func (m *ReqMessagesReorderStickerSets) XXX_Size() int

func (*ReqMessagesReorderStickerSets) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReorderStickerSets) XXX_Unmarshal(b []byte) error

type ReqMessagesReportEncryptedSpam

type ReqMessagesReportEncryptedSpam struct {
	// default: InputEncryptedChat
	Peer                 *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesReportEncryptedSpam) Descriptor

func (*ReqMessagesReportEncryptedSpam) Descriptor() ([]byte, []int)

func (*ReqMessagesReportEncryptedSpam) GetPeer

func (*ReqMessagesReportEncryptedSpam) ProtoMessage

func (*ReqMessagesReportEncryptedSpam) ProtoMessage()

func (*ReqMessagesReportEncryptedSpam) Reset

func (m *ReqMessagesReportEncryptedSpam) Reset()

func (*ReqMessagesReportEncryptedSpam) String

func (*ReqMessagesReportEncryptedSpam) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReportEncryptedSpam) XXX_DiscardUnknown()

func (*ReqMessagesReportEncryptedSpam) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReportEncryptedSpam) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReportEncryptedSpam) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReportEncryptedSpam) XXX_Merge(src proto.Message)

func (*ReqMessagesReportEncryptedSpam) XXX_Size added in v0.4.1

func (m *ReqMessagesReportEncryptedSpam) XXX_Size() int

func (*ReqMessagesReportEncryptedSpam) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReportEncryptedSpam) XXX_Unmarshal(b []byte) error

type ReqMessagesReportSpam

type ReqMessagesReportSpam struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesReportSpam) Descriptor

func (*ReqMessagesReportSpam) Descriptor() ([]byte, []int)

func (*ReqMessagesReportSpam) GetPeer

func (m *ReqMessagesReportSpam) GetPeer() *TypeInputPeer

func (*ReqMessagesReportSpam) ProtoMessage

func (*ReqMessagesReportSpam) ProtoMessage()

func (*ReqMessagesReportSpam) Reset

func (m *ReqMessagesReportSpam) Reset()

func (*ReqMessagesReportSpam) String

func (m *ReqMessagesReportSpam) String() string

func (*ReqMessagesReportSpam) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesReportSpam) XXX_DiscardUnknown()

func (*ReqMessagesReportSpam) XXX_Marshal added in v0.4.1

func (m *ReqMessagesReportSpam) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesReportSpam) XXX_Merge added in v0.4.1

func (dst *ReqMessagesReportSpam) XXX_Merge(src proto.Message)

func (*ReqMessagesReportSpam) XXX_Size added in v0.4.1

func (m *ReqMessagesReportSpam) XXX_Size() int

func (*ReqMessagesReportSpam) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesReportSpam) XXX_Unmarshal(b []byte) error

type ReqMessagesRequestEncryption

type ReqMessagesRequestEncryption struct {
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,1,opt,name=UserId" json:"UserId,omitempty"`
	RandomId             int32          `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	GA                   []byte         `protobuf:"bytes,3,opt,name=GA,proto3" json:"GA,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesRequestEncryption) Descriptor

func (*ReqMessagesRequestEncryption) Descriptor() ([]byte, []int)

func (*ReqMessagesRequestEncryption) GetGA

func (m *ReqMessagesRequestEncryption) GetGA() []byte

func (*ReqMessagesRequestEncryption) GetRandomId

func (m *ReqMessagesRequestEncryption) GetRandomId() int32

func (*ReqMessagesRequestEncryption) GetUserId

func (*ReqMessagesRequestEncryption) ProtoMessage

func (*ReqMessagesRequestEncryption) ProtoMessage()

func (*ReqMessagesRequestEncryption) Reset

func (m *ReqMessagesRequestEncryption) Reset()

func (*ReqMessagesRequestEncryption) String

func (*ReqMessagesRequestEncryption) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesRequestEncryption) XXX_DiscardUnknown()

func (*ReqMessagesRequestEncryption) XXX_Marshal added in v0.4.1

func (m *ReqMessagesRequestEncryption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesRequestEncryption) XXX_Merge added in v0.4.1

func (dst *ReqMessagesRequestEncryption) XXX_Merge(src proto.Message)

func (*ReqMessagesRequestEncryption) XXX_Size added in v0.4.1

func (m *ReqMessagesRequestEncryption) XXX_Size() int

func (*ReqMessagesRequestEncryption) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesRequestEncryption) XXX_Unmarshal(b []byte) error

type ReqMessagesSaveDraft

type ReqMessagesSaveDraft struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.1?true
	ReplyToMsgId int32 `protobuf:"varint,3,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	// default: InputPeer
	Peer    *TypeInputPeer `protobuf:"bytes,4,opt,name=Peer" json:"Peer,omitempty"`
	Message string         `protobuf:"bytes,5,opt,name=Message" json:"Message,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,6,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesSaveDraft) Descriptor

func (*ReqMessagesSaveDraft) Descriptor() ([]byte, []int)

func (*ReqMessagesSaveDraft) GetEntities

func (m *ReqMessagesSaveDraft) GetEntities() []*TypeMessageEntity

func (*ReqMessagesSaveDraft) GetFlags

func (m *ReqMessagesSaveDraft) GetFlags() int32

func (*ReqMessagesSaveDraft) GetMessage

func (m *ReqMessagesSaveDraft) GetMessage() string

func (*ReqMessagesSaveDraft) GetPeer

func (m *ReqMessagesSaveDraft) GetPeer() *TypeInputPeer

func (*ReqMessagesSaveDraft) GetReplyToMsgId

func (m *ReqMessagesSaveDraft) GetReplyToMsgId() int32

func (*ReqMessagesSaveDraft) ProtoMessage

func (*ReqMessagesSaveDraft) ProtoMessage()

func (*ReqMessagesSaveDraft) Reset

func (m *ReqMessagesSaveDraft) Reset()

func (*ReqMessagesSaveDraft) String

func (m *ReqMessagesSaveDraft) String() string

func (*ReqMessagesSaveDraft) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSaveDraft) XXX_DiscardUnknown()

func (*ReqMessagesSaveDraft) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSaveDraft) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSaveDraft) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSaveDraft) XXX_Merge(src proto.Message)

func (*ReqMessagesSaveDraft) XXX_Size added in v0.4.1

func (m *ReqMessagesSaveDraft) XXX_Size() int

func (*ReqMessagesSaveDraft) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSaveDraft) XXX_Unmarshal(b []byte) error

type ReqMessagesSaveGif

type ReqMessagesSaveGif struct {
	// default: InputDocument
	Id *TypeInputDocument `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	// default: Bool
	Unsave               *TypeBool `protobuf:"bytes,2,opt,name=Unsave" json:"Unsave,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesSaveGif) Descriptor

func (*ReqMessagesSaveGif) Descriptor() ([]byte, []int)

func (*ReqMessagesSaveGif) GetId

func (*ReqMessagesSaveGif) GetUnsave

func (m *ReqMessagesSaveGif) GetUnsave() *TypeBool

func (*ReqMessagesSaveGif) ProtoMessage

func (*ReqMessagesSaveGif) ProtoMessage()

func (*ReqMessagesSaveGif) Reset

func (m *ReqMessagesSaveGif) Reset()

func (*ReqMessagesSaveGif) String

func (m *ReqMessagesSaveGif) String() string

func (*ReqMessagesSaveGif) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSaveGif) XXX_DiscardUnknown()

func (*ReqMessagesSaveGif) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSaveGif) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSaveGif) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSaveGif) XXX_Merge(src proto.Message)

func (*ReqMessagesSaveGif) XXX_Size added in v0.4.1

func (m *ReqMessagesSaveGif) XXX_Size() int

func (*ReqMessagesSaveGif) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSaveGif) XXX_Unmarshal(b []byte) error

type ReqMessagesSaveRecentSticker

type ReqMessagesSaveRecentSticker struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Attached	bool // flags.0?true
	// default: InputDocument
	Id *TypeInputDocument `protobuf:"bytes,3,opt,name=Id" json:"Id,omitempty"`
	// default: Bool
	Unsave               *TypeBool `protobuf:"bytes,4,opt,name=Unsave" json:"Unsave,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesSaveRecentSticker) Descriptor

func (*ReqMessagesSaveRecentSticker) Descriptor() ([]byte, []int)

func (*ReqMessagesSaveRecentSticker) GetFlags

func (m *ReqMessagesSaveRecentSticker) GetFlags() int32

func (*ReqMessagesSaveRecentSticker) GetId

func (*ReqMessagesSaveRecentSticker) GetUnsave

func (m *ReqMessagesSaveRecentSticker) GetUnsave() *TypeBool

func (*ReqMessagesSaveRecentSticker) ProtoMessage

func (*ReqMessagesSaveRecentSticker) ProtoMessage()

func (*ReqMessagesSaveRecentSticker) Reset

func (m *ReqMessagesSaveRecentSticker) Reset()

func (*ReqMessagesSaveRecentSticker) String

func (*ReqMessagesSaveRecentSticker) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSaveRecentSticker) XXX_DiscardUnknown()

func (*ReqMessagesSaveRecentSticker) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSaveRecentSticker) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSaveRecentSticker) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSaveRecentSticker) XXX_Merge(src proto.Message)

func (*ReqMessagesSaveRecentSticker) XXX_Size added in v0.4.1

func (m *ReqMessagesSaveRecentSticker) XXX_Size() int

func (*ReqMessagesSaveRecentSticker) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSaveRecentSticker) XXX_Unmarshal(b []byte) error

type ReqMessagesSearch

type ReqMessagesSearch struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,2,opt,name=Peer" json:"Peer,omitempty"`
	Q    string         `protobuf:"bytes,3,opt,name=Q" json:"Q,omitempty"`
	// default: InputUser
	FromId *TypeInputUser `protobuf:"bytes,4,opt,name=FromId" json:"FromId,omitempty"`
	// default: MessagesFilter
	Filter               *TypeMessagesFilter `protobuf:"bytes,5,opt,name=Filter" json:"Filter,omitempty"`
	MinDate              int32               `protobuf:"varint,6,opt,name=MinDate" json:"MinDate,omitempty"`
	MaxDate              int32               `protobuf:"varint,7,opt,name=MaxDate" json:"MaxDate,omitempty"`
	OffsetId             int32               `protobuf:"varint,8,opt,name=OffsetId" json:"OffsetId,omitempty"`
	AddOffset            int32               `protobuf:"varint,9,opt,name=AddOffset" json:"AddOffset,omitempty"`
	Limit                int32               `protobuf:"varint,10,opt,name=Limit" json:"Limit,omitempty"`
	MaxId                int32               `protobuf:"varint,11,opt,name=MaxId" json:"MaxId,omitempty"`
	MinId                int32               `protobuf:"varint,12,opt,name=MinId" json:"MinId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqMessagesSearch) Descriptor

func (*ReqMessagesSearch) Descriptor() ([]byte, []int)

func (*ReqMessagesSearch) GetAddOffset

func (m *ReqMessagesSearch) GetAddOffset() int32

func (*ReqMessagesSearch) GetFilter

func (m *ReqMessagesSearch) GetFilter() *TypeMessagesFilter

func (*ReqMessagesSearch) GetFlags

func (m *ReqMessagesSearch) GetFlags() int32

func (*ReqMessagesSearch) GetFromId

func (m *ReqMessagesSearch) GetFromId() *TypeInputUser

func (*ReqMessagesSearch) GetLimit

func (m *ReqMessagesSearch) GetLimit() int32

func (*ReqMessagesSearch) GetMaxDate

func (m *ReqMessagesSearch) GetMaxDate() int32

func (*ReqMessagesSearch) GetMaxId

func (m *ReqMessagesSearch) GetMaxId() int32

func (*ReqMessagesSearch) GetMinDate

func (m *ReqMessagesSearch) GetMinDate() int32

func (*ReqMessagesSearch) GetMinId

func (m *ReqMessagesSearch) GetMinId() int32

func (*ReqMessagesSearch) GetOffsetId

func (m *ReqMessagesSearch) GetOffsetId() int32

func (*ReqMessagesSearch) GetPeer

func (m *ReqMessagesSearch) GetPeer() *TypeInputPeer

func (*ReqMessagesSearch) GetQ

func (m *ReqMessagesSearch) GetQ() string

func (*ReqMessagesSearch) ProtoMessage

func (*ReqMessagesSearch) ProtoMessage()

func (*ReqMessagesSearch) Reset

func (m *ReqMessagesSearch) Reset()

func (*ReqMessagesSearch) String

func (m *ReqMessagesSearch) String() string

func (*ReqMessagesSearch) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSearch) XXX_DiscardUnknown()

func (*ReqMessagesSearch) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSearch) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSearch) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSearch) XXX_Merge(src proto.Message)

func (*ReqMessagesSearch) XXX_Size added in v0.4.1

func (m *ReqMessagesSearch) XXX_Size() int

func (*ReqMessagesSearch) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSearch) XXX_Unmarshal(b []byte) error

type ReqMessagesSearchGifs

type ReqMessagesSearchGifs struct {
	Q                    string   `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	Offset               int32    `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesSearchGifs) Descriptor

func (*ReqMessagesSearchGifs) Descriptor() ([]byte, []int)

func (*ReqMessagesSearchGifs) GetOffset

func (m *ReqMessagesSearchGifs) GetOffset() int32

func (*ReqMessagesSearchGifs) GetQ

func (m *ReqMessagesSearchGifs) GetQ() string

func (*ReqMessagesSearchGifs) ProtoMessage

func (*ReqMessagesSearchGifs) ProtoMessage()

func (*ReqMessagesSearchGifs) Reset

func (m *ReqMessagesSearchGifs) Reset()

func (*ReqMessagesSearchGifs) String

func (m *ReqMessagesSearchGifs) String() string

func (*ReqMessagesSearchGifs) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSearchGifs) XXX_DiscardUnknown()

func (*ReqMessagesSearchGifs) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSearchGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSearchGifs) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSearchGifs) XXX_Merge(src proto.Message)

func (*ReqMessagesSearchGifs) XXX_Size added in v0.4.1

func (m *ReqMessagesSearchGifs) XXX_Size() int

func (*ReqMessagesSearchGifs) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSearchGifs) XXX_Unmarshal(b []byte) error

type ReqMessagesSearchGlobal

type ReqMessagesSearchGlobal struct {
	Q          string `protobuf:"bytes,1,opt,name=Q" json:"Q,omitempty"`
	OffsetDate int32  `protobuf:"varint,2,opt,name=OffsetDate" json:"OffsetDate,omitempty"`
	// default: InputPeer
	OffsetPeer           *TypeInputPeer `protobuf:"bytes,3,opt,name=OffsetPeer" json:"OffsetPeer,omitempty"`
	OffsetId             int32          `protobuf:"varint,4,opt,name=OffsetId" json:"OffsetId,omitempty"`
	Limit                int32          `protobuf:"varint,5,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesSearchGlobal) Descriptor

func (*ReqMessagesSearchGlobal) Descriptor() ([]byte, []int)

func (*ReqMessagesSearchGlobal) GetLimit

func (m *ReqMessagesSearchGlobal) GetLimit() int32

func (*ReqMessagesSearchGlobal) GetOffsetDate

func (m *ReqMessagesSearchGlobal) GetOffsetDate() int32

func (*ReqMessagesSearchGlobal) GetOffsetId

func (m *ReqMessagesSearchGlobal) GetOffsetId() int32

func (*ReqMessagesSearchGlobal) GetOffsetPeer

func (m *ReqMessagesSearchGlobal) GetOffsetPeer() *TypeInputPeer

func (*ReqMessagesSearchGlobal) GetQ

func (m *ReqMessagesSearchGlobal) GetQ() string

func (*ReqMessagesSearchGlobal) ProtoMessage

func (*ReqMessagesSearchGlobal) ProtoMessage()

func (*ReqMessagesSearchGlobal) Reset

func (m *ReqMessagesSearchGlobal) Reset()

func (*ReqMessagesSearchGlobal) String

func (m *ReqMessagesSearchGlobal) String() string

func (*ReqMessagesSearchGlobal) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSearchGlobal) XXX_DiscardUnknown()

func (*ReqMessagesSearchGlobal) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSearchGlobal) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSearchGlobal) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSearchGlobal) XXX_Merge(src proto.Message)

func (*ReqMessagesSearchGlobal) XXX_Size added in v0.4.1

func (m *ReqMessagesSearchGlobal) XXX_Size() int

func (*ReqMessagesSearchGlobal) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSearchGlobal) XXX_Unmarshal(b []byte) error

type ReqMessagesSendEncrypted

type ReqMessagesSendEncrypted struct {
	// default: InputEncryptedChat
	Peer                 *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	RandomId             int64                   `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	Data                 []byte                  `protobuf:"bytes,3,opt,name=Data,proto3" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesSendEncrypted) Descriptor

func (*ReqMessagesSendEncrypted) Descriptor() ([]byte, []int)

func (*ReqMessagesSendEncrypted) GetData

func (m *ReqMessagesSendEncrypted) GetData() []byte

func (*ReqMessagesSendEncrypted) GetPeer

func (*ReqMessagesSendEncrypted) GetRandomId

func (m *ReqMessagesSendEncrypted) GetRandomId() int64

func (*ReqMessagesSendEncrypted) ProtoMessage

func (*ReqMessagesSendEncrypted) ProtoMessage()

func (*ReqMessagesSendEncrypted) Reset

func (m *ReqMessagesSendEncrypted) Reset()

func (*ReqMessagesSendEncrypted) String

func (m *ReqMessagesSendEncrypted) String() string

func (*ReqMessagesSendEncrypted) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendEncrypted) XXX_DiscardUnknown()

func (*ReqMessagesSendEncrypted) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendEncrypted) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendEncrypted) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendEncrypted) XXX_Merge(src proto.Message)

func (*ReqMessagesSendEncrypted) XXX_Size added in v0.4.1

func (m *ReqMessagesSendEncrypted) XXX_Size() int

func (*ReqMessagesSendEncrypted) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendEncrypted) XXX_Unmarshal(b []byte) error

type ReqMessagesSendEncryptedFile

type ReqMessagesSendEncryptedFile struct {
	// default: InputEncryptedChat
	Peer     *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	RandomId int64                   `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	Data     []byte                  `protobuf:"bytes,3,opt,name=Data,proto3" json:"Data,omitempty"`
	// default: InputEncryptedFile
	File                 *TypeInputEncryptedFile `protobuf:"bytes,4,opt,name=File" json:"File,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesSendEncryptedFile) Descriptor

func (*ReqMessagesSendEncryptedFile) Descriptor() ([]byte, []int)

func (*ReqMessagesSendEncryptedFile) GetData

func (m *ReqMessagesSendEncryptedFile) GetData() []byte

func (*ReqMessagesSendEncryptedFile) GetFile

func (*ReqMessagesSendEncryptedFile) GetPeer

func (*ReqMessagesSendEncryptedFile) GetRandomId

func (m *ReqMessagesSendEncryptedFile) GetRandomId() int64

func (*ReqMessagesSendEncryptedFile) ProtoMessage

func (*ReqMessagesSendEncryptedFile) ProtoMessage()

func (*ReqMessagesSendEncryptedFile) Reset

func (m *ReqMessagesSendEncryptedFile) Reset()

func (*ReqMessagesSendEncryptedFile) String

func (*ReqMessagesSendEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendEncryptedFile) XXX_DiscardUnknown()

func (*ReqMessagesSendEncryptedFile) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendEncryptedFile) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendEncryptedFile) XXX_Merge(src proto.Message)

func (*ReqMessagesSendEncryptedFile) XXX_Size added in v0.4.1

func (m *ReqMessagesSendEncryptedFile) XXX_Size() int

func (*ReqMessagesSendEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendEncryptedFile) XXX_Unmarshal(b []byte) error

type ReqMessagesSendEncryptedService

type ReqMessagesSendEncryptedService struct {
	// default: InputEncryptedChat
	Peer                 *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	RandomId             int64                   `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	Data                 []byte                  `protobuf:"bytes,3,opt,name=Data,proto3" json:"Data,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*ReqMessagesSendEncryptedService) Descriptor

func (*ReqMessagesSendEncryptedService) Descriptor() ([]byte, []int)

func (*ReqMessagesSendEncryptedService) GetData

func (m *ReqMessagesSendEncryptedService) GetData() []byte

func (*ReqMessagesSendEncryptedService) GetPeer

func (*ReqMessagesSendEncryptedService) GetRandomId

func (m *ReqMessagesSendEncryptedService) GetRandomId() int64

func (*ReqMessagesSendEncryptedService) ProtoMessage

func (*ReqMessagesSendEncryptedService) ProtoMessage()

func (*ReqMessagesSendEncryptedService) Reset

func (*ReqMessagesSendEncryptedService) String

func (*ReqMessagesSendEncryptedService) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendEncryptedService) XXX_DiscardUnknown()

func (*ReqMessagesSendEncryptedService) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendEncryptedService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendEncryptedService) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendEncryptedService) XXX_Merge(src proto.Message)

func (*ReqMessagesSendEncryptedService) XXX_Size added in v0.4.1

func (m *ReqMessagesSendEncryptedService) XXX_Size() int

func (*ReqMessagesSendEncryptedService) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendEncryptedService) XXX_Unmarshal(b []byte) error

type ReqMessagesSendInlineBotResult

type ReqMessagesSendInlineBotResult struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Silent	bool // flags.5?true
	// Background	bool // flags.6?true
	// ClearDraft	bool // flags.7?true
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,5,opt,name=Peer" json:"Peer,omitempty"`
	ReplyToMsgId         int32          `protobuf:"varint,6,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	RandomId             int64          `protobuf:"varint,7,opt,name=RandomId" json:"RandomId,omitempty"`
	QueryId              int64          `protobuf:"varint,8,opt,name=QueryId" json:"QueryId,omitempty"`
	Id                   string         `protobuf:"bytes,9,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesSendInlineBotResult) Descriptor

func (*ReqMessagesSendInlineBotResult) Descriptor() ([]byte, []int)

func (*ReqMessagesSendInlineBotResult) GetFlags

func (m *ReqMessagesSendInlineBotResult) GetFlags() int32

func (*ReqMessagesSendInlineBotResult) GetId

func (*ReqMessagesSendInlineBotResult) GetPeer

func (*ReqMessagesSendInlineBotResult) GetQueryId

func (m *ReqMessagesSendInlineBotResult) GetQueryId() int64

func (*ReqMessagesSendInlineBotResult) GetRandomId

func (m *ReqMessagesSendInlineBotResult) GetRandomId() int64

func (*ReqMessagesSendInlineBotResult) GetReplyToMsgId

func (m *ReqMessagesSendInlineBotResult) GetReplyToMsgId() int32

func (*ReqMessagesSendInlineBotResult) ProtoMessage

func (*ReqMessagesSendInlineBotResult) ProtoMessage()

func (*ReqMessagesSendInlineBotResult) Reset

func (m *ReqMessagesSendInlineBotResult) Reset()

func (*ReqMessagesSendInlineBotResult) String

func (*ReqMessagesSendInlineBotResult) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendInlineBotResult) XXX_DiscardUnknown()

func (*ReqMessagesSendInlineBotResult) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendInlineBotResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendInlineBotResult) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendInlineBotResult) XXX_Merge(src proto.Message)

func (*ReqMessagesSendInlineBotResult) XXX_Size added in v0.4.1

func (m *ReqMessagesSendInlineBotResult) XXX_Size() int

func (*ReqMessagesSendInlineBotResult) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendInlineBotResult) XXX_Unmarshal(b []byte) error

type ReqMessagesSendMedia

type ReqMessagesSendMedia struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Silent	bool // flags.5?true
	// Background	bool // flags.6?true
	// ClearDraft	bool // flags.7?true
	// default: InputPeer
	Peer         *TypeInputPeer `protobuf:"bytes,5,opt,name=Peer" json:"Peer,omitempty"`
	ReplyToMsgId int32          `protobuf:"varint,6,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	// default: InputMedia
	Media    *TypeInputMedia `protobuf:"bytes,7,opt,name=Media" json:"Media,omitempty"`
	RandomId int64           `protobuf:"varint,8,opt,name=RandomId" json:"RandomId,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup          *TypeReplyMarkup `protobuf:"bytes,9,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqMessagesSendMedia) Descriptor

func (*ReqMessagesSendMedia) Descriptor() ([]byte, []int)

func (*ReqMessagesSendMedia) GetFlags

func (m *ReqMessagesSendMedia) GetFlags() int32

func (*ReqMessagesSendMedia) GetMedia

func (m *ReqMessagesSendMedia) GetMedia() *TypeInputMedia

func (*ReqMessagesSendMedia) GetPeer

func (m *ReqMessagesSendMedia) GetPeer() *TypeInputPeer

func (*ReqMessagesSendMedia) GetRandomId

func (m *ReqMessagesSendMedia) GetRandomId() int64

func (*ReqMessagesSendMedia) GetReplyMarkup

func (m *ReqMessagesSendMedia) GetReplyMarkup() *TypeReplyMarkup

func (*ReqMessagesSendMedia) GetReplyToMsgId

func (m *ReqMessagesSendMedia) GetReplyToMsgId() int32

func (*ReqMessagesSendMedia) ProtoMessage

func (*ReqMessagesSendMedia) ProtoMessage()

func (*ReqMessagesSendMedia) Reset

func (m *ReqMessagesSendMedia) Reset()

func (*ReqMessagesSendMedia) String

func (m *ReqMessagesSendMedia) String() string

func (*ReqMessagesSendMedia) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendMedia) XXX_DiscardUnknown()

func (*ReqMessagesSendMedia) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendMedia) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendMedia) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendMedia) XXX_Merge(src proto.Message)

func (*ReqMessagesSendMedia) XXX_Size added in v0.4.1

func (m *ReqMessagesSendMedia) XXX_Size() int

func (*ReqMessagesSendMedia) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendMedia) XXX_Unmarshal(b []byte) error

type ReqMessagesSendMessage

type ReqMessagesSendMessage struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// NoWebpage	bool // flags.1?true
	// Silent	bool // flags.5?true
	// Background	bool // flags.6?true
	// ClearDraft	bool // flags.7?true
	// default: InputPeer
	Peer         *TypeInputPeer `protobuf:"bytes,6,opt,name=Peer" json:"Peer,omitempty"`
	ReplyToMsgId int32          `protobuf:"varint,7,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	Message      string         `protobuf:"bytes,8,opt,name=Message" json:"Message,omitempty"`
	RandomId     int64          `protobuf:"varint,9,opt,name=RandomId" json:"RandomId,omitempty"`
	// default: ReplyMarkup
	ReplyMarkup *TypeReplyMarkup `protobuf:"bytes,10,opt,name=ReplyMarkup" json:"ReplyMarkup,omitempty"`
	// default: Vector<MessageEntity>
	Entities             []*TypeMessageEntity `protobuf:"bytes,11,rep,name=Entities" json:"Entities,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesSendMessage) Descriptor

func (*ReqMessagesSendMessage) Descriptor() ([]byte, []int)

func (*ReqMessagesSendMessage) GetEntities

func (m *ReqMessagesSendMessage) GetEntities() []*TypeMessageEntity

func (*ReqMessagesSendMessage) GetFlags

func (m *ReqMessagesSendMessage) GetFlags() int32

func (*ReqMessagesSendMessage) GetMessage

func (m *ReqMessagesSendMessage) GetMessage() string

func (*ReqMessagesSendMessage) GetPeer

func (m *ReqMessagesSendMessage) GetPeer() *TypeInputPeer

func (*ReqMessagesSendMessage) GetRandomId

func (m *ReqMessagesSendMessage) GetRandomId() int64

func (*ReqMessagesSendMessage) GetReplyMarkup

func (m *ReqMessagesSendMessage) GetReplyMarkup() *TypeReplyMarkup

func (*ReqMessagesSendMessage) GetReplyToMsgId

func (m *ReqMessagesSendMessage) GetReplyToMsgId() int32

func (*ReqMessagesSendMessage) ProtoMessage

func (*ReqMessagesSendMessage) ProtoMessage()

func (*ReqMessagesSendMessage) Reset

func (m *ReqMessagesSendMessage) Reset()

func (*ReqMessagesSendMessage) String

func (m *ReqMessagesSendMessage) String() string

func (*ReqMessagesSendMessage) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendMessage) XXX_DiscardUnknown()

func (*ReqMessagesSendMessage) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendMessage) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSendMessage) XXX_Merge(src proto.Message)

func (*ReqMessagesSendMessage) XXX_Size added in v0.4.1

func (m *ReqMessagesSendMessage) XXX_Size() int

func (*ReqMessagesSendMessage) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendMessage) XXX_Unmarshal(b []byte) error

type ReqMessagesSendScreenshotNotification

type ReqMessagesSendScreenshotNotification struct {
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	ReplyToMsgId         int32          `protobuf:"varint,2,opt,name=ReplyToMsgId" json:"ReplyToMsgId,omitempty"`
	RandomId             int64          `protobuf:"varint,3,opt,name=RandomId" json:"RandomId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesSendScreenshotNotification) Descriptor

func (*ReqMessagesSendScreenshotNotification) Descriptor() ([]byte, []int)

func (*ReqMessagesSendScreenshotNotification) GetPeer

func (*ReqMessagesSendScreenshotNotification) GetRandomId

func (*ReqMessagesSendScreenshotNotification) GetReplyToMsgId

func (m *ReqMessagesSendScreenshotNotification) GetReplyToMsgId() int32

func (*ReqMessagesSendScreenshotNotification) ProtoMessage

func (*ReqMessagesSendScreenshotNotification) ProtoMessage()

func (*ReqMessagesSendScreenshotNotification) Reset

func (*ReqMessagesSendScreenshotNotification) String

func (*ReqMessagesSendScreenshotNotification) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSendScreenshotNotification) XXX_DiscardUnknown()

func (*ReqMessagesSendScreenshotNotification) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSendScreenshotNotification) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSendScreenshotNotification) XXX_Merge added in v0.4.1

func (*ReqMessagesSendScreenshotNotification) XXX_Size added in v0.4.1

func (*ReqMessagesSendScreenshotNotification) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSendScreenshotNotification) XXX_Unmarshal(b []byte) error

type ReqMessagesSetBotCallbackAnswer

type ReqMessagesSetBotCallbackAnswer struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Alert	bool // flags.1?true
	QueryId              int64    `protobuf:"varint,3,opt,name=QueryId" json:"QueryId,omitempty"`
	Message              string   `protobuf:"bytes,4,opt,name=Message" json:"Message,omitempty"`
	Url                  string   `protobuf:"bytes,5,opt,name=Url" json:"Url,omitempty"`
	CacheTime            int32    `protobuf:"varint,6,opt,name=CacheTime" json:"CacheTime,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesSetBotCallbackAnswer) Descriptor

func (*ReqMessagesSetBotCallbackAnswer) Descriptor() ([]byte, []int)

func (*ReqMessagesSetBotCallbackAnswer) GetCacheTime

func (m *ReqMessagesSetBotCallbackAnswer) GetCacheTime() int32

func (*ReqMessagesSetBotCallbackAnswer) GetFlags

func (m *ReqMessagesSetBotCallbackAnswer) GetFlags() int32

func (*ReqMessagesSetBotCallbackAnswer) GetMessage

func (m *ReqMessagesSetBotCallbackAnswer) GetMessage() string

func (*ReqMessagesSetBotCallbackAnswer) GetQueryId

func (m *ReqMessagesSetBotCallbackAnswer) GetQueryId() int64

func (*ReqMessagesSetBotCallbackAnswer) GetUrl

func (*ReqMessagesSetBotCallbackAnswer) ProtoMessage

func (*ReqMessagesSetBotCallbackAnswer) ProtoMessage()

func (*ReqMessagesSetBotCallbackAnswer) Reset

func (*ReqMessagesSetBotCallbackAnswer) String

func (*ReqMessagesSetBotCallbackAnswer) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetBotCallbackAnswer) XXX_DiscardUnknown()

func (*ReqMessagesSetBotCallbackAnswer) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetBotCallbackAnswer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetBotCallbackAnswer) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetBotCallbackAnswer) XXX_Merge(src proto.Message)

func (*ReqMessagesSetBotCallbackAnswer) XXX_Size added in v0.4.1

func (m *ReqMessagesSetBotCallbackAnswer) XXX_Size() int

func (*ReqMessagesSetBotCallbackAnswer) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetBotCallbackAnswer) XXX_Unmarshal(b []byte) error

type ReqMessagesSetBotPrecheckoutResults

type ReqMessagesSetBotPrecheckoutResults struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Success	bool // flags.1?true
	QueryId              int64    `protobuf:"varint,3,opt,name=QueryId" json:"QueryId,omitempty"`
	Error                string   `protobuf:"bytes,4,opt,name=Error" json:"Error,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqMessagesSetBotPrecheckoutResults) Descriptor

func (*ReqMessagesSetBotPrecheckoutResults) Descriptor() ([]byte, []int)

func (*ReqMessagesSetBotPrecheckoutResults) GetError

func (*ReqMessagesSetBotPrecheckoutResults) GetFlags

func (*ReqMessagesSetBotPrecheckoutResults) GetQueryId

func (*ReqMessagesSetBotPrecheckoutResults) ProtoMessage

func (*ReqMessagesSetBotPrecheckoutResults) ProtoMessage()

func (*ReqMessagesSetBotPrecheckoutResults) Reset

func (*ReqMessagesSetBotPrecheckoutResults) String

func (*ReqMessagesSetBotPrecheckoutResults) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetBotPrecheckoutResults) XXX_DiscardUnknown()

func (*ReqMessagesSetBotPrecheckoutResults) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetBotPrecheckoutResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetBotPrecheckoutResults) XXX_Merge added in v0.4.1

func (*ReqMessagesSetBotPrecheckoutResults) XXX_Size added in v0.4.1

func (*ReqMessagesSetBotPrecheckoutResults) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetBotPrecheckoutResults) XXX_Unmarshal(b []byte) error

type ReqMessagesSetBotShippingResults

type ReqMessagesSetBotShippingResults struct {
	Flags   int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	QueryId int64  `protobuf:"varint,2,opt,name=QueryId" json:"QueryId,omitempty"`
	Error   string `protobuf:"bytes,3,opt,name=Error" json:"Error,omitempty"`
	// default: Vector<ShippingOption>
	ShippingOptions      []*TypeShippingOption `protobuf:"bytes,4,rep,name=ShippingOptions" json:"ShippingOptions,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*ReqMessagesSetBotShippingResults) Descriptor

func (*ReqMessagesSetBotShippingResults) Descriptor() ([]byte, []int)

func (*ReqMessagesSetBotShippingResults) GetError

func (*ReqMessagesSetBotShippingResults) GetFlags

func (*ReqMessagesSetBotShippingResults) GetQueryId

func (m *ReqMessagesSetBotShippingResults) GetQueryId() int64

func (*ReqMessagesSetBotShippingResults) GetShippingOptions

func (m *ReqMessagesSetBotShippingResults) GetShippingOptions() []*TypeShippingOption

func (*ReqMessagesSetBotShippingResults) ProtoMessage

func (*ReqMessagesSetBotShippingResults) ProtoMessage()

func (*ReqMessagesSetBotShippingResults) Reset

func (*ReqMessagesSetBotShippingResults) String

func (*ReqMessagesSetBotShippingResults) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetBotShippingResults) XXX_DiscardUnknown()

func (*ReqMessagesSetBotShippingResults) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetBotShippingResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetBotShippingResults) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetBotShippingResults) XXX_Merge(src proto.Message)

func (*ReqMessagesSetBotShippingResults) XXX_Size added in v0.4.1

func (m *ReqMessagesSetBotShippingResults) XXX_Size() int

func (*ReqMessagesSetBotShippingResults) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetBotShippingResults) XXX_Unmarshal(b []byte) error

type ReqMessagesSetEncryptedTyping

type ReqMessagesSetEncryptedTyping struct {
	// default: InputEncryptedChat
	Peer *TypeInputEncryptedChat `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: Bool
	Typing               *TypeBool `protobuf:"bytes,2,opt,name=Typing" json:"Typing,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesSetEncryptedTyping) Descriptor

func (*ReqMessagesSetEncryptedTyping) Descriptor() ([]byte, []int)

func (*ReqMessagesSetEncryptedTyping) GetPeer

func (*ReqMessagesSetEncryptedTyping) GetTyping

func (m *ReqMessagesSetEncryptedTyping) GetTyping() *TypeBool

func (*ReqMessagesSetEncryptedTyping) ProtoMessage

func (*ReqMessagesSetEncryptedTyping) ProtoMessage()

func (*ReqMessagesSetEncryptedTyping) Reset

func (m *ReqMessagesSetEncryptedTyping) Reset()

func (*ReqMessagesSetEncryptedTyping) String

func (*ReqMessagesSetEncryptedTyping) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetEncryptedTyping) XXX_DiscardUnknown()

func (*ReqMessagesSetEncryptedTyping) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetEncryptedTyping) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetEncryptedTyping) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetEncryptedTyping) XXX_Merge(src proto.Message)

func (*ReqMessagesSetEncryptedTyping) XXX_Size added in v0.4.1

func (m *ReqMessagesSetEncryptedTyping) XXX_Size() int

func (*ReqMessagesSetEncryptedTyping) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetEncryptedTyping) XXX_Unmarshal(b []byte) error

type ReqMessagesSetGameScore

type ReqMessagesSetGameScore struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// EditMessage	bool // flags.0?true
	// Force	bool // flags.1?true
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,4,opt,name=Peer" json:"Peer,omitempty"`
	Id   int32          `protobuf:"varint,5,opt,name=Id" json:"Id,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,6,opt,name=UserId" json:"UserId,omitempty"`
	Score                int32          `protobuf:"varint,7,opt,name=Score" json:"Score,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesSetGameScore) Descriptor

func (*ReqMessagesSetGameScore) Descriptor() ([]byte, []int)

func (*ReqMessagesSetGameScore) GetFlags

func (m *ReqMessagesSetGameScore) GetFlags() int32

func (*ReqMessagesSetGameScore) GetId

func (m *ReqMessagesSetGameScore) GetId() int32

func (*ReqMessagesSetGameScore) GetPeer

func (m *ReqMessagesSetGameScore) GetPeer() *TypeInputPeer

func (*ReqMessagesSetGameScore) GetScore

func (m *ReqMessagesSetGameScore) GetScore() int32

func (*ReqMessagesSetGameScore) GetUserId

func (m *ReqMessagesSetGameScore) GetUserId() *TypeInputUser

func (*ReqMessagesSetGameScore) ProtoMessage

func (*ReqMessagesSetGameScore) ProtoMessage()

func (*ReqMessagesSetGameScore) Reset

func (m *ReqMessagesSetGameScore) Reset()

func (*ReqMessagesSetGameScore) String

func (m *ReqMessagesSetGameScore) String() string

func (*ReqMessagesSetGameScore) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetGameScore) XXX_DiscardUnknown()

func (*ReqMessagesSetGameScore) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetGameScore) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetGameScore) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetGameScore) XXX_Merge(src proto.Message)

func (*ReqMessagesSetGameScore) XXX_Size added in v0.4.1

func (m *ReqMessagesSetGameScore) XXX_Size() int

func (*ReqMessagesSetGameScore) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetGameScore) XXX_Unmarshal(b []byte) error

type ReqMessagesSetInlineBotResults

type ReqMessagesSetInlineBotResults struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Gallery	bool // flags.0?true
	// Private	bool // flags.1?true
	QueryId int64 `protobuf:"varint,4,opt,name=QueryId" json:"QueryId,omitempty"`
	// default: Vector<InputBotInlineResult>
	Results    []*TypeInputBotInlineResult `protobuf:"bytes,5,rep,name=Results" json:"Results,omitempty"`
	CacheTime  int32                       `protobuf:"varint,6,opt,name=CacheTime" json:"CacheTime,omitempty"`
	NextOffset string                      `protobuf:"bytes,7,opt,name=NextOffset" json:"NextOffset,omitempty"`
	// default: InlineBotSwitchPM
	SwitchPm             *TypeInlineBotSwitchPM `protobuf:"bytes,8,opt,name=SwitchPm" json:"SwitchPm,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqMessagesSetInlineBotResults) Descriptor

func (*ReqMessagesSetInlineBotResults) Descriptor() ([]byte, []int)

func (*ReqMessagesSetInlineBotResults) GetCacheTime

func (m *ReqMessagesSetInlineBotResults) GetCacheTime() int32

func (*ReqMessagesSetInlineBotResults) GetFlags

func (m *ReqMessagesSetInlineBotResults) GetFlags() int32

func (*ReqMessagesSetInlineBotResults) GetNextOffset

func (m *ReqMessagesSetInlineBotResults) GetNextOffset() string

func (*ReqMessagesSetInlineBotResults) GetQueryId

func (m *ReqMessagesSetInlineBotResults) GetQueryId() int64

func (*ReqMessagesSetInlineBotResults) GetResults

func (*ReqMessagesSetInlineBotResults) GetSwitchPm

func (*ReqMessagesSetInlineBotResults) ProtoMessage

func (*ReqMessagesSetInlineBotResults) ProtoMessage()

func (*ReqMessagesSetInlineBotResults) Reset

func (m *ReqMessagesSetInlineBotResults) Reset()

func (*ReqMessagesSetInlineBotResults) String

func (*ReqMessagesSetInlineBotResults) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetInlineBotResults) XXX_DiscardUnknown()

func (*ReqMessagesSetInlineBotResults) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetInlineBotResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetInlineBotResults) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetInlineBotResults) XXX_Merge(src proto.Message)

func (*ReqMessagesSetInlineBotResults) XXX_Size added in v0.4.1

func (m *ReqMessagesSetInlineBotResults) XXX_Size() int

func (*ReqMessagesSetInlineBotResults) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetInlineBotResults) XXX_Unmarshal(b []byte) error

type ReqMessagesSetInlineGameScore

type ReqMessagesSetInlineGameScore struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// EditMessage	bool // flags.0?true
	// Force	bool // flags.1?true
	// default: InputBotInlineMessageID
	Id *TypeInputBotInlineMessageID `protobuf:"bytes,4,opt,name=Id" json:"Id,omitempty"`
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,5,opt,name=UserId" json:"UserId,omitempty"`
	Score                int32          `protobuf:"varint,6,opt,name=Score" json:"Score,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesSetInlineGameScore) Descriptor

func (*ReqMessagesSetInlineGameScore) Descriptor() ([]byte, []int)

func (*ReqMessagesSetInlineGameScore) GetFlags

func (m *ReqMessagesSetInlineGameScore) GetFlags() int32

func (*ReqMessagesSetInlineGameScore) GetId

func (*ReqMessagesSetInlineGameScore) GetScore

func (m *ReqMessagesSetInlineGameScore) GetScore() int32

func (*ReqMessagesSetInlineGameScore) GetUserId

func (*ReqMessagesSetInlineGameScore) ProtoMessage

func (*ReqMessagesSetInlineGameScore) ProtoMessage()

func (*ReqMessagesSetInlineGameScore) Reset

func (m *ReqMessagesSetInlineGameScore) Reset()

func (*ReqMessagesSetInlineGameScore) String

func (*ReqMessagesSetInlineGameScore) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetInlineGameScore) XXX_DiscardUnknown()

func (*ReqMessagesSetInlineGameScore) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetInlineGameScore) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetInlineGameScore) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetInlineGameScore) XXX_Merge(src proto.Message)

func (*ReqMessagesSetInlineGameScore) XXX_Size added in v0.4.1

func (m *ReqMessagesSetInlineGameScore) XXX_Size() int

func (*ReqMessagesSetInlineGameScore) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetInlineGameScore) XXX_Unmarshal(b []byte) error

type ReqMessagesSetTyping

type ReqMessagesSetTyping struct {
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: SendMessageAction
	Action               *TypeSendMessageAction `protobuf:"bytes,2,opt,name=Action" json:"Action,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqMessagesSetTyping) Descriptor

func (*ReqMessagesSetTyping) Descriptor() ([]byte, []int)

func (*ReqMessagesSetTyping) GetAction

func (*ReqMessagesSetTyping) GetPeer

func (m *ReqMessagesSetTyping) GetPeer() *TypeInputPeer

func (*ReqMessagesSetTyping) ProtoMessage

func (*ReqMessagesSetTyping) ProtoMessage()

func (*ReqMessagesSetTyping) Reset

func (m *ReqMessagesSetTyping) Reset()

func (*ReqMessagesSetTyping) String

func (m *ReqMessagesSetTyping) String() string

func (*ReqMessagesSetTyping) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesSetTyping) XXX_DiscardUnknown()

func (*ReqMessagesSetTyping) XXX_Marshal added in v0.4.1

func (m *ReqMessagesSetTyping) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesSetTyping) XXX_Merge added in v0.4.1

func (dst *ReqMessagesSetTyping) XXX_Merge(src proto.Message)

func (*ReqMessagesSetTyping) XXX_Size added in v0.4.1

func (m *ReqMessagesSetTyping) XXX_Size() int

func (*ReqMessagesSetTyping) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesSetTyping) XXX_Unmarshal(b []byte) error

type ReqMessagesStartBot

type ReqMessagesStartBot struct {
	// default: InputUser
	Bot *TypeInputUser `protobuf:"bytes,1,opt,name=Bot" json:"Bot,omitempty"`
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,2,opt,name=Peer" json:"Peer,omitempty"`
	RandomId             int64          `protobuf:"varint,3,opt,name=RandomId" json:"RandomId,omitempty"`
	StartParam           string         `protobuf:"bytes,4,opt,name=StartParam" json:"StartParam,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesStartBot) Descriptor

func (*ReqMessagesStartBot) Descriptor() ([]byte, []int)

func (*ReqMessagesStartBot) GetBot

func (m *ReqMessagesStartBot) GetBot() *TypeInputUser

func (*ReqMessagesStartBot) GetPeer

func (m *ReqMessagesStartBot) GetPeer() *TypeInputPeer

func (*ReqMessagesStartBot) GetRandomId

func (m *ReqMessagesStartBot) GetRandomId() int64

func (*ReqMessagesStartBot) GetStartParam

func (m *ReqMessagesStartBot) GetStartParam() string

func (*ReqMessagesStartBot) ProtoMessage

func (*ReqMessagesStartBot) ProtoMessage()

func (*ReqMessagesStartBot) Reset

func (m *ReqMessagesStartBot) Reset()

func (*ReqMessagesStartBot) String

func (m *ReqMessagesStartBot) String() string

func (*ReqMessagesStartBot) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesStartBot) XXX_DiscardUnknown()

func (*ReqMessagesStartBot) XXX_Marshal added in v0.4.1

func (m *ReqMessagesStartBot) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesStartBot) XXX_Merge added in v0.4.1

func (dst *ReqMessagesStartBot) XXX_Merge(src proto.Message)

func (*ReqMessagesStartBot) XXX_Size added in v0.4.1

func (m *ReqMessagesStartBot) XXX_Size() int

func (*ReqMessagesStartBot) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesStartBot) XXX_Unmarshal(b []byte) error

type ReqMessagesToggleChatAdmins

type ReqMessagesToggleChatAdmins struct {
	ChatId int32 `protobuf:"varint,1,opt,name=ChatId" json:"ChatId,omitempty"`
	// default: Bool
	Enabled              *TypeBool `protobuf:"bytes,2,opt,name=Enabled" json:"Enabled,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*ReqMessagesToggleChatAdmins) Descriptor

func (*ReqMessagesToggleChatAdmins) Descriptor() ([]byte, []int)

func (*ReqMessagesToggleChatAdmins) GetChatId

func (m *ReqMessagesToggleChatAdmins) GetChatId() int32

func (*ReqMessagesToggleChatAdmins) GetEnabled

func (m *ReqMessagesToggleChatAdmins) GetEnabled() *TypeBool

func (*ReqMessagesToggleChatAdmins) ProtoMessage

func (*ReqMessagesToggleChatAdmins) ProtoMessage()

func (*ReqMessagesToggleChatAdmins) Reset

func (m *ReqMessagesToggleChatAdmins) Reset()

func (*ReqMessagesToggleChatAdmins) String

func (m *ReqMessagesToggleChatAdmins) String() string

func (*ReqMessagesToggleChatAdmins) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesToggleChatAdmins) XXX_DiscardUnknown()

func (*ReqMessagesToggleChatAdmins) XXX_Marshal added in v0.4.1

func (m *ReqMessagesToggleChatAdmins) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesToggleChatAdmins) XXX_Merge added in v0.4.1

func (dst *ReqMessagesToggleChatAdmins) XXX_Merge(src proto.Message)

func (*ReqMessagesToggleChatAdmins) XXX_Size added in v0.4.1

func (m *ReqMessagesToggleChatAdmins) XXX_Size() int

func (*ReqMessagesToggleChatAdmins) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesToggleChatAdmins) XXX_Unmarshal(b []byte) error

type ReqMessagesToggleDialogPin

type ReqMessagesToggleDialogPin struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Pinned	bool // flags.0?true
	// default: InputPeer
	Peer                 *TypeInputPeer `protobuf:"bytes,3,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqMessagesToggleDialogPin) Descriptor

func (*ReqMessagesToggleDialogPin) Descriptor() ([]byte, []int)

func (*ReqMessagesToggleDialogPin) GetFlags

func (m *ReqMessagesToggleDialogPin) GetFlags() int32

func (*ReqMessagesToggleDialogPin) GetPeer

func (*ReqMessagesToggleDialogPin) ProtoMessage

func (*ReqMessagesToggleDialogPin) ProtoMessage()

func (*ReqMessagesToggleDialogPin) Reset

func (m *ReqMessagesToggleDialogPin) Reset()

func (*ReqMessagesToggleDialogPin) String

func (m *ReqMessagesToggleDialogPin) String() string

func (*ReqMessagesToggleDialogPin) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesToggleDialogPin) XXX_DiscardUnknown()

func (*ReqMessagesToggleDialogPin) XXX_Marshal added in v0.4.1

func (m *ReqMessagesToggleDialogPin) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesToggleDialogPin) XXX_Merge added in v0.4.1

func (dst *ReqMessagesToggleDialogPin) XXX_Merge(src proto.Message)

func (*ReqMessagesToggleDialogPin) XXX_Size added in v0.4.1

func (m *ReqMessagesToggleDialogPin) XXX_Size() int

func (*ReqMessagesToggleDialogPin) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesToggleDialogPin) XXX_Unmarshal(b []byte) error

type ReqMessagesUninstallStickerSet

type ReqMessagesUninstallStickerSet struct {
	// default: InputStickerSet
	Stickerset           *TypeInputStickerSet `protobuf:"bytes,1,opt,name=Stickerset" json:"Stickerset,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*ReqMessagesUninstallStickerSet) Descriptor

func (*ReqMessagesUninstallStickerSet) Descriptor() ([]byte, []int)

func (*ReqMessagesUninstallStickerSet) GetStickerset

func (*ReqMessagesUninstallStickerSet) ProtoMessage

func (*ReqMessagesUninstallStickerSet) ProtoMessage()

func (*ReqMessagesUninstallStickerSet) Reset

func (m *ReqMessagesUninstallStickerSet) Reset()

func (*ReqMessagesUninstallStickerSet) String

func (*ReqMessagesUninstallStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesUninstallStickerSet) XXX_DiscardUnknown()

func (*ReqMessagesUninstallStickerSet) XXX_Marshal added in v0.4.1

func (m *ReqMessagesUninstallStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesUninstallStickerSet) XXX_Merge added in v0.4.1

func (dst *ReqMessagesUninstallStickerSet) XXX_Merge(src proto.Message)

func (*ReqMessagesUninstallStickerSet) XXX_Size added in v0.4.1

func (m *ReqMessagesUninstallStickerSet) XXX_Size() int

func (*ReqMessagesUninstallStickerSet) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesUninstallStickerSet) XXX_Unmarshal(b []byte) error

type ReqMessagesUploadMedia

type ReqMessagesUploadMedia struct {
	// default: InputPeer
	Peer *TypeInputPeer `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: InputMedia
	Media                *TypeInputMedia `protobuf:"bytes,2,opt,name=Media" json:"Media,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*ReqMessagesUploadMedia) Descriptor

func (*ReqMessagesUploadMedia) Descriptor() ([]byte, []int)

func (*ReqMessagesUploadMedia) GetMedia

func (m *ReqMessagesUploadMedia) GetMedia() *TypeInputMedia

func (*ReqMessagesUploadMedia) GetPeer

func (m *ReqMessagesUploadMedia) GetPeer() *TypeInputPeer

func (*ReqMessagesUploadMedia) ProtoMessage

func (*ReqMessagesUploadMedia) ProtoMessage()

func (*ReqMessagesUploadMedia) Reset

func (m *ReqMessagesUploadMedia) Reset()

func (*ReqMessagesUploadMedia) String

func (m *ReqMessagesUploadMedia) String() string

func (*ReqMessagesUploadMedia) XXX_DiscardUnknown added in v0.4.1

func (m *ReqMessagesUploadMedia) XXX_DiscardUnknown()

func (*ReqMessagesUploadMedia) XXX_Marshal added in v0.4.1

func (m *ReqMessagesUploadMedia) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqMessagesUploadMedia) XXX_Merge added in v0.4.1

func (dst *ReqMessagesUploadMedia) XXX_Merge(src proto.Message)

func (*ReqMessagesUploadMedia) XXX_Size added in v0.4.1

func (m *ReqMessagesUploadMedia) XXX_Size() int

func (*ReqMessagesUploadMedia) XXX_Unmarshal added in v0.4.1

func (m *ReqMessagesUploadMedia) XXX_Unmarshal(b []byte) error

type ReqPaymentsClearSavedInfo

type ReqPaymentsClearSavedInfo struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqPaymentsClearSavedInfo) Descriptor

func (*ReqPaymentsClearSavedInfo) Descriptor() ([]byte, []int)

func (*ReqPaymentsClearSavedInfo) GetFlags

func (m *ReqPaymentsClearSavedInfo) GetFlags() int32

func (*ReqPaymentsClearSavedInfo) ProtoMessage

func (*ReqPaymentsClearSavedInfo) ProtoMessage()

func (*ReqPaymentsClearSavedInfo) Reset

func (m *ReqPaymentsClearSavedInfo) Reset()

func (*ReqPaymentsClearSavedInfo) String

func (m *ReqPaymentsClearSavedInfo) String() string

func (*ReqPaymentsClearSavedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsClearSavedInfo) XXX_DiscardUnknown()

func (*ReqPaymentsClearSavedInfo) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsClearSavedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsClearSavedInfo) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsClearSavedInfo) XXX_Merge(src proto.Message)

func (*ReqPaymentsClearSavedInfo) XXX_Size added in v0.4.1

func (m *ReqPaymentsClearSavedInfo) XXX_Size() int

func (*ReqPaymentsClearSavedInfo) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsClearSavedInfo) XXX_Unmarshal(b []byte) error

type ReqPaymentsGetPaymentForm

type ReqPaymentsGetPaymentForm struct {
	MsgId                int32    `protobuf:"varint,1,opt,name=MsgId" json:"MsgId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqPaymentsGetPaymentForm) Descriptor

func (*ReqPaymentsGetPaymentForm) Descriptor() ([]byte, []int)

func (*ReqPaymentsGetPaymentForm) GetMsgId

func (m *ReqPaymentsGetPaymentForm) GetMsgId() int32

func (*ReqPaymentsGetPaymentForm) ProtoMessage

func (*ReqPaymentsGetPaymentForm) ProtoMessage()

func (*ReqPaymentsGetPaymentForm) Reset

func (m *ReqPaymentsGetPaymentForm) Reset()

func (*ReqPaymentsGetPaymentForm) String

func (m *ReqPaymentsGetPaymentForm) String() string

func (*ReqPaymentsGetPaymentForm) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsGetPaymentForm) XXX_DiscardUnknown()

func (*ReqPaymentsGetPaymentForm) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsGetPaymentForm) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsGetPaymentForm) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsGetPaymentForm) XXX_Merge(src proto.Message)

func (*ReqPaymentsGetPaymentForm) XXX_Size added in v0.4.1

func (m *ReqPaymentsGetPaymentForm) XXX_Size() int

func (*ReqPaymentsGetPaymentForm) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsGetPaymentForm) XXX_Unmarshal(b []byte) error

type ReqPaymentsGetPaymentReceipt

type ReqPaymentsGetPaymentReceipt struct {
	MsgId                int32    `protobuf:"varint,1,opt,name=MsgId" json:"MsgId,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqPaymentsGetPaymentReceipt) Descriptor

func (*ReqPaymentsGetPaymentReceipt) Descriptor() ([]byte, []int)

func (*ReqPaymentsGetPaymentReceipt) GetMsgId

func (m *ReqPaymentsGetPaymentReceipt) GetMsgId() int32

func (*ReqPaymentsGetPaymentReceipt) ProtoMessage

func (*ReqPaymentsGetPaymentReceipt) ProtoMessage()

func (*ReqPaymentsGetPaymentReceipt) Reset

func (m *ReqPaymentsGetPaymentReceipt) Reset()

func (*ReqPaymentsGetPaymentReceipt) String

func (*ReqPaymentsGetPaymentReceipt) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsGetPaymentReceipt) XXX_DiscardUnknown()

func (*ReqPaymentsGetPaymentReceipt) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsGetPaymentReceipt) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsGetPaymentReceipt) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsGetPaymentReceipt) XXX_Merge(src proto.Message)

func (*ReqPaymentsGetPaymentReceipt) XXX_Size added in v0.4.1

func (m *ReqPaymentsGetPaymentReceipt) XXX_Size() int

func (*ReqPaymentsGetPaymentReceipt) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsGetPaymentReceipt) XXX_Unmarshal(b []byte) error

type ReqPaymentsGetSavedInfo

type ReqPaymentsGetSavedInfo struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqPaymentsGetSavedInfo) Descriptor

func (*ReqPaymentsGetSavedInfo) Descriptor() ([]byte, []int)

func (*ReqPaymentsGetSavedInfo) ProtoMessage

func (*ReqPaymentsGetSavedInfo) ProtoMessage()

func (*ReqPaymentsGetSavedInfo) Reset

func (m *ReqPaymentsGetSavedInfo) Reset()

func (*ReqPaymentsGetSavedInfo) String

func (m *ReqPaymentsGetSavedInfo) String() string

func (*ReqPaymentsGetSavedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsGetSavedInfo) XXX_DiscardUnknown()

func (*ReqPaymentsGetSavedInfo) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsGetSavedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsGetSavedInfo) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsGetSavedInfo) XXX_Merge(src proto.Message)

func (*ReqPaymentsGetSavedInfo) XXX_Size added in v0.4.1

func (m *ReqPaymentsGetSavedInfo) XXX_Size() int

func (*ReqPaymentsGetSavedInfo) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsGetSavedInfo) XXX_Unmarshal(b []byte) error

type ReqPaymentsSendPaymentForm

type ReqPaymentsSendPaymentForm struct {
	Flags            int32  `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	MsgId            int32  `protobuf:"varint,2,opt,name=MsgId" json:"MsgId,omitempty"`
	RequestedInfoId  string `protobuf:"bytes,3,opt,name=RequestedInfoId" json:"RequestedInfoId,omitempty"`
	ShippingOptionId string `protobuf:"bytes,4,opt,name=ShippingOptionId" json:"ShippingOptionId,omitempty"`
	// default: InputPaymentCredentials
	Credentials          *TypeInputPaymentCredentials `protobuf:"bytes,5,opt,name=Credentials" json:"Credentials,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*ReqPaymentsSendPaymentForm) Descriptor

func (*ReqPaymentsSendPaymentForm) Descriptor() ([]byte, []int)

func (*ReqPaymentsSendPaymentForm) GetCredentials

func (*ReqPaymentsSendPaymentForm) GetFlags

func (m *ReqPaymentsSendPaymentForm) GetFlags() int32

func (*ReqPaymentsSendPaymentForm) GetMsgId

func (m *ReqPaymentsSendPaymentForm) GetMsgId() int32

func (*ReqPaymentsSendPaymentForm) GetRequestedInfoId

func (m *ReqPaymentsSendPaymentForm) GetRequestedInfoId() string

func (*ReqPaymentsSendPaymentForm) GetShippingOptionId

func (m *ReqPaymentsSendPaymentForm) GetShippingOptionId() string

func (*ReqPaymentsSendPaymentForm) ProtoMessage

func (*ReqPaymentsSendPaymentForm) ProtoMessage()

func (*ReqPaymentsSendPaymentForm) Reset

func (m *ReqPaymentsSendPaymentForm) Reset()

func (*ReqPaymentsSendPaymentForm) String

func (m *ReqPaymentsSendPaymentForm) String() string

func (*ReqPaymentsSendPaymentForm) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsSendPaymentForm) XXX_DiscardUnknown()

func (*ReqPaymentsSendPaymentForm) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsSendPaymentForm) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsSendPaymentForm) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsSendPaymentForm) XXX_Merge(src proto.Message)

func (*ReqPaymentsSendPaymentForm) XXX_Size added in v0.4.1

func (m *ReqPaymentsSendPaymentForm) XXX_Size() int

func (*ReqPaymentsSendPaymentForm) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsSendPaymentForm) XXX_Unmarshal(b []byte) error

type ReqPaymentsValidateRequestedInfo

type ReqPaymentsValidateRequestedInfo struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Save	bool // flags.0?true
	MsgId int32 `protobuf:"varint,3,opt,name=MsgId" json:"MsgId,omitempty"`
	// default: PaymentRequestedInfo
	Info                 *TypePaymentRequestedInfo `protobuf:"bytes,4,opt,name=Info" json:"Info,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*ReqPaymentsValidateRequestedInfo) Descriptor

func (*ReqPaymentsValidateRequestedInfo) Descriptor() ([]byte, []int)

func (*ReqPaymentsValidateRequestedInfo) GetFlags

func (*ReqPaymentsValidateRequestedInfo) GetInfo

func (*ReqPaymentsValidateRequestedInfo) GetMsgId

func (*ReqPaymentsValidateRequestedInfo) ProtoMessage

func (*ReqPaymentsValidateRequestedInfo) ProtoMessage()

func (*ReqPaymentsValidateRequestedInfo) Reset

func (*ReqPaymentsValidateRequestedInfo) String

func (*ReqPaymentsValidateRequestedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPaymentsValidateRequestedInfo) XXX_DiscardUnknown()

func (*ReqPaymentsValidateRequestedInfo) XXX_Marshal added in v0.4.1

func (m *ReqPaymentsValidateRequestedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPaymentsValidateRequestedInfo) XXX_Merge added in v0.4.1

func (dst *ReqPaymentsValidateRequestedInfo) XXX_Merge(src proto.Message)

func (*ReqPaymentsValidateRequestedInfo) XXX_Size added in v0.4.1

func (m *ReqPaymentsValidateRequestedInfo) XXX_Size() int

func (*ReqPaymentsValidateRequestedInfo) XXX_Unmarshal added in v0.4.1

func (m *ReqPaymentsValidateRequestedInfo) XXX_Unmarshal(b []byte) error

type ReqPhoneAcceptCall

type ReqPhoneAcceptCall struct {
	// default: InputPhoneCall
	Peer *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	GB   []byte              `protobuf:"bytes,2,opt,name=GB,proto3" json:"GB,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,3,opt,name=Protocol" json:"Protocol,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqPhoneAcceptCall) Descriptor

func (*ReqPhoneAcceptCall) Descriptor() ([]byte, []int)

func (*ReqPhoneAcceptCall) GetGB

func (m *ReqPhoneAcceptCall) GetGB() []byte

func (*ReqPhoneAcceptCall) GetPeer

func (m *ReqPhoneAcceptCall) GetPeer() *TypeInputPhoneCall

func (*ReqPhoneAcceptCall) GetProtocol

func (m *ReqPhoneAcceptCall) GetProtocol() *TypePhoneCallProtocol

func (*ReqPhoneAcceptCall) ProtoMessage

func (*ReqPhoneAcceptCall) ProtoMessage()

func (*ReqPhoneAcceptCall) Reset

func (m *ReqPhoneAcceptCall) Reset()

func (*ReqPhoneAcceptCall) String

func (m *ReqPhoneAcceptCall) String() string

func (*ReqPhoneAcceptCall) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneAcceptCall) XXX_DiscardUnknown()

func (*ReqPhoneAcceptCall) XXX_Marshal added in v0.4.1

func (m *ReqPhoneAcceptCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneAcceptCall) XXX_Merge added in v0.4.1

func (dst *ReqPhoneAcceptCall) XXX_Merge(src proto.Message)

func (*ReqPhoneAcceptCall) XXX_Size added in v0.4.1

func (m *ReqPhoneAcceptCall) XXX_Size() int

func (*ReqPhoneAcceptCall) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneAcceptCall) XXX_Unmarshal(b []byte) error

type ReqPhoneConfirmCall

type ReqPhoneConfirmCall struct {
	// default: InputPhoneCall
	Peer           *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	GA             []byte              `protobuf:"bytes,2,opt,name=GA,proto3" json:"GA,omitempty"`
	KeyFingerprint int64               `protobuf:"varint,3,opt,name=KeyFingerprint" json:"KeyFingerprint,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,4,opt,name=Protocol" json:"Protocol,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqPhoneConfirmCall) Descriptor

func (*ReqPhoneConfirmCall) Descriptor() ([]byte, []int)

func (*ReqPhoneConfirmCall) GetGA

func (m *ReqPhoneConfirmCall) GetGA() []byte

func (*ReqPhoneConfirmCall) GetKeyFingerprint

func (m *ReqPhoneConfirmCall) GetKeyFingerprint() int64

func (*ReqPhoneConfirmCall) GetPeer

func (*ReqPhoneConfirmCall) GetProtocol

func (m *ReqPhoneConfirmCall) GetProtocol() *TypePhoneCallProtocol

func (*ReqPhoneConfirmCall) ProtoMessage

func (*ReqPhoneConfirmCall) ProtoMessage()

func (*ReqPhoneConfirmCall) Reset

func (m *ReqPhoneConfirmCall) Reset()

func (*ReqPhoneConfirmCall) String

func (m *ReqPhoneConfirmCall) String() string

func (*ReqPhoneConfirmCall) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneConfirmCall) XXX_DiscardUnknown()

func (*ReqPhoneConfirmCall) XXX_Marshal added in v0.4.1

func (m *ReqPhoneConfirmCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneConfirmCall) XXX_Merge added in v0.4.1

func (dst *ReqPhoneConfirmCall) XXX_Merge(src proto.Message)

func (*ReqPhoneConfirmCall) XXX_Size added in v0.4.1

func (m *ReqPhoneConfirmCall) XXX_Size() int

func (*ReqPhoneConfirmCall) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneConfirmCall) XXX_Unmarshal(b []byte) error

type ReqPhoneDiscardCall

type ReqPhoneDiscardCall struct {
	// default: InputPhoneCall
	Peer     *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Duration int32               `protobuf:"varint,2,opt,name=Duration" json:"Duration,omitempty"`
	// default: PhoneCallDiscardReason
	Reason               *TypePhoneCallDiscardReason `protobuf:"bytes,3,opt,name=Reason" json:"Reason,omitempty"`
	ConnectionId         int64                       `protobuf:"varint,4,opt,name=ConnectionId" json:"ConnectionId,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*ReqPhoneDiscardCall) Descriptor

func (*ReqPhoneDiscardCall) Descriptor() ([]byte, []int)

func (*ReqPhoneDiscardCall) GetConnectionId

func (m *ReqPhoneDiscardCall) GetConnectionId() int64

func (*ReqPhoneDiscardCall) GetDuration

func (m *ReqPhoneDiscardCall) GetDuration() int32

func (*ReqPhoneDiscardCall) GetPeer

func (*ReqPhoneDiscardCall) GetReason

func (*ReqPhoneDiscardCall) ProtoMessage

func (*ReqPhoneDiscardCall) ProtoMessage()

func (*ReqPhoneDiscardCall) Reset

func (m *ReqPhoneDiscardCall) Reset()

func (*ReqPhoneDiscardCall) String

func (m *ReqPhoneDiscardCall) String() string

func (*ReqPhoneDiscardCall) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneDiscardCall) XXX_DiscardUnknown()

func (*ReqPhoneDiscardCall) XXX_Marshal added in v0.4.1

func (m *ReqPhoneDiscardCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneDiscardCall) XXX_Merge added in v0.4.1

func (dst *ReqPhoneDiscardCall) XXX_Merge(src proto.Message)

func (*ReqPhoneDiscardCall) XXX_Size added in v0.4.1

func (m *ReqPhoneDiscardCall) XXX_Size() int

func (*ReqPhoneDiscardCall) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneDiscardCall) XXX_Unmarshal(b []byte) error

type ReqPhoneGetCallConfig

type ReqPhoneGetCallConfig struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqPhoneGetCallConfig) Descriptor

func (*ReqPhoneGetCallConfig) Descriptor() ([]byte, []int)

func (*ReqPhoneGetCallConfig) ProtoMessage

func (*ReqPhoneGetCallConfig) ProtoMessage()

func (*ReqPhoneGetCallConfig) Reset

func (m *ReqPhoneGetCallConfig) Reset()

func (*ReqPhoneGetCallConfig) String

func (m *ReqPhoneGetCallConfig) String() string

func (*ReqPhoneGetCallConfig) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneGetCallConfig) XXX_DiscardUnknown()

func (*ReqPhoneGetCallConfig) XXX_Marshal added in v0.4.1

func (m *ReqPhoneGetCallConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneGetCallConfig) XXX_Merge added in v0.4.1

func (dst *ReqPhoneGetCallConfig) XXX_Merge(src proto.Message)

func (*ReqPhoneGetCallConfig) XXX_Size added in v0.4.1

func (m *ReqPhoneGetCallConfig) XXX_Size() int

func (*ReqPhoneGetCallConfig) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneGetCallConfig) XXX_Unmarshal(b []byte) error

type ReqPhoneReceivedCall

type ReqPhoneReceivedCall struct {
	// default: InputPhoneCall
	Peer                 *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqPhoneReceivedCall) Descriptor

func (*ReqPhoneReceivedCall) Descriptor() ([]byte, []int)

func (*ReqPhoneReceivedCall) GetPeer

func (*ReqPhoneReceivedCall) ProtoMessage

func (*ReqPhoneReceivedCall) ProtoMessage()

func (*ReqPhoneReceivedCall) Reset

func (m *ReqPhoneReceivedCall) Reset()

func (*ReqPhoneReceivedCall) String

func (m *ReqPhoneReceivedCall) String() string

func (*ReqPhoneReceivedCall) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneReceivedCall) XXX_DiscardUnknown()

func (*ReqPhoneReceivedCall) XXX_Marshal added in v0.4.1

func (m *ReqPhoneReceivedCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneReceivedCall) XXX_Merge added in v0.4.1

func (dst *ReqPhoneReceivedCall) XXX_Merge(src proto.Message)

func (*ReqPhoneReceivedCall) XXX_Size added in v0.4.1

func (m *ReqPhoneReceivedCall) XXX_Size() int

func (*ReqPhoneReceivedCall) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneReceivedCall) XXX_Unmarshal(b []byte) error

type ReqPhoneRequestCall

type ReqPhoneRequestCall struct {
	// default: InputUser
	UserId   *TypeInputUser `protobuf:"bytes,1,opt,name=UserId" json:"UserId,omitempty"`
	RandomId int32          `protobuf:"varint,2,opt,name=RandomId" json:"RandomId,omitempty"`
	GAHash   []byte         `protobuf:"bytes,3,opt,name=GAHash,proto3" json:"GAHash,omitempty"`
	// default: PhoneCallProtocol
	Protocol             *TypePhoneCallProtocol `protobuf:"bytes,4,opt,name=Protocol" json:"Protocol,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqPhoneRequestCall) Descriptor

func (*ReqPhoneRequestCall) Descriptor() ([]byte, []int)

func (*ReqPhoneRequestCall) GetGAHash

func (m *ReqPhoneRequestCall) GetGAHash() []byte

func (*ReqPhoneRequestCall) GetProtocol

func (m *ReqPhoneRequestCall) GetProtocol() *TypePhoneCallProtocol

func (*ReqPhoneRequestCall) GetRandomId

func (m *ReqPhoneRequestCall) GetRandomId() int32

func (*ReqPhoneRequestCall) GetUserId

func (m *ReqPhoneRequestCall) GetUserId() *TypeInputUser

func (*ReqPhoneRequestCall) ProtoMessage

func (*ReqPhoneRequestCall) ProtoMessage()

func (*ReqPhoneRequestCall) Reset

func (m *ReqPhoneRequestCall) Reset()

func (*ReqPhoneRequestCall) String

func (m *ReqPhoneRequestCall) String() string

func (*ReqPhoneRequestCall) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneRequestCall) XXX_DiscardUnknown()

func (*ReqPhoneRequestCall) XXX_Marshal added in v0.4.1

func (m *ReqPhoneRequestCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneRequestCall) XXX_Merge added in v0.4.1

func (dst *ReqPhoneRequestCall) XXX_Merge(src proto.Message)

func (*ReqPhoneRequestCall) XXX_Size added in v0.4.1

func (m *ReqPhoneRequestCall) XXX_Size() int

func (*ReqPhoneRequestCall) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneRequestCall) XXX_Unmarshal(b []byte) error

type ReqPhoneSaveCallDebug

type ReqPhoneSaveCallDebug struct {
	// default: InputPhoneCall
	Peer *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	// default: DataJSON
	Debug                *TypeDataJSON `protobuf:"bytes,2,opt,name=Debug" json:"Debug,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*ReqPhoneSaveCallDebug) Descriptor

func (*ReqPhoneSaveCallDebug) Descriptor() ([]byte, []int)

func (*ReqPhoneSaveCallDebug) GetDebug

func (m *ReqPhoneSaveCallDebug) GetDebug() *TypeDataJSON

func (*ReqPhoneSaveCallDebug) GetPeer

func (*ReqPhoneSaveCallDebug) ProtoMessage

func (*ReqPhoneSaveCallDebug) ProtoMessage()

func (*ReqPhoneSaveCallDebug) Reset

func (m *ReqPhoneSaveCallDebug) Reset()

func (*ReqPhoneSaveCallDebug) String

func (m *ReqPhoneSaveCallDebug) String() string

func (*ReqPhoneSaveCallDebug) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneSaveCallDebug) XXX_DiscardUnknown()

func (*ReqPhoneSaveCallDebug) XXX_Marshal added in v0.4.1

func (m *ReqPhoneSaveCallDebug) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneSaveCallDebug) XXX_Merge added in v0.4.1

func (dst *ReqPhoneSaveCallDebug) XXX_Merge(src proto.Message)

func (*ReqPhoneSaveCallDebug) XXX_Size added in v0.4.1

func (m *ReqPhoneSaveCallDebug) XXX_Size() int

func (*ReqPhoneSaveCallDebug) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneSaveCallDebug) XXX_Unmarshal(b []byte) error

type ReqPhoneSetCallRating

type ReqPhoneSetCallRating struct {
	// default: InputPhoneCall
	Peer                 *TypeInputPhoneCall `protobuf:"bytes,1,opt,name=Peer" json:"Peer,omitempty"`
	Rating               int32               `protobuf:"varint,2,opt,name=Rating" json:"Rating,omitempty"`
	Comment              string              `protobuf:"bytes,3,opt,name=Comment" json:"Comment,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*ReqPhoneSetCallRating) Descriptor

func (*ReqPhoneSetCallRating) Descriptor() ([]byte, []int)

func (*ReqPhoneSetCallRating) GetComment

func (m *ReqPhoneSetCallRating) GetComment() string

func (*ReqPhoneSetCallRating) GetPeer

func (*ReqPhoneSetCallRating) GetRating

func (m *ReqPhoneSetCallRating) GetRating() int32

func (*ReqPhoneSetCallRating) ProtoMessage

func (*ReqPhoneSetCallRating) ProtoMessage()

func (*ReqPhoneSetCallRating) Reset

func (m *ReqPhoneSetCallRating) Reset()

func (*ReqPhoneSetCallRating) String

func (m *ReqPhoneSetCallRating) String() string

func (*ReqPhoneSetCallRating) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhoneSetCallRating) XXX_DiscardUnknown()

func (*ReqPhoneSetCallRating) XXX_Marshal added in v0.4.1

func (m *ReqPhoneSetCallRating) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhoneSetCallRating) XXX_Merge added in v0.4.1

func (dst *ReqPhoneSetCallRating) XXX_Merge(src proto.Message)

func (*ReqPhoneSetCallRating) XXX_Size added in v0.4.1

func (m *ReqPhoneSetCallRating) XXX_Size() int

func (*ReqPhoneSetCallRating) XXX_Unmarshal added in v0.4.1

func (m *ReqPhoneSetCallRating) XXX_Unmarshal(b []byte) error

type ReqPhotosDeletePhotos

type ReqPhotosDeletePhotos struct {
	// default: Vector<InputPhoto>
	Id                   []*TypeInputPhoto `protobuf:"bytes,1,rep,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*ReqPhotosDeletePhotos) Descriptor

func (*ReqPhotosDeletePhotos) Descriptor() ([]byte, []int)

func (*ReqPhotosDeletePhotos) GetId

func (m *ReqPhotosDeletePhotos) GetId() []*TypeInputPhoto

func (*ReqPhotosDeletePhotos) ProtoMessage

func (*ReqPhotosDeletePhotos) ProtoMessage()

func (*ReqPhotosDeletePhotos) Reset

func (m *ReqPhotosDeletePhotos) Reset()

func (*ReqPhotosDeletePhotos) String

func (m *ReqPhotosDeletePhotos) String() string

func (*ReqPhotosDeletePhotos) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhotosDeletePhotos) XXX_DiscardUnknown()

func (*ReqPhotosDeletePhotos) XXX_Marshal added in v0.4.1

func (m *ReqPhotosDeletePhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhotosDeletePhotos) XXX_Merge added in v0.4.1

func (dst *ReqPhotosDeletePhotos) XXX_Merge(src proto.Message)

func (*ReqPhotosDeletePhotos) XXX_Size added in v0.4.1

func (m *ReqPhotosDeletePhotos) XXX_Size() int

func (*ReqPhotosDeletePhotos) XXX_Unmarshal added in v0.4.1

func (m *ReqPhotosDeletePhotos) XXX_Unmarshal(b []byte) error

type ReqPhotosGetUserPhotos

type ReqPhotosGetUserPhotos struct {
	// default: InputUser
	UserId               *TypeInputUser `protobuf:"bytes,1,opt,name=UserId" json:"UserId,omitempty"`
	Offset               int32          `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	MaxId                int64          `protobuf:"varint,3,opt,name=MaxId" json:"MaxId,omitempty"`
	Limit                int32          `protobuf:"varint,4,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqPhotosGetUserPhotos) Descriptor

func (*ReqPhotosGetUserPhotos) Descriptor() ([]byte, []int)

func (*ReqPhotosGetUserPhotos) GetLimit

func (m *ReqPhotosGetUserPhotos) GetLimit() int32

func (*ReqPhotosGetUserPhotos) GetMaxId

func (m *ReqPhotosGetUserPhotos) GetMaxId() int64

func (*ReqPhotosGetUserPhotos) GetOffset

func (m *ReqPhotosGetUserPhotos) GetOffset() int32

func (*ReqPhotosGetUserPhotos) GetUserId

func (m *ReqPhotosGetUserPhotos) GetUserId() *TypeInputUser

func (*ReqPhotosGetUserPhotos) ProtoMessage

func (*ReqPhotosGetUserPhotos) ProtoMessage()

func (*ReqPhotosGetUserPhotos) Reset

func (m *ReqPhotosGetUserPhotos) Reset()

func (*ReqPhotosGetUserPhotos) String

func (m *ReqPhotosGetUserPhotos) String() string

func (*ReqPhotosGetUserPhotos) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhotosGetUserPhotos) XXX_DiscardUnknown()

func (*ReqPhotosGetUserPhotos) XXX_Marshal added in v0.4.1

func (m *ReqPhotosGetUserPhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhotosGetUserPhotos) XXX_Merge added in v0.4.1

func (dst *ReqPhotosGetUserPhotos) XXX_Merge(src proto.Message)

func (*ReqPhotosGetUserPhotos) XXX_Size added in v0.4.1

func (m *ReqPhotosGetUserPhotos) XXX_Size() int

func (*ReqPhotosGetUserPhotos) XXX_Unmarshal added in v0.4.1

func (m *ReqPhotosGetUserPhotos) XXX_Unmarshal(b []byte) error

type ReqPhotosUpdateProfilePhoto

type ReqPhotosUpdateProfilePhoto struct {
	// default: InputPhoto
	Id                   *TypeInputPhoto `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*ReqPhotosUpdateProfilePhoto) Descriptor

func (*ReqPhotosUpdateProfilePhoto) Descriptor() ([]byte, []int)

func (*ReqPhotosUpdateProfilePhoto) GetId

func (*ReqPhotosUpdateProfilePhoto) ProtoMessage

func (*ReqPhotosUpdateProfilePhoto) ProtoMessage()

func (*ReqPhotosUpdateProfilePhoto) Reset

func (m *ReqPhotosUpdateProfilePhoto) Reset()

func (*ReqPhotosUpdateProfilePhoto) String

func (m *ReqPhotosUpdateProfilePhoto) String() string

func (*ReqPhotosUpdateProfilePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhotosUpdateProfilePhoto) XXX_DiscardUnknown()

func (*ReqPhotosUpdateProfilePhoto) XXX_Marshal added in v0.4.1

func (m *ReqPhotosUpdateProfilePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhotosUpdateProfilePhoto) XXX_Merge added in v0.4.1

func (dst *ReqPhotosUpdateProfilePhoto) XXX_Merge(src proto.Message)

func (*ReqPhotosUpdateProfilePhoto) XXX_Size added in v0.4.1

func (m *ReqPhotosUpdateProfilePhoto) XXX_Size() int

func (*ReqPhotosUpdateProfilePhoto) XXX_Unmarshal added in v0.4.1

func (m *ReqPhotosUpdateProfilePhoto) XXX_Unmarshal(b []byte) error

type ReqPhotosUploadProfilePhoto

type ReqPhotosUploadProfilePhoto struct {
	// default: InputFile
	File                 *TypeInputFile `protobuf:"bytes,1,opt,name=File" json:"File,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqPhotosUploadProfilePhoto) Descriptor

func (*ReqPhotosUploadProfilePhoto) Descriptor() ([]byte, []int)

func (*ReqPhotosUploadProfilePhoto) GetFile

func (*ReqPhotosUploadProfilePhoto) ProtoMessage

func (*ReqPhotosUploadProfilePhoto) ProtoMessage()

func (*ReqPhotosUploadProfilePhoto) Reset

func (m *ReqPhotosUploadProfilePhoto) Reset()

func (*ReqPhotosUploadProfilePhoto) String

func (m *ReqPhotosUploadProfilePhoto) String() string

func (*ReqPhotosUploadProfilePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *ReqPhotosUploadProfilePhoto) XXX_DiscardUnknown()

func (*ReqPhotosUploadProfilePhoto) XXX_Marshal added in v0.4.1

func (m *ReqPhotosUploadProfilePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqPhotosUploadProfilePhoto) XXX_Merge added in v0.4.1

func (dst *ReqPhotosUploadProfilePhoto) XXX_Merge(src proto.Message)

func (*ReqPhotosUploadProfilePhoto) XXX_Size added in v0.4.1

func (m *ReqPhotosUploadProfilePhoto) XXX_Size() int

func (*ReqPhotosUploadProfilePhoto) XXX_Unmarshal added in v0.4.1

func (m *ReqPhotosUploadProfilePhoto) XXX_Unmarshal(b []byte) error

type ReqStickersAddStickerToSet

type ReqStickersAddStickerToSet struct {
	// default: InputStickerSet
	Stickerset *TypeInputStickerSet `protobuf:"bytes,1,opt,name=Stickerset" json:"Stickerset,omitempty"`
	// default: InputStickerSetItem
	Sticker              *TypeInputStickerSetItem `protobuf:"bytes,2,opt,name=Sticker" json:"Sticker,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*ReqStickersAddStickerToSet) Descriptor

func (*ReqStickersAddStickerToSet) Descriptor() ([]byte, []int)

func (*ReqStickersAddStickerToSet) GetSticker

func (*ReqStickersAddStickerToSet) GetStickerset

func (m *ReqStickersAddStickerToSet) GetStickerset() *TypeInputStickerSet

func (*ReqStickersAddStickerToSet) ProtoMessage

func (*ReqStickersAddStickerToSet) ProtoMessage()

func (*ReqStickersAddStickerToSet) Reset

func (m *ReqStickersAddStickerToSet) Reset()

func (*ReqStickersAddStickerToSet) String

func (m *ReqStickersAddStickerToSet) String() string

func (*ReqStickersAddStickerToSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqStickersAddStickerToSet) XXX_DiscardUnknown()

func (*ReqStickersAddStickerToSet) XXX_Marshal added in v0.4.1

func (m *ReqStickersAddStickerToSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqStickersAddStickerToSet) XXX_Merge added in v0.4.1

func (dst *ReqStickersAddStickerToSet) XXX_Merge(src proto.Message)

func (*ReqStickersAddStickerToSet) XXX_Size added in v0.4.1

func (m *ReqStickersAddStickerToSet) XXX_Size() int

func (*ReqStickersAddStickerToSet) XXX_Unmarshal added in v0.4.1

func (m *ReqStickersAddStickerToSet) XXX_Unmarshal(b []byte) error

type ReqStickersChangeStickerPosition

type ReqStickersChangeStickerPosition struct {
	// default: InputDocument
	Sticker              *TypeInputDocument `protobuf:"bytes,1,opt,name=Sticker" json:"Sticker,omitempty"`
	Position             int32              `protobuf:"varint,2,opt,name=Position" json:"Position,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*ReqStickersChangeStickerPosition) Descriptor

func (*ReqStickersChangeStickerPosition) Descriptor() ([]byte, []int)

func (*ReqStickersChangeStickerPosition) GetPosition

func (m *ReqStickersChangeStickerPosition) GetPosition() int32

func (*ReqStickersChangeStickerPosition) GetSticker

func (*ReqStickersChangeStickerPosition) ProtoMessage

func (*ReqStickersChangeStickerPosition) ProtoMessage()

func (*ReqStickersChangeStickerPosition) Reset

func (*ReqStickersChangeStickerPosition) String

func (*ReqStickersChangeStickerPosition) XXX_DiscardUnknown added in v0.4.1

func (m *ReqStickersChangeStickerPosition) XXX_DiscardUnknown()

func (*ReqStickersChangeStickerPosition) XXX_Marshal added in v0.4.1

func (m *ReqStickersChangeStickerPosition) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqStickersChangeStickerPosition) XXX_Merge added in v0.4.1

func (dst *ReqStickersChangeStickerPosition) XXX_Merge(src proto.Message)

func (*ReqStickersChangeStickerPosition) XXX_Size added in v0.4.1

func (m *ReqStickersChangeStickerPosition) XXX_Size() int

func (*ReqStickersChangeStickerPosition) XXX_Unmarshal added in v0.4.1

func (m *ReqStickersChangeStickerPosition) XXX_Unmarshal(b []byte) error

type ReqStickersCreateStickerSet

type ReqStickersCreateStickerSet struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Masks	bool // flags.0?true
	// default: InputUser
	UserId    *TypeInputUser `protobuf:"bytes,3,opt,name=UserId" json:"UserId,omitempty"`
	Title     string         `protobuf:"bytes,4,opt,name=Title" json:"Title,omitempty"`
	ShortName string         `protobuf:"bytes,5,opt,name=ShortName" json:"ShortName,omitempty"`
	// default: Vector<InputStickerSetItem>
	Stickers             []*TypeInputStickerSetItem `protobuf:"bytes,6,rep,name=Stickers" json:"Stickers,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*ReqStickersCreateStickerSet) Descriptor

func (*ReqStickersCreateStickerSet) Descriptor() ([]byte, []int)

func (*ReqStickersCreateStickerSet) GetFlags

func (m *ReqStickersCreateStickerSet) GetFlags() int32

func (*ReqStickersCreateStickerSet) GetShortName

func (m *ReqStickersCreateStickerSet) GetShortName() string

func (*ReqStickersCreateStickerSet) GetStickers

func (*ReqStickersCreateStickerSet) GetTitle

func (m *ReqStickersCreateStickerSet) GetTitle() string

func (*ReqStickersCreateStickerSet) GetUserId

func (*ReqStickersCreateStickerSet) ProtoMessage

func (*ReqStickersCreateStickerSet) ProtoMessage()

func (*ReqStickersCreateStickerSet) Reset

func (m *ReqStickersCreateStickerSet) Reset()

func (*ReqStickersCreateStickerSet) String

func (m *ReqStickersCreateStickerSet) String() string

func (*ReqStickersCreateStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqStickersCreateStickerSet) XXX_DiscardUnknown()

func (*ReqStickersCreateStickerSet) XXX_Marshal added in v0.4.1

func (m *ReqStickersCreateStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqStickersCreateStickerSet) XXX_Merge added in v0.4.1

func (dst *ReqStickersCreateStickerSet) XXX_Merge(src proto.Message)

func (*ReqStickersCreateStickerSet) XXX_Size added in v0.4.1

func (m *ReqStickersCreateStickerSet) XXX_Size() int

func (*ReqStickersCreateStickerSet) XXX_Unmarshal added in v0.4.1

func (m *ReqStickersCreateStickerSet) XXX_Unmarshal(b []byte) error

type ReqStickersRemoveStickerFromSet

type ReqStickersRemoveStickerFromSet struct {
	// default: InputDocument
	Sticker              *TypeInputDocument `protobuf:"bytes,1,opt,name=Sticker" json:"Sticker,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*ReqStickersRemoveStickerFromSet) Descriptor

func (*ReqStickersRemoveStickerFromSet) Descriptor() ([]byte, []int)

func (*ReqStickersRemoveStickerFromSet) GetSticker

func (*ReqStickersRemoveStickerFromSet) ProtoMessage

func (*ReqStickersRemoveStickerFromSet) ProtoMessage()

func (*ReqStickersRemoveStickerFromSet) Reset

func (*ReqStickersRemoveStickerFromSet) String

func (*ReqStickersRemoveStickerFromSet) XXX_DiscardUnknown added in v0.4.1

func (m *ReqStickersRemoveStickerFromSet) XXX_DiscardUnknown()

func (*ReqStickersRemoveStickerFromSet) XXX_Marshal added in v0.4.1

func (m *ReqStickersRemoveStickerFromSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqStickersRemoveStickerFromSet) XXX_Merge added in v0.4.1

func (dst *ReqStickersRemoveStickerFromSet) XXX_Merge(src proto.Message)

func (*ReqStickersRemoveStickerFromSet) XXX_Size added in v0.4.1

func (m *ReqStickersRemoveStickerFromSet) XXX_Size() int

func (*ReqStickersRemoveStickerFromSet) XXX_Unmarshal added in v0.4.1

func (m *ReqStickersRemoveStickerFromSet) XXX_Unmarshal(b []byte) error

type ReqUpdatesGetChannelDifference

type ReqUpdatesGetChannelDifference struct {
	Flags int32 `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	// Force	bool // flags.0?true
	// default: InputChannel
	Channel *TypeInputChannel `protobuf:"bytes,3,opt,name=Channel" json:"Channel,omitempty"`
	// default: ChannelMessagesFilter
	Filter               *TypeChannelMessagesFilter `protobuf:"bytes,4,opt,name=Filter" json:"Filter,omitempty"`
	Pts                  int32                      `protobuf:"varint,5,opt,name=Pts" json:"Pts,omitempty"`
	Limit                int32                      `protobuf:"varint,6,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*ReqUpdatesGetChannelDifference) Descriptor

func (*ReqUpdatesGetChannelDifference) Descriptor() ([]byte, []int)

func (*ReqUpdatesGetChannelDifference) GetChannel

func (*ReqUpdatesGetChannelDifference) GetFilter

func (*ReqUpdatesGetChannelDifference) GetFlags

func (m *ReqUpdatesGetChannelDifference) GetFlags() int32

func (*ReqUpdatesGetChannelDifference) GetLimit

func (m *ReqUpdatesGetChannelDifference) GetLimit() int32

func (*ReqUpdatesGetChannelDifference) GetPts

func (*ReqUpdatesGetChannelDifference) ProtoMessage

func (*ReqUpdatesGetChannelDifference) ProtoMessage()

func (*ReqUpdatesGetChannelDifference) Reset

func (m *ReqUpdatesGetChannelDifference) Reset()

func (*ReqUpdatesGetChannelDifference) String

func (*ReqUpdatesGetChannelDifference) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUpdatesGetChannelDifference) XXX_DiscardUnknown()

func (*ReqUpdatesGetChannelDifference) XXX_Marshal added in v0.4.1

func (m *ReqUpdatesGetChannelDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUpdatesGetChannelDifference) XXX_Merge added in v0.4.1

func (dst *ReqUpdatesGetChannelDifference) XXX_Merge(src proto.Message)

func (*ReqUpdatesGetChannelDifference) XXX_Size added in v0.4.1

func (m *ReqUpdatesGetChannelDifference) XXX_Size() int

func (*ReqUpdatesGetChannelDifference) XXX_Unmarshal added in v0.4.1

func (m *ReqUpdatesGetChannelDifference) XXX_Unmarshal(b []byte) error

type ReqUpdatesGetDifference

type ReqUpdatesGetDifference struct {
	Flags                int32    `protobuf:"varint,1,opt,name=Flags" json:"Flags,omitempty"`
	Pts                  int32    `protobuf:"varint,2,opt,name=Pts" json:"Pts,omitempty"`
	PtsTotalLimit        int32    `protobuf:"varint,3,opt,name=PtsTotalLimit" json:"PtsTotalLimit,omitempty"`
	Date                 int32    `protobuf:"varint,4,opt,name=Date" json:"Date,omitempty"`
	Qts                  int32    `protobuf:"varint,5,opt,name=Qts" json:"Qts,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUpdatesGetDifference) Descriptor

func (*ReqUpdatesGetDifference) Descriptor() ([]byte, []int)

func (*ReqUpdatesGetDifference) GetDate

func (m *ReqUpdatesGetDifference) GetDate() int32

func (*ReqUpdatesGetDifference) GetFlags

func (m *ReqUpdatesGetDifference) GetFlags() int32

func (*ReqUpdatesGetDifference) GetPts

func (m *ReqUpdatesGetDifference) GetPts() int32

func (*ReqUpdatesGetDifference) GetPtsTotalLimit

func (m *ReqUpdatesGetDifference) GetPtsTotalLimit() int32

func (*ReqUpdatesGetDifference) GetQts

func (m *ReqUpdatesGetDifference) GetQts() int32

func (*ReqUpdatesGetDifference) ProtoMessage

func (*ReqUpdatesGetDifference) ProtoMessage()

func (*ReqUpdatesGetDifference) Reset

func (m *ReqUpdatesGetDifference) Reset()

func (*ReqUpdatesGetDifference) String

func (m *ReqUpdatesGetDifference) String() string

func (*ReqUpdatesGetDifference) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUpdatesGetDifference) XXX_DiscardUnknown()

func (*ReqUpdatesGetDifference) XXX_Marshal added in v0.4.1

func (m *ReqUpdatesGetDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUpdatesGetDifference) XXX_Merge added in v0.4.1

func (dst *ReqUpdatesGetDifference) XXX_Merge(src proto.Message)

func (*ReqUpdatesGetDifference) XXX_Size added in v0.4.1

func (m *ReqUpdatesGetDifference) XXX_Size() int

func (*ReqUpdatesGetDifference) XXX_Unmarshal added in v0.4.1

func (m *ReqUpdatesGetDifference) XXX_Unmarshal(b []byte) error

type ReqUpdatesGetState

type ReqUpdatesGetState struct {
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUpdatesGetState) Descriptor

func (*ReqUpdatesGetState) Descriptor() ([]byte, []int)

func (*ReqUpdatesGetState) ProtoMessage

func (*ReqUpdatesGetState) ProtoMessage()

func (*ReqUpdatesGetState) Reset

func (m *ReqUpdatesGetState) Reset()

func (*ReqUpdatesGetState) String

func (m *ReqUpdatesGetState) String() string

func (*ReqUpdatesGetState) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUpdatesGetState) XXX_DiscardUnknown()

func (*ReqUpdatesGetState) XXX_Marshal added in v0.4.1

func (m *ReqUpdatesGetState) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUpdatesGetState) XXX_Merge added in v0.4.1

func (dst *ReqUpdatesGetState) XXX_Merge(src proto.Message)

func (*ReqUpdatesGetState) XXX_Size added in v0.4.1

func (m *ReqUpdatesGetState) XXX_Size() int

func (*ReqUpdatesGetState) XXX_Unmarshal added in v0.4.1

func (m *ReqUpdatesGetState) XXX_Unmarshal(b []byte) error

type ReqUploadGetCdnFile

type ReqUploadGetCdnFile struct {
	FileToken            []byte   `protobuf:"bytes,1,opt,name=FileToken,proto3" json:"FileToken,omitempty"`
	Offset               int32    `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32    `protobuf:"varint,3,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUploadGetCdnFile) Descriptor

func (*ReqUploadGetCdnFile) Descriptor() ([]byte, []int)

func (*ReqUploadGetCdnFile) GetFileToken

func (m *ReqUploadGetCdnFile) GetFileToken() []byte

func (*ReqUploadGetCdnFile) GetLimit

func (m *ReqUploadGetCdnFile) GetLimit() int32

func (*ReqUploadGetCdnFile) GetOffset

func (m *ReqUploadGetCdnFile) GetOffset() int32

func (*ReqUploadGetCdnFile) ProtoMessage

func (*ReqUploadGetCdnFile) ProtoMessage()

func (*ReqUploadGetCdnFile) Reset

func (m *ReqUploadGetCdnFile) Reset()

func (*ReqUploadGetCdnFile) String

func (m *ReqUploadGetCdnFile) String() string

func (*ReqUploadGetCdnFile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadGetCdnFile) XXX_DiscardUnknown()

func (*ReqUploadGetCdnFile) XXX_Marshal added in v0.4.1

func (m *ReqUploadGetCdnFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadGetCdnFile) XXX_Merge added in v0.4.1

func (dst *ReqUploadGetCdnFile) XXX_Merge(src proto.Message)

func (*ReqUploadGetCdnFile) XXX_Size added in v0.4.1

func (m *ReqUploadGetCdnFile) XXX_Size() int

func (*ReqUploadGetCdnFile) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadGetCdnFile) XXX_Unmarshal(b []byte) error

type ReqUploadGetCdnFileHashes

type ReqUploadGetCdnFileHashes struct {
	FileToken            []byte   `protobuf:"bytes,1,opt,name=FileToken,proto3" json:"FileToken,omitempty"`
	Offset               int32    `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUploadGetCdnFileHashes) Descriptor

func (*ReqUploadGetCdnFileHashes) Descriptor() ([]byte, []int)

func (*ReqUploadGetCdnFileHashes) GetFileToken

func (m *ReqUploadGetCdnFileHashes) GetFileToken() []byte

func (*ReqUploadGetCdnFileHashes) GetOffset

func (m *ReqUploadGetCdnFileHashes) GetOffset() int32

func (*ReqUploadGetCdnFileHashes) ProtoMessage

func (*ReqUploadGetCdnFileHashes) ProtoMessage()

func (*ReqUploadGetCdnFileHashes) Reset

func (m *ReqUploadGetCdnFileHashes) Reset()

func (*ReqUploadGetCdnFileHashes) String

func (m *ReqUploadGetCdnFileHashes) String() string

func (*ReqUploadGetCdnFileHashes) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadGetCdnFileHashes) XXX_DiscardUnknown()

func (*ReqUploadGetCdnFileHashes) XXX_Marshal added in v0.4.1

func (m *ReqUploadGetCdnFileHashes) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadGetCdnFileHashes) XXX_Merge added in v0.4.1

func (dst *ReqUploadGetCdnFileHashes) XXX_Merge(src proto.Message)

func (*ReqUploadGetCdnFileHashes) XXX_Size added in v0.4.1

func (m *ReqUploadGetCdnFileHashes) XXX_Size() int

func (*ReqUploadGetCdnFileHashes) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadGetCdnFileHashes) XXX_Unmarshal(b []byte) error

type ReqUploadGetFile

type ReqUploadGetFile struct {
	// default: InputFileLocation
	Location             *TypeInputFileLocation `protobuf:"bytes,1,opt,name=Location" json:"Location,omitempty"`
	Offset               int32                  `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32                  `protobuf:"varint,3,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*ReqUploadGetFile) Descriptor

func (*ReqUploadGetFile) Descriptor() ([]byte, []int)

func (*ReqUploadGetFile) GetLimit

func (m *ReqUploadGetFile) GetLimit() int32

func (*ReqUploadGetFile) GetLocation

func (m *ReqUploadGetFile) GetLocation() *TypeInputFileLocation

func (*ReqUploadGetFile) GetOffset

func (m *ReqUploadGetFile) GetOffset() int32

func (*ReqUploadGetFile) ProtoMessage

func (*ReqUploadGetFile) ProtoMessage()

func (*ReqUploadGetFile) Reset

func (m *ReqUploadGetFile) Reset()

func (*ReqUploadGetFile) String

func (m *ReqUploadGetFile) String() string

func (*ReqUploadGetFile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadGetFile) XXX_DiscardUnknown()

func (*ReqUploadGetFile) XXX_Marshal added in v0.4.1

func (m *ReqUploadGetFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadGetFile) XXX_Merge added in v0.4.1

func (dst *ReqUploadGetFile) XXX_Merge(src proto.Message)

func (*ReqUploadGetFile) XXX_Size added in v0.4.1

func (m *ReqUploadGetFile) XXX_Size() int

func (*ReqUploadGetFile) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadGetFile) XXX_Unmarshal(b []byte) error

type ReqUploadGetWebFile

type ReqUploadGetWebFile struct {
	// default: InputWebFileLocation
	Location             *TypeInputWebFileLocation `protobuf:"bytes,1,opt,name=Location" json:"Location,omitempty"`
	Offset               int32                     `protobuf:"varint,2,opt,name=Offset" json:"Offset,omitempty"`
	Limit                int32                     `protobuf:"varint,3,opt,name=Limit" json:"Limit,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*ReqUploadGetWebFile) Descriptor

func (*ReqUploadGetWebFile) Descriptor() ([]byte, []int)

func (*ReqUploadGetWebFile) GetLimit

func (m *ReqUploadGetWebFile) GetLimit() int32

func (*ReqUploadGetWebFile) GetLocation

func (*ReqUploadGetWebFile) GetOffset

func (m *ReqUploadGetWebFile) GetOffset() int32

func (*ReqUploadGetWebFile) ProtoMessage

func (*ReqUploadGetWebFile) ProtoMessage()

func (*ReqUploadGetWebFile) Reset

func (m *ReqUploadGetWebFile) Reset()

func (*ReqUploadGetWebFile) String

func (m *ReqUploadGetWebFile) String() string

func (*ReqUploadGetWebFile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadGetWebFile) XXX_DiscardUnknown()

func (*ReqUploadGetWebFile) XXX_Marshal added in v0.4.1

func (m *ReqUploadGetWebFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadGetWebFile) XXX_Merge added in v0.4.1

func (dst *ReqUploadGetWebFile) XXX_Merge(src proto.Message)

func (*ReqUploadGetWebFile) XXX_Size added in v0.4.1

func (m *ReqUploadGetWebFile) XXX_Size() int

func (*ReqUploadGetWebFile) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadGetWebFile) XXX_Unmarshal(b []byte) error

type ReqUploadReuploadCdnFile

type ReqUploadReuploadCdnFile struct {
	FileToken            []byte   `protobuf:"bytes,1,opt,name=FileToken,proto3" json:"FileToken,omitempty"`
	RequestToken         []byte   `protobuf:"bytes,2,opt,name=RequestToken,proto3" json:"RequestToken,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUploadReuploadCdnFile) Descriptor

func (*ReqUploadReuploadCdnFile) Descriptor() ([]byte, []int)

func (*ReqUploadReuploadCdnFile) GetFileToken

func (m *ReqUploadReuploadCdnFile) GetFileToken() []byte

func (*ReqUploadReuploadCdnFile) GetRequestToken

func (m *ReqUploadReuploadCdnFile) GetRequestToken() []byte

func (*ReqUploadReuploadCdnFile) ProtoMessage

func (*ReqUploadReuploadCdnFile) ProtoMessage()

func (*ReqUploadReuploadCdnFile) Reset

func (m *ReqUploadReuploadCdnFile) Reset()

func (*ReqUploadReuploadCdnFile) String

func (m *ReqUploadReuploadCdnFile) String() string

func (*ReqUploadReuploadCdnFile) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadReuploadCdnFile) XXX_DiscardUnknown()

func (*ReqUploadReuploadCdnFile) XXX_Marshal added in v0.4.1

func (m *ReqUploadReuploadCdnFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadReuploadCdnFile) XXX_Merge added in v0.4.1

func (dst *ReqUploadReuploadCdnFile) XXX_Merge(src proto.Message)

func (*ReqUploadReuploadCdnFile) XXX_Size added in v0.4.1

func (m *ReqUploadReuploadCdnFile) XXX_Size() int

func (*ReqUploadReuploadCdnFile) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadReuploadCdnFile) XXX_Unmarshal(b []byte) error

type ReqUploadSaveBigFilePart

type ReqUploadSaveBigFilePart struct {
	FileId               int64    `protobuf:"varint,1,opt,name=FileId" json:"FileId,omitempty"`
	FilePart             int32    `protobuf:"varint,2,opt,name=FilePart" json:"FilePart,omitempty"`
	FileTotalParts       int32    `protobuf:"varint,3,opt,name=FileTotalParts" json:"FileTotalParts,omitempty"`
	Bytes                []byte   `protobuf:"bytes,4,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUploadSaveBigFilePart) Descriptor

func (*ReqUploadSaveBigFilePart) Descriptor() ([]byte, []int)

func (*ReqUploadSaveBigFilePart) GetBytes

func (m *ReqUploadSaveBigFilePart) GetBytes() []byte

func (*ReqUploadSaveBigFilePart) GetFileId

func (m *ReqUploadSaveBigFilePart) GetFileId() int64

func (*ReqUploadSaveBigFilePart) GetFilePart

func (m *ReqUploadSaveBigFilePart) GetFilePart() int32

func (*ReqUploadSaveBigFilePart) GetFileTotalParts

func (m *ReqUploadSaveBigFilePart) GetFileTotalParts() int32

func (*ReqUploadSaveBigFilePart) ProtoMessage

func (*ReqUploadSaveBigFilePart) ProtoMessage()

func (*ReqUploadSaveBigFilePart) Reset

func (m *ReqUploadSaveBigFilePart) Reset()

func (*ReqUploadSaveBigFilePart) String

func (m *ReqUploadSaveBigFilePart) String() string

func (*ReqUploadSaveBigFilePart) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadSaveBigFilePart) XXX_DiscardUnknown()

func (*ReqUploadSaveBigFilePart) XXX_Marshal added in v0.4.1

func (m *ReqUploadSaveBigFilePart) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadSaveBigFilePart) XXX_Merge added in v0.4.1

func (dst *ReqUploadSaveBigFilePart) XXX_Merge(src proto.Message)

func (*ReqUploadSaveBigFilePart) XXX_Size added in v0.4.1

func (m *ReqUploadSaveBigFilePart) XXX_Size() int

func (*ReqUploadSaveBigFilePart) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadSaveBigFilePart) XXX_Unmarshal(b []byte) error

type ReqUploadSaveFilePart

type ReqUploadSaveFilePart struct {
	FileId               int64    `protobuf:"varint,1,opt,name=FileId" json:"FileId,omitempty"`
	FilePart             int32    `protobuf:"varint,2,opt,name=FilePart" json:"FilePart,omitempty"`
	Bytes                []byte   `protobuf:"bytes,3,opt,name=Bytes,proto3" json:"Bytes,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*ReqUploadSaveFilePart) Descriptor

func (*ReqUploadSaveFilePart) Descriptor() ([]byte, []int)

func (*ReqUploadSaveFilePart) GetBytes

func (m *ReqUploadSaveFilePart) GetBytes() []byte

func (*ReqUploadSaveFilePart) GetFileId

func (m *ReqUploadSaveFilePart) GetFileId() int64

func (*ReqUploadSaveFilePart) GetFilePart

func (m *ReqUploadSaveFilePart) GetFilePart() int32

func (*ReqUploadSaveFilePart) ProtoMessage

func (*ReqUploadSaveFilePart) ProtoMessage()

func (*ReqUploadSaveFilePart) Reset

func (m *ReqUploadSaveFilePart) Reset()

func (*ReqUploadSaveFilePart) String

func (m *ReqUploadSaveFilePart) String() string

func (*ReqUploadSaveFilePart) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUploadSaveFilePart) XXX_DiscardUnknown()

func (*ReqUploadSaveFilePart) XXX_Marshal added in v0.4.1

func (m *ReqUploadSaveFilePart) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUploadSaveFilePart) XXX_Merge added in v0.4.1

func (dst *ReqUploadSaveFilePart) XXX_Merge(src proto.Message)

func (*ReqUploadSaveFilePart) XXX_Size added in v0.4.1

func (m *ReqUploadSaveFilePart) XXX_Size() int

func (*ReqUploadSaveFilePart) XXX_Unmarshal added in v0.4.1

func (m *ReqUploadSaveFilePart) XXX_Unmarshal(b []byte) error

type ReqUsersGetFullUser

type ReqUsersGetFullUser struct {
	// default: InputUser
	Id                   *TypeInputUser `protobuf:"bytes,1,opt,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*ReqUsersGetFullUser) Descriptor

func (*ReqUsersGetFullUser) Descriptor() ([]byte, []int)

func (*ReqUsersGetFullUser) GetId

func (m *ReqUsersGetFullUser) GetId() *TypeInputUser

func (*ReqUsersGetFullUser) ProtoMessage

func (*ReqUsersGetFullUser) ProtoMessage()

func (*ReqUsersGetFullUser) Reset

func (m *ReqUsersGetFullUser) Reset()

func (*ReqUsersGetFullUser) String

func (m *ReqUsersGetFullUser) String() string

func (*ReqUsersGetFullUser) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUsersGetFullUser) XXX_DiscardUnknown()

func (*ReqUsersGetFullUser) XXX_Marshal added in v0.4.1

func (m *ReqUsersGetFullUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUsersGetFullUser) XXX_Merge added in v0.4.1

func (dst *ReqUsersGetFullUser) XXX_Merge(src proto.Message)

func (*ReqUsersGetFullUser) XXX_Size added in v0.4.1

func (m *ReqUsersGetFullUser) XXX_Size() int

func (*ReqUsersGetFullUser) XXX_Unmarshal added in v0.4.1

func (m *ReqUsersGetFullUser) XXX_Unmarshal(b []byte) error

type ReqUsersGetUsers

type ReqUsersGetUsers struct {
	// default: Vector<InputUser>
	Id                   []*TypeInputUser `protobuf:"bytes,1,rep,name=Id" json:"Id,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*ReqUsersGetUsers) Descriptor

func (*ReqUsersGetUsers) Descriptor() ([]byte, []int)

func (*ReqUsersGetUsers) GetId

func (m *ReqUsersGetUsers) GetId() []*TypeInputUser

func (*ReqUsersGetUsers) ProtoMessage

func (*ReqUsersGetUsers) ProtoMessage()

func (*ReqUsersGetUsers) Reset

func (m *ReqUsersGetUsers) Reset()

func (*ReqUsersGetUsers) String

func (m *ReqUsersGetUsers) String() string

func (*ReqUsersGetUsers) XXX_DiscardUnknown added in v0.4.1

func (m *ReqUsersGetUsers) XXX_DiscardUnknown()

func (*ReqUsersGetUsers) XXX_Marshal added in v0.4.1

func (m *ReqUsersGetUsers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*ReqUsersGetUsers) XXX_Merge added in v0.4.1

func (dst *ReqUsersGetUsers) XXX_Merge(src proto.Message)

func (*ReqUsersGetUsers) XXX_Size added in v0.4.1

func (m *ReqUsersGetUsers) XXX_Size() int

func (*ReqUsersGetUsers) XXX_Unmarshal added in v0.4.1

func (m *ReqUsersGetUsers) XXX_Unmarshal(b []byte) error

type Session

type Session struct {
	// contains filtered or unexported fields
}

func (*Session) AddSessionListener

func (session *Session) AddSessionListener(listener chan Event)

func (*Session) LogPrefix

func (x *Session) LogPrefix() string

func (*Session) RemoveSessionListener

func (session *Session) RemoveSessionListener(toremove chan Event) error

type SessionDiscarded

type SessionDiscarded struct {
	// contains filtered or unexported fields
}

func (SessionDiscarded) Type

func (e SessionDiscarded) Type() EventType

type SessionEstablished

type SessionEstablished struct {
	// contains filtered or unexported fields
}

Established = made + bound

func (SessionEstablished) Type

func (e SessionEstablished) Type() EventType

type TL

type TL interface {
	// contains filtered or unexported methods
}

type TL_MT_message

type TL_MT_message struct {
	Msg_id int64
	Seq_no int32
	Size   int32
	Data   interface{}
}

type TL_bad_server_salt

type TL_bad_server_salt struct {
	// contains filtered or unexported fields
}

type TL_client_DH_inner_data

type TL_client_DH_inner_data struct {
	// contains filtered or unexported fields
}

type TL_crc_bad_msg_notification

type TL_crc_bad_msg_notification struct {
	// contains filtered or unexported fields
}

type TL_dh_gen_ok

type TL_dh_gen_ok struct {
	// contains filtered or unexported fields
}

type TL_msg_container

type TL_msg_container struct {
	Items []TL_MT_message
}

type TL_msgs_ack

type TL_msgs_ack struct {
	// contains filtered or unexported fields
}

type TL_new_session_created

type TL_new_session_created struct {
	// contains filtered or unexported fields
}

type TL_p_q_inner_data

type TL_p_q_inner_data struct {
	// contains filtered or unexported fields
}

type TL_ping

type TL_ping struct {
	// contains filtered or unexported fields
}

type TL_pong

type TL_pong struct {
	// contains filtered or unexported fields
}

type TL_req_DH_params

type TL_req_DH_params struct {
	// contains filtered or unexported fields
}

type TL_req_pq

type TL_req_pq struct {
	// contains filtered or unexported fields
}

type TL_resPQ

type TL_resPQ struct {
	// contains filtered or unexported fields
}

type TL_rpc_error

type TL_rpc_error struct {
	// contains filtered or unexported fields
}

func (TL_rpc_error) Error

func (e TL_rpc_error) Error() string

Implements interface error

type TL_rpc_result

type TL_rpc_result struct {
	Obj interface{}
	// contains filtered or unexported fields
}

type TL_server_DH_inner_data

type TL_server_DH_inner_data struct {
	// contains filtered or unexported fields
}

type TL_server_DH_params_ok

type TL_server_DH_params_ok struct {
	// contains filtered or unexported fields
}

type TL_set_client_DH_params

type TL_set_client_DH_params struct {
	// contains filtered or unexported fields
}

type TypeAccountAuthorizations

type TypeAccountAuthorizations struct {
	Value                *PredAccountAuthorizations `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeAccountAuthorizations) Descriptor

func (*TypeAccountAuthorizations) Descriptor() ([]byte, []int)

func (*TypeAccountAuthorizations) GetValue

func (*TypeAccountAuthorizations) ProtoMessage

func (*TypeAccountAuthorizations) ProtoMessage()

func (*TypeAccountAuthorizations) Reset

func (m *TypeAccountAuthorizations) Reset()

func (*TypeAccountAuthorizations) String

func (m *TypeAccountAuthorizations) String() string

func (*TypeAccountAuthorizations) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountAuthorizations) XXX_DiscardUnknown()

func (*TypeAccountAuthorizations) XXX_Marshal added in v0.4.1

func (m *TypeAccountAuthorizations) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountAuthorizations) XXX_Merge added in v0.4.1

func (dst *TypeAccountAuthorizations) XXX_Merge(src proto.Message)

func (*TypeAccountAuthorizations) XXX_Size added in v0.4.1

func (m *TypeAccountAuthorizations) XXX_Size() int

func (*TypeAccountAuthorizations) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountAuthorizations) XXX_Unmarshal(b []byte) error

type TypeAccountDaysTTL

type TypeAccountDaysTTL struct {
	Value                *PredAccountDaysTTL `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeAccountDaysTTL) Descriptor

func (*TypeAccountDaysTTL) Descriptor() ([]byte, []int)

func (*TypeAccountDaysTTL) GetValue

func (m *TypeAccountDaysTTL) GetValue() *PredAccountDaysTTL

func (*TypeAccountDaysTTL) ProtoMessage

func (*TypeAccountDaysTTL) ProtoMessage()

func (*TypeAccountDaysTTL) Reset

func (m *TypeAccountDaysTTL) Reset()

func (*TypeAccountDaysTTL) String

func (m *TypeAccountDaysTTL) String() string

func (*TypeAccountDaysTTL) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountDaysTTL) XXX_DiscardUnknown()

func (*TypeAccountDaysTTL) XXX_Marshal added in v0.4.1

func (m *TypeAccountDaysTTL) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountDaysTTL) XXX_Merge added in v0.4.1

func (dst *TypeAccountDaysTTL) XXX_Merge(src proto.Message)

func (*TypeAccountDaysTTL) XXX_Size added in v0.4.1

func (m *TypeAccountDaysTTL) XXX_Size() int

func (*TypeAccountDaysTTL) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountDaysTTL) XXX_Unmarshal(b []byte) error

type TypeAccountPassword

type TypeAccountPassword struct {
	// Types that are valid to be assigned to Value:
	//	*TypeAccountPassword_AccountNoPassword
	//	*TypeAccountPassword_AccountPassword
	Value                isTypeAccountPassword_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeAccountPassword) Descriptor

func (*TypeAccountPassword) Descriptor() ([]byte, []int)

func (*TypeAccountPassword) GetAccountNoPassword

func (m *TypeAccountPassword) GetAccountNoPassword() *PredAccountNoPassword

func (*TypeAccountPassword) GetAccountPassword

func (m *TypeAccountPassword) GetAccountPassword() *PredAccountPassword

func (*TypeAccountPassword) GetValue

func (m *TypeAccountPassword) GetValue() isTypeAccountPassword_Value

func (*TypeAccountPassword) ProtoMessage

func (*TypeAccountPassword) ProtoMessage()

func (*TypeAccountPassword) Reset

func (m *TypeAccountPassword) Reset()

func (*TypeAccountPassword) String

func (m *TypeAccountPassword) String() string

func (*TypeAccountPassword) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountPassword) XXX_DiscardUnknown()

func (*TypeAccountPassword) XXX_Marshal added in v0.4.1

func (m *TypeAccountPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountPassword) XXX_Merge added in v0.4.1

func (dst *TypeAccountPassword) XXX_Merge(src proto.Message)

func (*TypeAccountPassword) XXX_OneofFuncs

func (*TypeAccountPassword) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeAccountPassword) XXX_Size added in v0.4.1

func (m *TypeAccountPassword) XXX_Size() int

func (*TypeAccountPassword) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountPassword) XXX_Unmarshal(b []byte) error

type TypeAccountPasswordInputSettings

type TypeAccountPasswordInputSettings struct {
	Value                *PredAccountPasswordInputSettings `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypeAccountPasswordInputSettings) Descriptor

func (*TypeAccountPasswordInputSettings) Descriptor() ([]byte, []int)

func (*TypeAccountPasswordInputSettings) GetValue

func (*TypeAccountPasswordInputSettings) ProtoMessage

func (*TypeAccountPasswordInputSettings) ProtoMessage()

func (*TypeAccountPasswordInputSettings) Reset

func (*TypeAccountPasswordInputSettings) String

func (*TypeAccountPasswordInputSettings) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountPasswordInputSettings) XXX_DiscardUnknown()

func (*TypeAccountPasswordInputSettings) XXX_Marshal added in v0.4.1

func (m *TypeAccountPasswordInputSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountPasswordInputSettings) XXX_Merge added in v0.4.1

func (dst *TypeAccountPasswordInputSettings) XXX_Merge(src proto.Message)

func (*TypeAccountPasswordInputSettings) XXX_Size added in v0.4.1

func (m *TypeAccountPasswordInputSettings) XXX_Size() int

func (*TypeAccountPasswordInputSettings) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountPasswordInputSettings) XXX_Unmarshal(b []byte) error

type TypeAccountPasswordSettings

type TypeAccountPasswordSettings struct {
	Value                *PredAccountPasswordSettings `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeAccountPasswordSettings) Descriptor

func (*TypeAccountPasswordSettings) Descriptor() ([]byte, []int)

func (*TypeAccountPasswordSettings) GetValue

func (*TypeAccountPasswordSettings) ProtoMessage

func (*TypeAccountPasswordSettings) ProtoMessage()

func (*TypeAccountPasswordSettings) Reset

func (m *TypeAccountPasswordSettings) Reset()

func (*TypeAccountPasswordSettings) String

func (m *TypeAccountPasswordSettings) String() string

func (*TypeAccountPasswordSettings) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountPasswordSettings) XXX_DiscardUnknown()

func (*TypeAccountPasswordSettings) XXX_Marshal added in v0.4.1

func (m *TypeAccountPasswordSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountPasswordSettings) XXX_Merge added in v0.4.1

func (dst *TypeAccountPasswordSettings) XXX_Merge(src proto.Message)

func (*TypeAccountPasswordSettings) XXX_Size added in v0.4.1

func (m *TypeAccountPasswordSettings) XXX_Size() int

func (*TypeAccountPasswordSettings) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountPasswordSettings) XXX_Unmarshal(b []byte) error

type TypeAccountPassword_AccountNoPassword

type TypeAccountPassword_AccountNoPassword struct {
	AccountNoPassword *PredAccountNoPassword `protobuf:"bytes,1,opt,name=AccountNoPassword,oneof"`
}

type TypeAccountPassword_AccountPassword

type TypeAccountPassword_AccountPassword struct {
	AccountPassword *PredAccountPassword `protobuf:"bytes,2,opt,name=AccountPassword,oneof"`
}

type TypeAccountPrivacyRules

type TypeAccountPrivacyRules struct {
	Value                *PredAccountPrivacyRules `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeAccountPrivacyRules) Descriptor

func (*TypeAccountPrivacyRules) Descriptor() ([]byte, []int)

func (*TypeAccountPrivacyRules) GetValue

func (*TypeAccountPrivacyRules) ProtoMessage

func (*TypeAccountPrivacyRules) ProtoMessage()

func (*TypeAccountPrivacyRules) Reset

func (m *TypeAccountPrivacyRules) Reset()

func (*TypeAccountPrivacyRules) String

func (m *TypeAccountPrivacyRules) String() string

func (*TypeAccountPrivacyRules) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountPrivacyRules) XXX_DiscardUnknown()

func (*TypeAccountPrivacyRules) XXX_Marshal added in v0.4.1

func (m *TypeAccountPrivacyRules) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountPrivacyRules) XXX_Merge added in v0.4.1

func (dst *TypeAccountPrivacyRules) XXX_Merge(src proto.Message)

func (*TypeAccountPrivacyRules) XXX_Size added in v0.4.1

func (m *TypeAccountPrivacyRules) XXX_Size() int

func (*TypeAccountPrivacyRules) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountPrivacyRules) XXX_Unmarshal(b []byte) error

type TypeAccountTmpPassword

type TypeAccountTmpPassword struct {
	Value                *PredAccountTmpPassword `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeAccountTmpPassword) Descriptor

func (*TypeAccountTmpPassword) Descriptor() ([]byte, []int)

func (*TypeAccountTmpPassword) GetValue

func (*TypeAccountTmpPassword) ProtoMessage

func (*TypeAccountTmpPassword) ProtoMessage()

func (*TypeAccountTmpPassword) Reset

func (m *TypeAccountTmpPassword) Reset()

func (*TypeAccountTmpPassword) String

func (m *TypeAccountTmpPassword) String() string

func (*TypeAccountTmpPassword) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAccountTmpPassword) XXX_DiscardUnknown()

func (*TypeAccountTmpPassword) XXX_Marshal added in v0.4.1

func (m *TypeAccountTmpPassword) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAccountTmpPassword) XXX_Merge added in v0.4.1

func (dst *TypeAccountTmpPassword) XXX_Merge(src proto.Message)

func (*TypeAccountTmpPassword) XXX_Size added in v0.4.1

func (m *TypeAccountTmpPassword) XXX_Size() int

func (*TypeAccountTmpPassword) XXX_Unmarshal added in v0.4.1

func (m *TypeAccountTmpPassword) XXX_Unmarshal(b []byte) error

type TypeAuthAuthorization

type TypeAuthAuthorization struct {
	Value                *PredAuthAuthorization `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeAuthAuthorization) Descriptor

func (*TypeAuthAuthorization) Descriptor() ([]byte, []int)

func (*TypeAuthAuthorization) GetValue

func (*TypeAuthAuthorization) ProtoMessage

func (*TypeAuthAuthorization) ProtoMessage()

func (*TypeAuthAuthorization) Reset

func (m *TypeAuthAuthorization) Reset()

func (*TypeAuthAuthorization) String

func (m *TypeAuthAuthorization) String() string

func (*TypeAuthAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthAuthorization) XXX_DiscardUnknown()

func (*TypeAuthAuthorization) XXX_Marshal added in v0.4.1

func (m *TypeAuthAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthAuthorization) XXX_Merge added in v0.4.1

func (dst *TypeAuthAuthorization) XXX_Merge(src proto.Message)

func (*TypeAuthAuthorization) XXX_Size added in v0.4.1

func (m *TypeAuthAuthorization) XXX_Size() int

func (*TypeAuthAuthorization) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthAuthorization) XXX_Unmarshal(b []byte) error

type TypeAuthCheckedPhone

type TypeAuthCheckedPhone struct {
	Value                *PredAuthCheckedPhone `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeAuthCheckedPhone) Descriptor

func (*TypeAuthCheckedPhone) Descriptor() ([]byte, []int)

func (*TypeAuthCheckedPhone) GetValue

func (*TypeAuthCheckedPhone) ProtoMessage

func (*TypeAuthCheckedPhone) ProtoMessage()

func (*TypeAuthCheckedPhone) Reset

func (m *TypeAuthCheckedPhone) Reset()

func (*TypeAuthCheckedPhone) String

func (m *TypeAuthCheckedPhone) String() string

func (*TypeAuthCheckedPhone) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthCheckedPhone) XXX_DiscardUnknown()

func (*TypeAuthCheckedPhone) XXX_Marshal added in v0.4.1

func (m *TypeAuthCheckedPhone) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthCheckedPhone) XXX_Merge added in v0.4.1

func (dst *TypeAuthCheckedPhone) XXX_Merge(src proto.Message)

func (*TypeAuthCheckedPhone) XXX_Size added in v0.4.1

func (m *TypeAuthCheckedPhone) XXX_Size() int

func (*TypeAuthCheckedPhone) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthCheckedPhone) XXX_Unmarshal(b []byte) error

type TypeAuthCodeType

type TypeAuthCodeType struct {
	// Types that are valid to be assigned to Value:
	//	*TypeAuthCodeType_AuthCodeTypeSms
	//	*TypeAuthCodeType_AuthCodeTypeCall
	//	*TypeAuthCodeType_AuthCodeTypeFlashCall
	Value                isTypeAuthCodeType_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeAuthCodeType) Descriptor

func (*TypeAuthCodeType) Descriptor() ([]byte, []int)

func (*TypeAuthCodeType) GetAuthCodeTypeCall

func (m *TypeAuthCodeType) GetAuthCodeTypeCall() *PredAuthCodeTypeCall

func (*TypeAuthCodeType) GetAuthCodeTypeFlashCall

func (m *TypeAuthCodeType) GetAuthCodeTypeFlashCall() *PredAuthCodeTypeFlashCall

func (*TypeAuthCodeType) GetAuthCodeTypeSms

func (m *TypeAuthCodeType) GetAuthCodeTypeSms() *PredAuthCodeTypeSms

func (*TypeAuthCodeType) GetValue

func (m *TypeAuthCodeType) GetValue() isTypeAuthCodeType_Value

func (*TypeAuthCodeType) ProtoMessage

func (*TypeAuthCodeType) ProtoMessage()

func (*TypeAuthCodeType) Reset

func (m *TypeAuthCodeType) Reset()

func (*TypeAuthCodeType) String

func (m *TypeAuthCodeType) String() string

func (*TypeAuthCodeType) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthCodeType) XXX_DiscardUnknown()

func (*TypeAuthCodeType) XXX_Marshal added in v0.4.1

func (m *TypeAuthCodeType) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthCodeType) XXX_Merge added in v0.4.1

func (dst *TypeAuthCodeType) XXX_Merge(src proto.Message)

func (*TypeAuthCodeType) XXX_OneofFuncs

func (*TypeAuthCodeType) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeAuthCodeType) XXX_Size added in v0.4.1

func (m *TypeAuthCodeType) XXX_Size() int

func (*TypeAuthCodeType) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthCodeType) XXX_Unmarshal(b []byte) error

type TypeAuthCodeType_AuthCodeTypeCall

type TypeAuthCodeType_AuthCodeTypeCall struct {
	AuthCodeTypeCall *PredAuthCodeTypeCall `protobuf:"bytes,2,opt,name=AuthCodeTypeCall,oneof"`
}

type TypeAuthCodeType_AuthCodeTypeFlashCall

type TypeAuthCodeType_AuthCodeTypeFlashCall struct {
	AuthCodeTypeFlashCall *PredAuthCodeTypeFlashCall `protobuf:"bytes,3,opt,name=AuthCodeTypeFlashCall,oneof"`
}

type TypeAuthCodeType_AuthCodeTypeSms

type TypeAuthCodeType_AuthCodeTypeSms struct {
	AuthCodeTypeSms *PredAuthCodeTypeSms `protobuf:"bytes,1,opt,name=AuthCodeTypeSms,oneof"`
}

type TypeAuthExportedAuthorization

type TypeAuthExportedAuthorization struct {
	Value                *PredAuthExportedAuthorization `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypeAuthExportedAuthorization) Descriptor

func (*TypeAuthExportedAuthorization) Descriptor() ([]byte, []int)

func (*TypeAuthExportedAuthorization) GetValue

func (*TypeAuthExportedAuthorization) ProtoMessage

func (*TypeAuthExportedAuthorization) ProtoMessage()

func (*TypeAuthExportedAuthorization) Reset

func (m *TypeAuthExportedAuthorization) Reset()

func (*TypeAuthExportedAuthorization) String

func (*TypeAuthExportedAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthExportedAuthorization) XXX_DiscardUnknown()

func (*TypeAuthExportedAuthorization) XXX_Marshal added in v0.4.1

func (m *TypeAuthExportedAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthExportedAuthorization) XXX_Merge added in v0.4.1

func (dst *TypeAuthExportedAuthorization) XXX_Merge(src proto.Message)

func (*TypeAuthExportedAuthorization) XXX_Size added in v0.4.1

func (m *TypeAuthExportedAuthorization) XXX_Size() int

func (*TypeAuthExportedAuthorization) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthExportedAuthorization) XXX_Unmarshal(b []byte) error

type TypeAuthPasswordRecovery

type TypeAuthPasswordRecovery struct {
	Value                *PredAuthPasswordRecovery `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeAuthPasswordRecovery) Descriptor

func (*TypeAuthPasswordRecovery) Descriptor() ([]byte, []int)

func (*TypeAuthPasswordRecovery) GetValue

func (*TypeAuthPasswordRecovery) ProtoMessage

func (*TypeAuthPasswordRecovery) ProtoMessage()

func (*TypeAuthPasswordRecovery) Reset

func (m *TypeAuthPasswordRecovery) Reset()

func (*TypeAuthPasswordRecovery) String

func (m *TypeAuthPasswordRecovery) String() string

func (*TypeAuthPasswordRecovery) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthPasswordRecovery) XXX_DiscardUnknown()

func (*TypeAuthPasswordRecovery) XXX_Marshal added in v0.4.1

func (m *TypeAuthPasswordRecovery) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthPasswordRecovery) XXX_Merge added in v0.4.1

func (dst *TypeAuthPasswordRecovery) XXX_Merge(src proto.Message)

func (*TypeAuthPasswordRecovery) XXX_Size added in v0.4.1

func (m *TypeAuthPasswordRecovery) XXX_Size() int

func (*TypeAuthPasswordRecovery) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthPasswordRecovery) XXX_Unmarshal(b []byte) error

type TypeAuthSentCode

type TypeAuthSentCode struct {
	Value                *PredAuthSentCode `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeAuthSentCode) Descriptor

func (*TypeAuthSentCode) Descriptor() ([]byte, []int)

func (*TypeAuthSentCode) GetValue

func (m *TypeAuthSentCode) GetValue() *PredAuthSentCode

func (*TypeAuthSentCode) ProtoMessage

func (*TypeAuthSentCode) ProtoMessage()

func (*TypeAuthSentCode) Reset

func (m *TypeAuthSentCode) Reset()

func (*TypeAuthSentCode) String

func (m *TypeAuthSentCode) String() string

func (*TypeAuthSentCode) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthSentCode) XXX_DiscardUnknown()

func (*TypeAuthSentCode) XXX_Marshal added in v0.4.1

func (m *TypeAuthSentCode) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthSentCode) XXX_Merge added in v0.4.1

func (dst *TypeAuthSentCode) XXX_Merge(src proto.Message)

func (*TypeAuthSentCode) XXX_Size added in v0.4.1

func (m *TypeAuthSentCode) XXX_Size() int

func (*TypeAuthSentCode) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthSentCode) XXX_Unmarshal(b []byte) error

type TypeAuthSentCodeType

type TypeAuthSentCodeType struct {
	// Types that are valid to be assigned to Value:
	//	*TypeAuthSentCodeType_AuthSentCodeTypeApp
	//	*TypeAuthSentCodeType_AuthSentCodeTypeSms
	//	*TypeAuthSentCodeType_AuthSentCodeTypeCall
	//	*TypeAuthSentCodeType_AuthSentCodeTypeFlashCall
	Value                isTypeAuthSentCodeType_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeAuthSentCodeType) Descriptor

func (*TypeAuthSentCodeType) Descriptor() ([]byte, []int)

func (*TypeAuthSentCodeType) GetAuthSentCodeTypeApp

func (m *TypeAuthSentCodeType) GetAuthSentCodeTypeApp() *PredAuthSentCodeTypeApp

func (*TypeAuthSentCodeType) GetAuthSentCodeTypeCall

func (m *TypeAuthSentCodeType) GetAuthSentCodeTypeCall() *PredAuthSentCodeTypeCall

func (*TypeAuthSentCodeType) GetAuthSentCodeTypeFlashCall

func (m *TypeAuthSentCodeType) GetAuthSentCodeTypeFlashCall() *PredAuthSentCodeTypeFlashCall

func (*TypeAuthSentCodeType) GetAuthSentCodeTypeSms

func (m *TypeAuthSentCodeType) GetAuthSentCodeTypeSms() *PredAuthSentCodeTypeSms

func (*TypeAuthSentCodeType) GetValue

func (m *TypeAuthSentCodeType) GetValue() isTypeAuthSentCodeType_Value

func (*TypeAuthSentCodeType) ProtoMessage

func (*TypeAuthSentCodeType) ProtoMessage()

func (*TypeAuthSentCodeType) Reset

func (m *TypeAuthSentCodeType) Reset()

func (*TypeAuthSentCodeType) String

func (m *TypeAuthSentCodeType) String() string

func (*TypeAuthSentCodeType) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthSentCodeType) XXX_DiscardUnknown()

func (*TypeAuthSentCodeType) XXX_Marshal added in v0.4.1

func (m *TypeAuthSentCodeType) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthSentCodeType) XXX_Merge added in v0.4.1

func (dst *TypeAuthSentCodeType) XXX_Merge(src proto.Message)

func (*TypeAuthSentCodeType) XXX_OneofFuncs

func (*TypeAuthSentCodeType) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeAuthSentCodeType) XXX_Size added in v0.4.1

func (m *TypeAuthSentCodeType) XXX_Size() int

func (*TypeAuthSentCodeType) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthSentCodeType) XXX_Unmarshal(b []byte) error

type TypeAuthSentCodeType_AuthSentCodeTypeApp

type TypeAuthSentCodeType_AuthSentCodeTypeApp struct {
	AuthSentCodeTypeApp *PredAuthSentCodeTypeApp `protobuf:"bytes,1,opt,name=AuthSentCodeTypeApp,oneof"`
}

type TypeAuthSentCodeType_AuthSentCodeTypeCall

type TypeAuthSentCodeType_AuthSentCodeTypeCall struct {
	AuthSentCodeTypeCall *PredAuthSentCodeTypeCall `protobuf:"bytes,3,opt,name=AuthSentCodeTypeCall,oneof"`
}

type TypeAuthSentCodeType_AuthSentCodeTypeFlashCall

type TypeAuthSentCodeType_AuthSentCodeTypeFlashCall struct {
	AuthSentCodeTypeFlashCall *PredAuthSentCodeTypeFlashCall `protobuf:"bytes,4,opt,name=AuthSentCodeTypeFlashCall,oneof"`
}

type TypeAuthSentCodeType_AuthSentCodeTypeSms

type TypeAuthSentCodeType_AuthSentCodeTypeSms struct {
	AuthSentCodeTypeSms *PredAuthSentCodeTypeSms `protobuf:"bytes,2,opt,name=AuthSentCodeTypeSms,oneof"`
}

type TypeAuthorization

type TypeAuthorization struct {
	Value                *PredAuthorization `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeAuthorization) Descriptor

func (*TypeAuthorization) Descriptor() ([]byte, []int)

func (*TypeAuthorization) GetValue

func (m *TypeAuthorization) GetValue() *PredAuthorization

func (*TypeAuthorization) ProtoMessage

func (*TypeAuthorization) ProtoMessage()

func (*TypeAuthorization) Reset

func (m *TypeAuthorization) Reset()

func (*TypeAuthorization) String

func (m *TypeAuthorization) String() string

func (*TypeAuthorization) XXX_DiscardUnknown added in v0.4.1

func (m *TypeAuthorization) XXX_DiscardUnknown()

func (*TypeAuthorization) XXX_Marshal added in v0.4.1

func (m *TypeAuthorization) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeAuthorization) XXX_Merge added in v0.4.1

func (dst *TypeAuthorization) XXX_Merge(src proto.Message)

func (*TypeAuthorization) XXX_Size added in v0.4.1

func (m *TypeAuthorization) XXX_Size() int

func (*TypeAuthorization) XXX_Unmarshal added in v0.4.1

func (m *TypeAuthorization) XXX_Unmarshal(b []byte) error

type TypeBool

type TypeBool struct {
	// Types that are valid to be assigned to Value:
	//	*TypeBool_BoolFalse
	//	*TypeBool_BoolTrue
	Value                isTypeBool_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

Types

func (*TypeBool) Descriptor

func (*TypeBool) Descriptor() ([]byte, []int)

func (*TypeBool) GetBoolFalse

func (m *TypeBool) GetBoolFalse() *PredBoolFalse

func (*TypeBool) GetBoolTrue

func (m *TypeBool) GetBoolTrue() *PredBoolTrue

func (*TypeBool) GetValue

func (m *TypeBool) GetValue() isTypeBool_Value

func (*TypeBool) ProtoMessage

func (*TypeBool) ProtoMessage()

func (*TypeBool) Reset

func (m *TypeBool) Reset()

func (*TypeBool) String

func (m *TypeBool) String() string

func (*TypeBool) XXX_DiscardUnknown added in v0.4.1

func (m *TypeBool) XXX_DiscardUnknown()

func (*TypeBool) XXX_Marshal added in v0.4.1

func (m *TypeBool) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeBool) XXX_Merge added in v0.4.1

func (dst *TypeBool) XXX_Merge(src proto.Message)

func (*TypeBool) XXX_OneofFuncs

func (*TypeBool) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeBool) XXX_Size added in v0.4.1

func (m *TypeBool) XXX_Size() int

func (*TypeBool) XXX_Unmarshal added in v0.4.1

func (m *TypeBool) XXX_Unmarshal(b []byte) error

type TypeBool_BoolFalse

type TypeBool_BoolFalse struct {
	BoolFalse *PredBoolFalse `protobuf:"bytes,1,opt,name=BoolFalse,oneof"`
}

type TypeBool_BoolTrue

type TypeBool_BoolTrue struct {
	BoolTrue *PredBoolTrue `protobuf:"bytes,2,opt,name=BoolTrue,oneof"`
}

type TypeBotCommand

type TypeBotCommand struct {
	Value                *PredBotCommand `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*TypeBotCommand) Descriptor

func (*TypeBotCommand) Descriptor() ([]byte, []int)

func (*TypeBotCommand) GetValue

func (m *TypeBotCommand) GetValue() *PredBotCommand

func (*TypeBotCommand) ProtoMessage

func (*TypeBotCommand) ProtoMessage()

func (*TypeBotCommand) Reset

func (m *TypeBotCommand) Reset()

func (*TypeBotCommand) String

func (m *TypeBotCommand) String() string

func (*TypeBotCommand) XXX_DiscardUnknown added in v0.4.1

func (m *TypeBotCommand) XXX_DiscardUnknown()

func (*TypeBotCommand) XXX_Marshal added in v0.4.1

func (m *TypeBotCommand) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeBotCommand) XXX_Merge added in v0.4.1

func (dst *TypeBotCommand) XXX_Merge(src proto.Message)

func (*TypeBotCommand) XXX_Size added in v0.4.1

func (m *TypeBotCommand) XXX_Size() int

func (*TypeBotCommand) XXX_Unmarshal added in v0.4.1

func (m *TypeBotCommand) XXX_Unmarshal(b []byte) error

type TypeBotInfo

type TypeBotInfo struct {
	Value                *PredBotInfo `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*TypeBotInfo) Descriptor

func (*TypeBotInfo) Descriptor() ([]byte, []int)

func (*TypeBotInfo) GetValue

func (m *TypeBotInfo) GetValue() *PredBotInfo

func (*TypeBotInfo) ProtoMessage

func (*TypeBotInfo) ProtoMessage()

func (*TypeBotInfo) Reset

func (m *TypeBotInfo) Reset()

func (*TypeBotInfo) String

func (m *TypeBotInfo) String() string

func (*TypeBotInfo) XXX_DiscardUnknown added in v0.4.1

func (m *TypeBotInfo) XXX_DiscardUnknown()

func (*TypeBotInfo) XXX_Marshal added in v0.4.1

func (m *TypeBotInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeBotInfo) XXX_Merge added in v0.4.1

func (dst *TypeBotInfo) XXX_Merge(src proto.Message)

func (*TypeBotInfo) XXX_Size added in v0.4.1

func (m *TypeBotInfo) XXX_Size() int

func (*TypeBotInfo) XXX_Unmarshal added in v0.4.1

func (m *TypeBotInfo) XXX_Unmarshal(b []byte) error

type TypeBotInlineMessage

type TypeBotInlineMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeBotInlineMessage_BotInlineMessageMediaAuto
	//	*TypeBotInlineMessage_BotInlineMessageText
	//	*TypeBotInlineMessage_BotInlineMessageMediaGeo
	//	*TypeBotInlineMessage_BotInlineMessageMediaVenue
	//	*TypeBotInlineMessage_BotInlineMessageMediaContact
	Value                isTypeBotInlineMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeBotInlineMessage) Descriptor

func (*TypeBotInlineMessage) Descriptor() ([]byte, []int)

func (*TypeBotInlineMessage) GetBotInlineMessageMediaAuto

func (m *TypeBotInlineMessage) GetBotInlineMessageMediaAuto() *PredBotInlineMessageMediaAuto

func (*TypeBotInlineMessage) GetBotInlineMessageMediaContact

func (m *TypeBotInlineMessage) GetBotInlineMessageMediaContact() *PredBotInlineMessageMediaContact

func (*TypeBotInlineMessage) GetBotInlineMessageMediaGeo

func (m *TypeBotInlineMessage) GetBotInlineMessageMediaGeo() *PredBotInlineMessageMediaGeo

func (*TypeBotInlineMessage) GetBotInlineMessageMediaVenue

func (m *TypeBotInlineMessage) GetBotInlineMessageMediaVenue() *PredBotInlineMessageMediaVenue

func (*TypeBotInlineMessage) GetBotInlineMessageText

func (m *TypeBotInlineMessage) GetBotInlineMessageText() *PredBotInlineMessageText

func (*TypeBotInlineMessage) GetValue

func (m *TypeBotInlineMessage) GetValue() isTypeBotInlineMessage_Value

func (*TypeBotInlineMessage) ProtoMessage

func (*TypeBotInlineMessage) ProtoMessage()

func (*TypeBotInlineMessage) Reset

func (m *TypeBotInlineMessage) Reset()

func (*TypeBotInlineMessage) String

func (m *TypeBotInlineMessage) String() string

func (*TypeBotInlineMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeBotInlineMessage) XXX_DiscardUnknown()

func (*TypeBotInlineMessage) XXX_Marshal added in v0.4.1

func (m *TypeBotInlineMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeBotInlineMessage) XXX_Merge added in v0.4.1

func (dst *TypeBotInlineMessage) XXX_Merge(src proto.Message)

func (*TypeBotInlineMessage) XXX_OneofFuncs

func (*TypeBotInlineMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeBotInlineMessage) XXX_Size added in v0.4.1

func (m *TypeBotInlineMessage) XXX_Size() int

func (*TypeBotInlineMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeBotInlineMessage) XXX_Unmarshal(b []byte) error

type TypeBotInlineMessage_BotInlineMessageMediaAuto

type TypeBotInlineMessage_BotInlineMessageMediaAuto struct {
	BotInlineMessageMediaAuto *PredBotInlineMessageMediaAuto `protobuf:"bytes,1,opt,name=BotInlineMessageMediaAuto,oneof"`
}

type TypeBotInlineMessage_BotInlineMessageMediaContact

type TypeBotInlineMessage_BotInlineMessageMediaContact struct {
	BotInlineMessageMediaContact *PredBotInlineMessageMediaContact `protobuf:"bytes,5,opt,name=BotInlineMessageMediaContact,oneof"`
}

type TypeBotInlineMessage_BotInlineMessageMediaGeo

type TypeBotInlineMessage_BotInlineMessageMediaGeo struct {
	BotInlineMessageMediaGeo *PredBotInlineMessageMediaGeo `protobuf:"bytes,3,opt,name=BotInlineMessageMediaGeo,oneof"`
}

type TypeBotInlineMessage_BotInlineMessageMediaVenue

type TypeBotInlineMessage_BotInlineMessageMediaVenue struct {
	BotInlineMessageMediaVenue *PredBotInlineMessageMediaVenue `protobuf:"bytes,4,opt,name=BotInlineMessageMediaVenue,oneof"`
}

type TypeBotInlineMessage_BotInlineMessageText

type TypeBotInlineMessage_BotInlineMessageText struct {
	BotInlineMessageText *PredBotInlineMessageText `protobuf:"bytes,2,opt,name=BotInlineMessageText,oneof"`
}

type TypeBotInlineResult

type TypeBotInlineResult struct {
	// Types that are valid to be assigned to Value:
	//	*TypeBotInlineResult_BotInlineResult
	//	*TypeBotInlineResult_BotInlineMediaResult
	Value                isTypeBotInlineResult_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeBotInlineResult) Descriptor

func (*TypeBotInlineResult) Descriptor() ([]byte, []int)

func (*TypeBotInlineResult) GetBotInlineMediaResult

func (m *TypeBotInlineResult) GetBotInlineMediaResult() *PredBotInlineMediaResult

func (*TypeBotInlineResult) GetBotInlineResult

func (m *TypeBotInlineResult) GetBotInlineResult() *PredBotInlineResult

func (*TypeBotInlineResult) GetValue

func (m *TypeBotInlineResult) GetValue() isTypeBotInlineResult_Value

func (*TypeBotInlineResult) ProtoMessage

func (*TypeBotInlineResult) ProtoMessage()

func (*TypeBotInlineResult) Reset

func (m *TypeBotInlineResult) Reset()

func (*TypeBotInlineResult) String

func (m *TypeBotInlineResult) String() string

func (*TypeBotInlineResult) XXX_DiscardUnknown added in v0.4.1

func (m *TypeBotInlineResult) XXX_DiscardUnknown()

func (*TypeBotInlineResult) XXX_Marshal added in v0.4.1

func (m *TypeBotInlineResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeBotInlineResult) XXX_Merge added in v0.4.1

func (dst *TypeBotInlineResult) XXX_Merge(src proto.Message)

func (*TypeBotInlineResult) XXX_OneofFuncs

func (*TypeBotInlineResult) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeBotInlineResult) XXX_Size added in v0.4.1

func (m *TypeBotInlineResult) XXX_Size() int

func (*TypeBotInlineResult) XXX_Unmarshal added in v0.4.1

func (m *TypeBotInlineResult) XXX_Unmarshal(b []byte) error

type TypeBotInlineResult_BotInlineMediaResult

type TypeBotInlineResult_BotInlineMediaResult struct {
	BotInlineMediaResult *PredBotInlineMediaResult `protobuf:"bytes,2,opt,name=BotInlineMediaResult,oneof"`
}

type TypeBotInlineResult_BotInlineResult

type TypeBotInlineResult_BotInlineResult struct {
	BotInlineResult *PredBotInlineResult `protobuf:"bytes,1,opt,name=BotInlineResult,oneof"`
}

type TypeCdnConfig

type TypeCdnConfig struct {
	Value                *PredCdnConfig `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*TypeCdnConfig) Descriptor

func (*TypeCdnConfig) Descriptor() ([]byte, []int)

func (*TypeCdnConfig) GetValue

func (m *TypeCdnConfig) GetValue() *PredCdnConfig

func (*TypeCdnConfig) ProtoMessage

func (*TypeCdnConfig) ProtoMessage()

func (*TypeCdnConfig) Reset

func (m *TypeCdnConfig) Reset()

func (*TypeCdnConfig) String

func (m *TypeCdnConfig) String() string

func (*TypeCdnConfig) XXX_DiscardUnknown added in v0.4.1

func (m *TypeCdnConfig) XXX_DiscardUnknown()

func (*TypeCdnConfig) XXX_Marshal added in v0.4.1

func (m *TypeCdnConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeCdnConfig) XXX_Merge added in v0.4.1

func (dst *TypeCdnConfig) XXX_Merge(src proto.Message)

func (*TypeCdnConfig) XXX_Size added in v0.4.1

func (m *TypeCdnConfig) XXX_Size() int

func (*TypeCdnConfig) XXX_Unmarshal added in v0.4.1

func (m *TypeCdnConfig) XXX_Unmarshal(b []byte) error

type TypeCdnFileHash

type TypeCdnFileHash struct {
	Value                *PredCdnFileHash `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeCdnFileHash) Descriptor

func (*TypeCdnFileHash) Descriptor() ([]byte, []int)

func (*TypeCdnFileHash) GetValue

func (m *TypeCdnFileHash) GetValue() *PredCdnFileHash

func (*TypeCdnFileHash) ProtoMessage

func (*TypeCdnFileHash) ProtoMessage()

func (*TypeCdnFileHash) Reset

func (m *TypeCdnFileHash) Reset()

func (*TypeCdnFileHash) String

func (m *TypeCdnFileHash) String() string

func (*TypeCdnFileHash) XXX_DiscardUnknown added in v0.4.1

func (m *TypeCdnFileHash) XXX_DiscardUnknown()

func (*TypeCdnFileHash) XXX_Marshal added in v0.4.1

func (m *TypeCdnFileHash) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeCdnFileHash) XXX_Merge added in v0.4.1

func (dst *TypeCdnFileHash) XXX_Merge(src proto.Message)

func (*TypeCdnFileHash) XXX_Size added in v0.4.1

func (m *TypeCdnFileHash) XXX_Size() int

func (*TypeCdnFileHash) XXX_Unmarshal added in v0.4.1

func (m *TypeCdnFileHash) XXX_Unmarshal(b []byte) error

type TypeCdnPublicKey

type TypeCdnPublicKey struct {
	Value                *PredCdnPublicKey `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeCdnPublicKey) Descriptor

func (*TypeCdnPublicKey) Descriptor() ([]byte, []int)

func (*TypeCdnPublicKey) GetValue

func (m *TypeCdnPublicKey) GetValue() *PredCdnPublicKey

func (*TypeCdnPublicKey) ProtoMessage

func (*TypeCdnPublicKey) ProtoMessage()

func (*TypeCdnPublicKey) Reset

func (m *TypeCdnPublicKey) Reset()

func (*TypeCdnPublicKey) String

func (m *TypeCdnPublicKey) String() string

func (*TypeCdnPublicKey) XXX_DiscardUnknown added in v0.4.1

func (m *TypeCdnPublicKey) XXX_DiscardUnknown()

func (*TypeCdnPublicKey) XXX_Marshal added in v0.4.1

func (m *TypeCdnPublicKey) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeCdnPublicKey) XXX_Merge added in v0.4.1

func (dst *TypeCdnPublicKey) XXX_Merge(src proto.Message)

func (*TypeCdnPublicKey) XXX_Size added in v0.4.1

func (m *TypeCdnPublicKey) XXX_Size() int

func (*TypeCdnPublicKey) XXX_Unmarshal added in v0.4.1

func (m *TypeCdnPublicKey) XXX_Unmarshal(b []byte) error

type TypeChannelAdminLogEvent

type TypeChannelAdminLogEvent struct {
	Value                *PredChannelAdminLogEvent `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeChannelAdminLogEvent) Descriptor

func (*TypeChannelAdminLogEvent) Descriptor() ([]byte, []int)

func (*TypeChannelAdminLogEvent) GetValue

func (*TypeChannelAdminLogEvent) ProtoMessage

func (*TypeChannelAdminLogEvent) ProtoMessage()

func (*TypeChannelAdminLogEvent) Reset

func (m *TypeChannelAdminLogEvent) Reset()

func (*TypeChannelAdminLogEvent) String

func (m *TypeChannelAdminLogEvent) String() string

func (*TypeChannelAdminLogEvent) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelAdminLogEvent) XXX_DiscardUnknown()

func (*TypeChannelAdminLogEvent) XXX_Marshal added in v0.4.1

func (m *TypeChannelAdminLogEvent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelAdminLogEvent) XXX_Merge added in v0.4.1

func (dst *TypeChannelAdminLogEvent) XXX_Merge(src proto.Message)

func (*TypeChannelAdminLogEvent) XXX_Size added in v0.4.1

func (m *TypeChannelAdminLogEvent) XXX_Size() int

func (*TypeChannelAdminLogEvent) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelAdminLogEvent) XXX_Unmarshal(b []byte) error

type TypeChannelAdminLogEventAction

type TypeChannelAdminLogEventAction struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeTitle
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeAbout
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeUsername
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangePhoto
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleInvites
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleSignatures
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionUpdatePinned
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionEditMessage
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionDeleteMessage
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantJoin
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantLeave
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantInvite
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleBan
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleAdmin
	//	*TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeStickerSet
	Value                isTypeChannelAdminLogEventAction_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                               `json:"-"`
	XXX_unrecognized     []byte                                 `json:"-"`
	XXX_sizecache        int32                                  `json:"-"`
}

func (*TypeChannelAdminLogEventAction) Descriptor

func (*TypeChannelAdminLogEventAction) Descriptor() ([]byte, []int)

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeAbout

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeAbout() *PredChannelAdminLogEventActionChangeAbout

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangePhoto

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangePhoto() *PredChannelAdminLogEventActionChangePhoto

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeStickerSet

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeStickerSet() *PredChannelAdminLogEventActionChangeStickerSet

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeTitle

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeTitle() *PredChannelAdminLogEventActionChangeTitle

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeUsername

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionChangeUsername() *PredChannelAdminLogEventActionChangeUsername

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionDeleteMessage

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionDeleteMessage() *PredChannelAdminLogEventActionDeleteMessage

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionEditMessage

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionEditMessage() *PredChannelAdminLogEventActionEditMessage

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantInvite

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantInvite() *PredChannelAdminLogEventActionParticipantInvite

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantJoin

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantJoin() *PredChannelAdminLogEventActionParticipantJoin

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantLeave

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantLeave() *PredChannelAdminLogEventActionParticipantLeave

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantToggleAdmin

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantToggleAdmin() *PredChannelAdminLogEventActionParticipantToggleAdmin

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantToggleBan

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionParticipantToggleBan() *PredChannelAdminLogEventActionParticipantToggleBan

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionToggleInvites

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionToggleInvites() *PredChannelAdminLogEventActionToggleInvites

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionToggleSignatures

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionToggleSignatures() *PredChannelAdminLogEventActionToggleSignatures

func (*TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionUpdatePinned

func (m *TypeChannelAdminLogEventAction) GetChannelAdminLogEventActionUpdatePinned() *PredChannelAdminLogEventActionUpdatePinned

func (*TypeChannelAdminLogEventAction) GetValue

func (m *TypeChannelAdminLogEventAction) GetValue() isTypeChannelAdminLogEventAction_Value

func (*TypeChannelAdminLogEventAction) ProtoMessage

func (*TypeChannelAdminLogEventAction) ProtoMessage()

func (*TypeChannelAdminLogEventAction) Reset

func (m *TypeChannelAdminLogEventAction) Reset()

func (*TypeChannelAdminLogEventAction) String

func (*TypeChannelAdminLogEventAction) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelAdminLogEventAction) XXX_DiscardUnknown()

func (*TypeChannelAdminLogEventAction) XXX_Marshal added in v0.4.1

func (m *TypeChannelAdminLogEventAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelAdminLogEventAction) XXX_Merge added in v0.4.1

func (dst *TypeChannelAdminLogEventAction) XXX_Merge(src proto.Message)

func (*TypeChannelAdminLogEventAction) XXX_OneofFuncs

func (*TypeChannelAdminLogEventAction) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChannelAdminLogEventAction) XXX_Size added in v0.4.1

func (m *TypeChannelAdminLogEventAction) XXX_Size() int

func (*TypeChannelAdminLogEventAction) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelAdminLogEventAction) XXX_Unmarshal(b []byte) error

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeAbout

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeAbout struct {
	ChannelAdminLogEventActionChangeAbout *PredChannelAdminLogEventActionChangeAbout `protobuf:"bytes,2,opt,name=ChannelAdminLogEventActionChangeAbout,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangePhoto

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangePhoto struct {
	ChannelAdminLogEventActionChangePhoto *PredChannelAdminLogEventActionChangePhoto `protobuf:"bytes,4,opt,name=ChannelAdminLogEventActionChangePhoto,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeStickerSet

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeStickerSet struct {
	ChannelAdminLogEventActionChangeStickerSet *PredChannelAdminLogEventActionChangeStickerSet `protobuf:"bytes,15,opt,name=ChannelAdminLogEventActionChangeStickerSet,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeTitle

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeTitle struct {
	ChannelAdminLogEventActionChangeTitle *PredChannelAdminLogEventActionChangeTitle `protobuf:"bytes,1,opt,name=ChannelAdminLogEventActionChangeTitle,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeUsername

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionChangeUsername struct {
	ChannelAdminLogEventActionChangeUsername *PredChannelAdminLogEventActionChangeUsername `protobuf:"bytes,3,opt,name=ChannelAdminLogEventActionChangeUsername,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionDeleteMessage

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionDeleteMessage struct {
	ChannelAdminLogEventActionDeleteMessage *PredChannelAdminLogEventActionDeleteMessage `protobuf:"bytes,9,opt,name=ChannelAdminLogEventActionDeleteMessage,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionEditMessage

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionEditMessage struct {
	ChannelAdminLogEventActionEditMessage *PredChannelAdminLogEventActionEditMessage `protobuf:"bytes,8,opt,name=ChannelAdminLogEventActionEditMessage,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantInvite

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantInvite struct {
	ChannelAdminLogEventActionParticipantInvite *PredChannelAdminLogEventActionParticipantInvite `protobuf:"bytes,12,opt,name=ChannelAdminLogEventActionParticipantInvite,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantJoin

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantJoin struct {
	ChannelAdminLogEventActionParticipantJoin *PredChannelAdminLogEventActionParticipantJoin `protobuf:"bytes,10,opt,name=ChannelAdminLogEventActionParticipantJoin,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantLeave

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantLeave struct {
	ChannelAdminLogEventActionParticipantLeave *PredChannelAdminLogEventActionParticipantLeave `protobuf:"bytes,11,opt,name=ChannelAdminLogEventActionParticipantLeave,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleAdmin

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleAdmin struct {
	ChannelAdminLogEventActionParticipantToggleAdmin *PredChannelAdminLogEventActionParticipantToggleAdmin `protobuf:"bytes,14,opt,name=ChannelAdminLogEventActionParticipantToggleAdmin,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleBan

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionParticipantToggleBan struct {
	ChannelAdminLogEventActionParticipantToggleBan *PredChannelAdminLogEventActionParticipantToggleBan `protobuf:"bytes,13,opt,name=ChannelAdminLogEventActionParticipantToggleBan,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleInvites

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleInvites struct {
	ChannelAdminLogEventActionToggleInvites *PredChannelAdminLogEventActionToggleInvites `protobuf:"bytes,5,opt,name=ChannelAdminLogEventActionToggleInvites,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleSignatures

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionToggleSignatures struct {
	ChannelAdminLogEventActionToggleSignatures *PredChannelAdminLogEventActionToggleSignatures `protobuf:"bytes,6,opt,name=ChannelAdminLogEventActionToggleSignatures,oneof"`
}

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionUpdatePinned

type TypeChannelAdminLogEventAction_ChannelAdminLogEventActionUpdatePinned struct {
	ChannelAdminLogEventActionUpdatePinned *PredChannelAdminLogEventActionUpdatePinned `protobuf:"bytes,7,opt,name=ChannelAdminLogEventActionUpdatePinned,oneof"`
}

type TypeChannelAdminLogEventsFilter

type TypeChannelAdminLogEventsFilter struct {
	Value                *PredChannelAdminLogEventsFilter `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                         `json:"-"`
	XXX_unrecognized     []byte                           `json:"-"`
	XXX_sizecache        int32                            `json:"-"`
}

func (*TypeChannelAdminLogEventsFilter) Descriptor

func (*TypeChannelAdminLogEventsFilter) Descriptor() ([]byte, []int)

func (*TypeChannelAdminLogEventsFilter) GetValue

func (*TypeChannelAdminLogEventsFilter) ProtoMessage

func (*TypeChannelAdminLogEventsFilter) ProtoMessage()

func (*TypeChannelAdminLogEventsFilter) Reset

func (*TypeChannelAdminLogEventsFilter) String

func (*TypeChannelAdminLogEventsFilter) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelAdminLogEventsFilter) XXX_DiscardUnknown()

func (*TypeChannelAdminLogEventsFilter) XXX_Marshal added in v0.4.1

func (m *TypeChannelAdminLogEventsFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelAdminLogEventsFilter) XXX_Merge added in v0.4.1

func (dst *TypeChannelAdminLogEventsFilter) XXX_Merge(src proto.Message)

func (*TypeChannelAdminLogEventsFilter) XXX_Size added in v0.4.1

func (m *TypeChannelAdminLogEventsFilter) XXX_Size() int

func (*TypeChannelAdminLogEventsFilter) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelAdminLogEventsFilter) XXX_Unmarshal(b []byte) error

type TypeChannelAdminRights

type TypeChannelAdminRights struct {
	Value                *PredChannelAdminRights `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeChannelAdminRights) Descriptor

func (*TypeChannelAdminRights) Descriptor() ([]byte, []int)

func (*TypeChannelAdminRights) GetValue

func (*TypeChannelAdminRights) ProtoMessage

func (*TypeChannelAdminRights) ProtoMessage()

func (*TypeChannelAdminRights) Reset

func (m *TypeChannelAdminRights) Reset()

func (*TypeChannelAdminRights) String

func (m *TypeChannelAdminRights) String() string

func (*TypeChannelAdminRights) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelAdminRights) XXX_DiscardUnknown()

func (*TypeChannelAdminRights) XXX_Marshal added in v0.4.1

func (m *TypeChannelAdminRights) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelAdminRights) XXX_Merge added in v0.4.1

func (dst *TypeChannelAdminRights) XXX_Merge(src proto.Message)

func (*TypeChannelAdminRights) XXX_Size added in v0.4.1

func (m *TypeChannelAdminRights) XXX_Size() int

func (*TypeChannelAdminRights) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelAdminRights) XXX_Unmarshal(b []byte) error

type TypeChannelBannedRights

type TypeChannelBannedRights struct {
	Value                *PredChannelBannedRights `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeChannelBannedRights) Descriptor

func (*TypeChannelBannedRights) Descriptor() ([]byte, []int)

func (*TypeChannelBannedRights) GetValue

func (*TypeChannelBannedRights) ProtoMessage

func (*TypeChannelBannedRights) ProtoMessage()

func (*TypeChannelBannedRights) Reset

func (m *TypeChannelBannedRights) Reset()

func (*TypeChannelBannedRights) String

func (m *TypeChannelBannedRights) String() string

func (*TypeChannelBannedRights) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelBannedRights) XXX_DiscardUnknown()

func (*TypeChannelBannedRights) XXX_Marshal added in v0.4.1

func (m *TypeChannelBannedRights) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelBannedRights) XXX_Merge added in v0.4.1

func (dst *TypeChannelBannedRights) XXX_Merge(src proto.Message)

func (*TypeChannelBannedRights) XXX_Size added in v0.4.1

func (m *TypeChannelBannedRights) XXX_Size() int

func (*TypeChannelBannedRights) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelBannedRights) XXX_Unmarshal(b []byte) error

type TypeChannelMessagesFilter

type TypeChannelMessagesFilter struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChannelMessagesFilter_ChannelMessagesFilterEmpty
	//	*TypeChannelMessagesFilter_ChannelMessagesFilter
	Value                isTypeChannelMessagesFilter_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypeChannelMessagesFilter) Descriptor

func (*TypeChannelMessagesFilter) Descriptor() ([]byte, []int)

func (*TypeChannelMessagesFilter) GetChannelMessagesFilter

func (m *TypeChannelMessagesFilter) GetChannelMessagesFilter() *PredChannelMessagesFilter

func (*TypeChannelMessagesFilter) GetChannelMessagesFilterEmpty

func (m *TypeChannelMessagesFilter) GetChannelMessagesFilterEmpty() *PredChannelMessagesFilterEmpty

func (*TypeChannelMessagesFilter) GetValue

func (m *TypeChannelMessagesFilter) GetValue() isTypeChannelMessagesFilter_Value

func (*TypeChannelMessagesFilter) ProtoMessage

func (*TypeChannelMessagesFilter) ProtoMessage()

func (*TypeChannelMessagesFilter) Reset

func (m *TypeChannelMessagesFilter) Reset()

func (*TypeChannelMessagesFilter) String

func (m *TypeChannelMessagesFilter) String() string

func (*TypeChannelMessagesFilter) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelMessagesFilter) XXX_DiscardUnknown()

func (*TypeChannelMessagesFilter) XXX_Marshal added in v0.4.1

func (m *TypeChannelMessagesFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelMessagesFilter) XXX_Merge added in v0.4.1

func (dst *TypeChannelMessagesFilter) XXX_Merge(src proto.Message)

func (*TypeChannelMessagesFilter) XXX_OneofFuncs

func (*TypeChannelMessagesFilter) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChannelMessagesFilter) XXX_Size added in v0.4.1

func (m *TypeChannelMessagesFilter) XXX_Size() int

func (*TypeChannelMessagesFilter) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelMessagesFilter) XXX_Unmarshal(b []byte) error

type TypeChannelMessagesFilter_ChannelMessagesFilter

type TypeChannelMessagesFilter_ChannelMessagesFilter struct {
	ChannelMessagesFilter *PredChannelMessagesFilter `protobuf:"bytes,2,opt,name=ChannelMessagesFilter,oneof"`
}

type TypeChannelMessagesFilter_ChannelMessagesFilterEmpty

type TypeChannelMessagesFilter_ChannelMessagesFilterEmpty struct {
	ChannelMessagesFilterEmpty *PredChannelMessagesFilterEmpty `protobuf:"bytes,1,opt,name=ChannelMessagesFilterEmpty,oneof"`
}

type TypeChannelParticipant

type TypeChannelParticipant struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChannelParticipant_ChannelParticipant
	//	*TypeChannelParticipant_ChannelParticipantSelf
	//	*TypeChannelParticipant_ChannelParticipantCreator
	//	*TypeChannelParticipant_ChannelParticipantAdmin
	//	*TypeChannelParticipant_ChannelParticipantBanned
	Value                isTypeChannelParticipant_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypeChannelParticipant) Descriptor

func (*TypeChannelParticipant) Descriptor() ([]byte, []int)

func (*TypeChannelParticipant) GetChannelParticipant

func (m *TypeChannelParticipant) GetChannelParticipant() *PredChannelParticipant

func (*TypeChannelParticipant) GetChannelParticipantAdmin

func (m *TypeChannelParticipant) GetChannelParticipantAdmin() *PredChannelParticipantAdmin

func (*TypeChannelParticipant) GetChannelParticipantBanned

func (m *TypeChannelParticipant) GetChannelParticipantBanned() *PredChannelParticipantBanned

func (*TypeChannelParticipant) GetChannelParticipantCreator

func (m *TypeChannelParticipant) GetChannelParticipantCreator() *PredChannelParticipantCreator

func (*TypeChannelParticipant) GetChannelParticipantSelf

func (m *TypeChannelParticipant) GetChannelParticipantSelf() *PredChannelParticipantSelf

func (*TypeChannelParticipant) GetValue

func (m *TypeChannelParticipant) GetValue() isTypeChannelParticipant_Value

func (*TypeChannelParticipant) ProtoMessage

func (*TypeChannelParticipant) ProtoMessage()

func (*TypeChannelParticipant) Reset

func (m *TypeChannelParticipant) Reset()

func (*TypeChannelParticipant) String

func (m *TypeChannelParticipant) String() string

func (*TypeChannelParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelParticipant) XXX_DiscardUnknown()

func (*TypeChannelParticipant) XXX_Marshal added in v0.4.1

func (m *TypeChannelParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelParticipant) XXX_Merge added in v0.4.1

func (dst *TypeChannelParticipant) XXX_Merge(src proto.Message)

func (*TypeChannelParticipant) XXX_OneofFuncs

func (*TypeChannelParticipant) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChannelParticipant) XXX_Size added in v0.4.1

func (m *TypeChannelParticipant) XXX_Size() int

func (*TypeChannelParticipant) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelParticipant) XXX_Unmarshal(b []byte) error

type TypeChannelParticipant_ChannelParticipant

type TypeChannelParticipant_ChannelParticipant struct {
	ChannelParticipant *PredChannelParticipant `protobuf:"bytes,1,opt,name=ChannelParticipant,oneof"`
}

type TypeChannelParticipant_ChannelParticipantAdmin

type TypeChannelParticipant_ChannelParticipantAdmin struct {
	ChannelParticipantAdmin *PredChannelParticipantAdmin `protobuf:"bytes,4,opt,name=ChannelParticipantAdmin,oneof"`
}

type TypeChannelParticipant_ChannelParticipantBanned

type TypeChannelParticipant_ChannelParticipantBanned struct {
	ChannelParticipantBanned *PredChannelParticipantBanned `protobuf:"bytes,5,opt,name=ChannelParticipantBanned,oneof"`
}

type TypeChannelParticipant_ChannelParticipantCreator

type TypeChannelParticipant_ChannelParticipantCreator struct {
	ChannelParticipantCreator *PredChannelParticipantCreator `protobuf:"bytes,3,opt,name=ChannelParticipantCreator,oneof"`
}

type TypeChannelParticipant_ChannelParticipantSelf

type TypeChannelParticipant_ChannelParticipantSelf struct {
	ChannelParticipantSelf *PredChannelParticipantSelf `protobuf:"bytes,2,opt,name=ChannelParticipantSelf,oneof"`
}

type TypeChannelParticipantsFilter

type TypeChannelParticipantsFilter struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChannelParticipantsFilter_ChannelParticipantsRecent
	//	*TypeChannelParticipantsFilter_ChannelParticipantsAdmins
	//	*TypeChannelParticipantsFilter_ChannelParticipantsKicked
	//	*TypeChannelParticipantsFilter_ChannelParticipantsBots
	//	*TypeChannelParticipantsFilter_ChannelParticipantsBanned
	//	*TypeChannelParticipantsFilter_ChannelParticipantsSearch
	Value                isTypeChannelParticipantsFilter_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                              `json:"-"`
	XXX_unrecognized     []byte                                `json:"-"`
	XXX_sizecache        int32                                 `json:"-"`
}

func (*TypeChannelParticipantsFilter) Descriptor

func (*TypeChannelParticipantsFilter) Descriptor() ([]byte, []int)

func (*TypeChannelParticipantsFilter) GetChannelParticipantsAdmins

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsAdmins() *PredChannelParticipantsAdmins

func (*TypeChannelParticipantsFilter) GetChannelParticipantsBanned

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsBanned() *PredChannelParticipantsBanned

func (*TypeChannelParticipantsFilter) GetChannelParticipantsBots

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsBots() *PredChannelParticipantsBots

func (*TypeChannelParticipantsFilter) GetChannelParticipantsKicked

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsKicked() *PredChannelParticipantsKicked

func (*TypeChannelParticipantsFilter) GetChannelParticipantsRecent

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsRecent() *PredChannelParticipantsRecent

func (*TypeChannelParticipantsFilter) GetChannelParticipantsSearch

func (m *TypeChannelParticipantsFilter) GetChannelParticipantsSearch() *PredChannelParticipantsSearch

func (*TypeChannelParticipantsFilter) GetValue

func (m *TypeChannelParticipantsFilter) GetValue() isTypeChannelParticipantsFilter_Value

func (*TypeChannelParticipantsFilter) ProtoMessage

func (*TypeChannelParticipantsFilter) ProtoMessage()

func (*TypeChannelParticipantsFilter) Reset

func (m *TypeChannelParticipantsFilter) Reset()

func (*TypeChannelParticipantsFilter) String

func (*TypeChannelParticipantsFilter) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelParticipantsFilter) XXX_DiscardUnknown()

func (*TypeChannelParticipantsFilter) XXX_Marshal added in v0.4.1

func (m *TypeChannelParticipantsFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelParticipantsFilter) XXX_Merge added in v0.4.1

func (dst *TypeChannelParticipantsFilter) XXX_Merge(src proto.Message)

func (*TypeChannelParticipantsFilter) XXX_OneofFuncs

func (*TypeChannelParticipantsFilter) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChannelParticipantsFilter) XXX_Size added in v0.4.1

func (m *TypeChannelParticipantsFilter) XXX_Size() int

func (*TypeChannelParticipantsFilter) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelParticipantsFilter) XXX_Unmarshal(b []byte) error

type TypeChannelParticipantsFilter_ChannelParticipantsAdmins

type TypeChannelParticipantsFilter_ChannelParticipantsAdmins struct {
	ChannelParticipantsAdmins *PredChannelParticipantsAdmins `protobuf:"bytes,2,opt,name=ChannelParticipantsAdmins,oneof"`
}

type TypeChannelParticipantsFilter_ChannelParticipantsBanned

type TypeChannelParticipantsFilter_ChannelParticipantsBanned struct {
	ChannelParticipantsBanned *PredChannelParticipantsBanned `protobuf:"bytes,5,opt,name=ChannelParticipantsBanned,oneof"`
}

type TypeChannelParticipantsFilter_ChannelParticipantsBots

type TypeChannelParticipantsFilter_ChannelParticipantsBots struct {
	ChannelParticipantsBots *PredChannelParticipantsBots `protobuf:"bytes,4,opt,name=ChannelParticipantsBots,oneof"`
}

type TypeChannelParticipantsFilter_ChannelParticipantsKicked

type TypeChannelParticipantsFilter_ChannelParticipantsKicked struct {
	ChannelParticipantsKicked *PredChannelParticipantsKicked `protobuf:"bytes,3,opt,name=ChannelParticipantsKicked,oneof"`
}

type TypeChannelParticipantsFilter_ChannelParticipantsRecent

type TypeChannelParticipantsFilter_ChannelParticipantsRecent struct {
	ChannelParticipantsRecent *PredChannelParticipantsRecent `protobuf:"bytes,1,opt,name=ChannelParticipantsRecent,oneof"`
}

type TypeChannelParticipantsFilter_ChannelParticipantsSearch

type TypeChannelParticipantsFilter_ChannelParticipantsSearch struct {
	ChannelParticipantsSearch *PredChannelParticipantsSearch `protobuf:"bytes,6,opt,name=ChannelParticipantsSearch,oneof"`
}

type TypeChannelsAdminLogResults

type TypeChannelsAdminLogResults struct {
	Value                *PredChannelsAdminLogResults `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeChannelsAdminLogResults) Descriptor

func (*TypeChannelsAdminLogResults) Descriptor() ([]byte, []int)

func (*TypeChannelsAdminLogResults) GetValue

func (*TypeChannelsAdminLogResults) ProtoMessage

func (*TypeChannelsAdminLogResults) ProtoMessage()

func (*TypeChannelsAdminLogResults) Reset

func (m *TypeChannelsAdminLogResults) Reset()

func (*TypeChannelsAdminLogResults) String

func (m *TypeChannelsAdminLogResults) String() string

func (*TypeChannelsAdminLogResults) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelsAdminLogResults) XXX_DiscardUnknown()

func (*TypeChannelsAdminLogResults) XXX_Marshal added in v0.4.1

func (m *TypeChannelsAdminLogResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelsAdminLogResults) XXX_Merge added in v0.4.1

func (dst *TypeChannelsAdminLogResults) XXX_Merge(src proto.Message)

func (*TypeChannelsAdminLogResults) XXX_Size added in v0.4.1

func (m *TypeChannelsAdminLogResults) XXX_Size() int

func (*TypeChannelsAdminLogResults) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelsAdminLogResults) XXX_Unmarshal(b []byte) error

type TypeChannelsChannelParticipant

type TypeChannelsChannelParticipant struct {
	Value                *PredChannelsChannelParticipant `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                        `json:"-"`
	XXX_unrecognized     []byte                          `json:"-"`
	XXX_sizecache        int32                           `json:"-"`
}

func (*TypeChannelsChannelParticipant) Descriptor

func (*TypeChannelsChannelParticipant) Descriptor() ([]byte, []int)

func (*TypeChannelsChannelParticipant) GetValue

func (*TypeChannelsChannelParticipant) ProtoMessage

func (*TypeChannelsChannelParticipant) ProtoMessage()

func (*TypeChannelsChannelParticipant) Reset

func (m *TypeChannelsChannelParticipant) Reset()

func (*TypeChannelsChannelParticipant) String

func (*TypeChannelsChannelParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelsChannelParticipant) XXX_DiscardUnknown()

func (*TypeChannelsChannelParticipant) XXX_Marshal added in v0.4.1

func (m *TypeChannelsChannelParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelsChannelParticipant) XXX_Merge added in v0.4.1

func (dst *TypeChannelsChannelParticipant) XXX_Merge(src proto.Message)

func (*TypeChannelsChannelParticipant) XXX_Size added in v0.4.1

func (m *TypeChannelsChannelParticipant) XXX_Size() int

func (*TypeChannelsChannelParticipant) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelsChannelParticipant) XXX_Unmarshal(b []byte) error

type TypeChannelsChannelParticipants

type TypeChannelsChannelParticipants struct {
	Value                *PredChannelsChannelParticipants `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                         `json:"-"`
	XXX_unrecognized     []byte                           `json:"-"`
	XXX_sizecache        int32                            `json:"-"`
}

func (*TypeChannelsChannelParticipants) Descriptor

func (*TypeChannelsChannelParticipants) Descriptor() ([]byte, []int)

func (*TypeChannelsChannelParticipants) GetValue

func (*TypeChannelsChannelParticipants) ProtoMessage

func (*TypeChannelsChannelParticipants) ProtoMessage()

func (*TypeChannelsChannelParticipants) Reset

func (*TypeChannelsChannelParticipants) String

func (*TypeChannelsChannelParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChannelsChannelParticipants) XXX_DiscardUnknown()

func (*TypeChannelsChannelParticipants) XXX_Marshal added in v0.4.1

func (m *TypeChannelsChannelParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChannelsChannelParticipants) XXX_Merge added in v0.4.1

func (dst *TypeChannelsChannelParticipants) XXX_Merge(src proto.Message)

func (*TypeChannelsChannelParticipants) XXX_Size added in v0.4.1

func (m *TypeChannelsChannelParticipants) XXX_Size() int

func (*TypeChannelsChannelParticipants) XXX_Unmarshal added in v0.4.1

func (m *TypeChannelsChannelParticipants) XXX_Unmarshal(b []byte) error

type TypeChat

type TypeChat struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChat_ChatEmpty
	//	*TypeChat_Chat
	//	*TypeChat_ChatForbidden
	//	*TypeChat_Channel
	//	*TypeChat_ChannelForbidden
	Value                isTypeChat_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeChat) Descriptor

func (*TypeChat) Descriptor() ([]byte, []int)

func (*TypeChat) GetChannel

func (m *TypeChat) GetChannel() *PredChannel

func (*TypeChat) GetChannelForbidden

func (m *TypeChat) GetChannelForbidden() *PredChannelForbidden

func (*TypeChat) GetChat

func (m *TypeChat) GetChat() *PredChat

func (*TypeChat) GetChatEmpty

func (m *TypeChat) GetChatEmpty() *PredChatEmpty

func (*TypeChat) GetChatForbidden

func (m *TypeChat) GetChatForbidden() *PredChatForbidden

func (*TypeChat) GetValue

func (m *TypeChat) GetValue() isTypeChat_Value

func (*TypeChat) ProtoMessage

func (*TypeChat) ProtoMessage()

func (*TypeChat) Reset

func (m *TypeChat) Reset()

func (*TypeChat) String

func (m *TypeChat) String() string

func (*TypeChat) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChat) XXX_DiscardUnknown()

func (*TypeChat) XXX_Marshal added in v0.4.1

func (m *TypeChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChat) XXX_Merge added in v0.4.1

func (dst *TypeChat) XXX_Merge(src proto.Message)

func (*TypeChat) XXX_OneofFuncs

func (*TypeChat) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChat) XXX_Size added in v0.4.1

func (m *TypeChat) XXX_Size() int

func (*TypeChat) XXX_Unmarshal added in v0.4.1

func (m *TypeChat) XXX_Unmarshal(b []byte) error

type TypeChatFull

type TypeChatFull struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChatFull_ChatFull
	//	*TypeChatFull_ChannelFull
	Value                isTypeChatFull_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeChatFull) Descriptor

func (*TypeChatFull) Descriptor() ([]byte, []int)

func (*TypeChatFull) GetChannelFull

func (m *TypeChatFull) GetChannelFull() *PredChannelFull

func (*TypeChatFull) GetChatFull

func (m *TypeChatFull) GetChatFull() *PredChatFull

func (*TypeChatFull) GetValue

func (m *TypeChatFull) GetValue() isTypeChatFull_Value

func (*TypeChatFull) ProtoMessage

func (*TypeChatFull) ProtoMessage()

func (*TypeChatFull) Reset

func (m *TypeChatFull) Reset()

func (*TypeChatFull) String

func (m *TypeChatFull) String() string

func (*TypeChatFull) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChatFull) XXX_DiscardUnknown()

func (*TypeChatFull) XXX_Marshal added in v0.4.1

func (m *TypeChatFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChatFull) XXX_Merge added in v0.4.1

func (dst *TypeChatFull) XXX_Merge(src proto.Message)

func (*TypeChatFull) XXX_OneofFuncs

func (*TypeChatFull) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChatFull) XXX_Size added in v0.4.1

func (m *TypeChatFull) XXX_Size() int

func (*TypeChatFull) XXX_Unmarshal added in v0.4.1

func (m *TypeChatFull) XXX_Unmarshal(b []byte) error

type TypeChatFull_ChannelFull

type TypeChatFull_ChannelFull struct {
	ChannelFull *PredChannelFull `protobuf:"bytes,2,opt,name=ChannelFull,oneof"`
}

type TypeChatFull_ChatFull

type TypeChatFull_ChatFull struct {
	ChatFull *PredChatFull `protobuf:"bytes,1,opt,name=ChatFull,oneof"`
}

type TypeChatInvite

type TypeChatInvite struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChatInvite_ChatInviteAlready
	//	*TypeChatInvite_ChatInvite
	Value                isTypeChatInvite_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeChatInvite) Descriptor

func (*TypeChatInvite) Descriptor() ([]byte, []int)

func (*TypeChatInvite) GetChatInvite

func (m *TypeChatInvite) GetChatInvite() *PredChatInvite

func (*TypeChatInvite) GetChatInviteAlready

func (m *TypeChatInvite) GetChatInviteAlready() *PredChatInviteAlready

func (*TypeChatInvite) GetValue

func (m *TypeChatInvite) GetValue() isTypeChatInvite_Value

func (*TypeChatInvite) ProtoMessage

func (*TypeChatInvite) ProtoMessage()

func (*TypeChatInvite) Reset

func (m *TypeChatInvite) Reset()

func (*TypeChatInvite) String

func (m *TypeChatInvite) String() string

func (*TypeChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChatInvite) XXX_DiscardUnknown()

func (*TypeChatInvite) XXX_Marshal added in v0.4.1

func (m *TypeChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChatInvite) XXX_Merge added in v0.4.1

func (dst *TypeChatInvite) XXX_Merge(src proto.Message)

func (*TypeChatInvite) XXX_OneofFuncs

func (*TypeChatInvite) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChatInvite) XXX_Size added in v0.4.1

func (m *TypeChatInvite) XXX_Size() int

func (*TypeChatInvite) XXX_Unmarshal added in v0.4.1

func (m *TypeChatInvite) XXX_Unmarshal(b []byte) error

type TypeChatInvite_ChatInvite

type TypeChatInvite_ChatInvite struct {
	ChatInvite *PredChatInvite `protobuf:"bytes,2,opt,name=ChatInvite,oneof"`
}

type TypeChatInvite_ChatInviteAlready

type TypeChatInvite_ChatInviteAlready struct {
	ChatInviteAlready *PredChatInviteAlready `protobuf:"bytes,1,opt,name=ChatInviteAlready,oneof"`
}

type TypeChatParticipant

type TypeChatParticipant struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChatParticipant_ChatParticipant
	//	*TypeChatParticipant_ChatParticipantCreator
	//	*TypeChatParticipant_ChatParticipantAdmin
	Value                isTypeChatParticipant_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeChatParticipant) Descriptor

func (*TypeChatParticipant) Descriptor() ([]byte, []int)

func (*TypeChatParticipant) GetChatParticipant

func (m *TypeChatParticipant) GetChatParticipant() *PredChatParticipant

func (*TypeChatParticipant) GetChatParticipantAdmin

func (m *TypeChatParticipant) GetChatParticipantAdmin() *PredChatParticipantAdmin

func (*TypeChatParticipant) GetChatParticipantCreator

func (m *TypeChatParticipant) GetChatParticipantCreator() *PredChatParticipantCreator

func (*TypeChatParticipant) GetValue

func (m *TypeChatParticipant) GetValue() isTypeChatParticipant_Value

func (*TypeChatParticipant) ProtoMessage

func (*TypeChatParticipant) ProtoMessage()

func (*TypeChatParticipant) Reset

func (m *TypeChatParticipant) Reset()

func (*TypeChatParticipant) String

func (m *TypeChatParticipant) String() string

func (*TypeChatParticipant) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChatParticipant) XXX_DiscardUnknown()

func (*TypeChatParticipant) XXX_Marshal added in v0.4.1

func (m *TypeChatParticipant) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChatParticipant) XXX_Merge added in v0.4.1

func (dst *TypeChatParticipant) XXX_Merge(src proto.Message)

func (*TypeChatParticipant) XXX_OneofFuncs

func (*TypeChatParticipant) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChatParticipant) XXX_Size added in v0.4.1

func (m *TypeChatParticipant) XXX_Size() int

func (*TypeChatParticipant) XXX_Unmarshal added in v0.4.1

func (m *TypeChatParticipant) XXX_Unmarshal(b []byte) error

type TypeChatParticipant_ChatParticipant

type TypeChatParticipant_ChatParticipant struct {
	ChatParticipant *PredChatParticipant `protobuf:"bytes,1,opt,name=ChatParticipant,oneof"`
}

type TypeChatParticipant_ChatParticipantAdmin

type TypeChatParticipant_ChatParticipantAdmin struct {
	ChatParticipantAdmin *PredChatParticipantAdmin `protobuf:"bytes,3,opt,name=ChatParticipantAdmin,oneof"`
}

type TypeChatParticipant_ChatParticipantCreator

type TypeChatParticipant_ChatParticipantCreator struct {
	ChatParticipantCreator *PredChatParticipantCreator `protobuf:"bytes,2,opt,name=ChatParticipantCreator,oneof"`
}

type TypeChatParticipants

type TypeChatParticipants struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChatParticipants_ChatParticipantsForbidden
	//	*TypeChatParticipants_ChatParticipants
	Value                isTypeChatParticipants_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeChatParticipants) Descriptor

func (*TypeChatParticipants) Descriptor() ([]byte, []int)

func (*TypeChatParticipants) GetChatParticipants

func (m *TypeChatParticipants) GetChatParticipants() *PredChatParticipants

func (*TypeChatParticipants) GetChatParticipantsForbidden

func (m *TypeChatParticipants) GetChatParticipantsForbidden() *PredChatParticipantsForbidden

func (*TypeChatParticipants) GetValue

func (m *TypeChatParticipants) GetValue() isTypeChatParticipants_Value

func (*TypeChatParticipants) ProtoMessage

func (*TypeChatParticipants) ProtoMessage()

func (*TypeChatParticipants) Reset

func (m *TypeChatParticipants) Reset()

func (*TypeChatParticipants) String

func (m *TypeChatParticipants) String() string

func (*TypeChatParticipants) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChatParticipants) XXX_DiscardUnknown()

func (*TypeChatParticipants) XXX_Marshal added in v0.4.1

func (m *TypeChatParticipants) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChatParticipants) XXX_Merge added in v0.4.1

func (dst *TypeChatParticipants) XXX_Merge(src proto.Message)

func (*TypeChatParticipants) XXX_OneofFuncs

func (*TypeChatParticipants) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChatParticipants) XXX_Size added in v0.4.1

func (m *TypeChatParticipants) XXX_Size() int

func (*TypeChatParticipants) XXX_Unmarshal added in v0.4.1

func (m *TypeChatParticipants) XXX_Unmarshal(b []byte) error

type TypeChatParticipants_ChatParticipants

type TypeChatParticipants_ChatParticipants struct {
	ChatParticipants *PredChatParticipants `protobuf:"bytes,2,opt,name=ChatParticipants,oneof"`
}

type TypeChatParticipants_ChatParticipantsForbidden

type TypeChatParticipants_ChatParticipantsForbidden struct {
	ChatParticipantsForbidden *PredChatParticipantsForbidden `protobuf:"bytes,1,opt,name=ChatParticipantsForbidden,oneof"`
}

type TypeChatPhoto

type TypeChatPhoto struct {
	// Types that are valid to be assigned to Value:
	//	*TypeChatPhoto_ChatPhotoEmpty
	//	*TypeChatPhoto_ChatPhoto
	Value                isTypeChatPhoto_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeChatPhoto) Descriptor

func (*TypeChatPhoto) Descriptor() ([]byte, []int)

func (*TypeChatPhoto) GetChatPhoto

func (m *TypeChatPhoto) GetChatPhoto() *PredChatPhoto

func (*TypeChatPhoto) GetChatPhotoEmpty

func (m *TypeChatPhoto) GetChatPhotoEmpty() *PredChatPhotoEmpty

func (*TypeChatPhoto) GetValue

func (m *TypeChatPhoto) GetValue() isTypeChatPhoto_Value

func (*TypeChatPhoto) ProtoMessage

func (*TypeChatPhoto) ProtoMessage()

func (*TypeChatPhoto) Reset

func (m *TypeChatPhoto) Reset()

func (*TypeChatPhoto) String

func (m *TypeChatPhoto) String() string

func (*TypeChatPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypeChatPhoto) XXX_DiscardUnknown()

func (*TypeChatPhoto) XXX_Marshal added in v0.4.1

func (m *TypeChatPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeChatPhoto) XXX_Merge added in v0.4.1

func (dst *TypeChatPhoto) XXX_Merge(src proto.Message)

func (*TypeChatPhoto) XXX_OneofFuncs

func (*TypeChatPhoto) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeChatPhoto) XXX_Size added in v0.4.1

func (m *TypeChatPhoto) XXX_Size() int

func (*TypeChatPhoto) XXX_Unmarshal added in v0.4.1

func (m *TypeChatPhoto) XXX_Unmarshal(b []byte) error

type TypeChatPhoto_ChatPhoto

type TypeChatPhoto_ChatPhoto struct {
	ChatPhoto *PredChatPhoto `protobuf:"bytes,2,opt,name=ChatPhoto,oneof"`
}

type TypeChatPhoto_ChatPhotoEmpty

type TypeChatPhoto_ChatPhotoEmpty struct {
	ChatPhotoEmpty *PredChatPhotoEmpty `protobuf:"bytes,1,opt,name=ChatPhotoEmpty,oneof"`
}

type TypeChat_Channel

type TypeChat_Channel struct {
	Channel *PredChannel `protobuf:"bytes,4,opt,name=Channel,oneof"`
}

type TypeChat_ChannelForbidden

type TypeChat_ChannelForbidden struct {
	ChannelForbidden *PredChannelForbidden `protobuf:"bytes,5,opt,name=ChannelForbidden,oneof"`
}

type TypeChat_Chat

type TypeChat_Chat struct {
	Chat *PredChat `protobuf:"bytes,2,opt,name=Chat,oneof"`
}

type TypeChat_ChatEmpty

type TypeChat_ChatEmpty struct {
	ChatEmpty *PredChatEmpty `protobuf:"bytes,1,opt,name=ChatEmpty,oneof"`
}

type TypeChat_ChatForbidden

type TypeChat_ChatForbidden struct {
	ChatForbidden *PredChatForbidden `protobuf:"bytes,3,opt,name=ChatForbidden,oneof"`
}

type TypeConfig

type TypeConfig struct {
	Value                *PredConfig `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*TypeConfig) Descriptor

func (*TypeConfig) Descriptor() ([]byte, []int)

func (*TypeConfig) GetValue

func (m *TypeConfig) GetValue() *PredConfig

func (*TypeConfig) ProtoMessage

func (*TypeConfig) ProtoMessage()

func (*TypeConfig) Reset

func (m *TypeConfig) Reset()

func (*TypeConfig) String

func (m *TypeConfig) String() string

func (*TypeConfig) XXX_DiscardUnknown added in v0.4.1

func (m *TypeConfig) XXX_DiscardUnknown()

func (*TypeConfig) XXX_Marshal added in v0.4.1

func (m *TypeConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeConfig) XXX_Merge added in v0.4.1

func (dst *TypeConfig) XXX_Merge(src proto.Message)

func (*TypeConfig) XXX_Size added in v0.4.1

func (m *TypeConfig) XXX_Size() int

func (*TypeConfig) XXX_Unmarshal added in v0.4.1

func (m *TypeConfig) XXX_Unmarshal(b []byte) error

type TypeContact

type TypeContact struct {
	Value                *PredContact `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*TypeContact) Descriptor

func (*TypeContact) Descriptor() ([]byte, []int)

func (*TypeContact) GetValue

func (m *TypeContact) GetValue() *PredContact

func (*TypeContact) ProtoMessage

func (*TypeContact) ProtoMessage()

func (*TypeContact) Reset

func (m *TypeContact) Reset()

func (*TypeContact) String

func (m *TypeContact) String() string

func (*TypeContact) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContact) XXX_DiscardUnknown()

func (*TypeContact) XXX_Marshal added in v0.4.1

func (m *TypeContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContact) XXX_Merge added in v0.4.1

func (dst *TypeContact) XXX_Merge(src proto.Message)

func (*TypeContact) XXX_Size added in v0.4.1

func (m *TypeContact) XXX_Size() int

func (*TypeContact) XXX_Unmarshal added in v0.4.1

func (m *TypeContact) XXX_Unmarshal(b []byte) error

type TypeContactBlocked

type TypeContactBlocked struct {
	Value                *PredContactBlocked `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeContactBlocked) Descriptor

func (*TypeContactBlocked) Descriptor() ([]byte, []int)

func (*TypeContactBlocked) GetValue

func (m *TypeContactBlocked) GetValue() *PredContactBlocked

func (*TypeContactBlocked) ProtoMessage

func (*TypeContactBlocked) ProtoMessage()

func (*TypeContactBlocked) Reset

func (m *TypeContactBlocked) Reset()

func (*TypeContactBlocked) String

func (m *TypeContactBlocked) String() string

func (*TypeContactBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactBlocked) XXX_DiscardUnknown()

func (*TypeContactBlocked) XXX_Marshal added in v0.4.1

func (m *TypeContactBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactBlocked) XXX_Merge added in v0.4.1

func (dst *TypeContactBlocked) XXX_Merge(src proto.Message)

func (*TypeContactBlocked) XXX_Size added in v0.4.1

func (m *TypeContactBlocked) XXX_Size() int

func (*TypeContactBlocked) XXX_Unmarshal added in v0.4.1

func (m *TypeContactBlocked) XXX_Unmarshal(b []byte) error
type TypeContactLink struct {
	// Types that are valid to be assigned to Value:
	//	*TypeContactLink_ContactLinkUnknown
	//	*TypeContactLink_ContactLinkNone
	//	*TypeContactLink_ContactLinkHasPhone
	//	*TypeContactLink_ContactLinkContact
	Value                isTypeContactLink_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeContactLink) Descriptor

func (*TypeContactLink) Descriptor() ([]byte, []int)

func (*TypeContactLink) GetContactLinkContact

func (m *TypeContactLink) GetContactLinkContact() *PredContactLinkContact

func (*TypeContactLink) GetContactLinkHasPhone

func (m *TypeContactLink) GetContactLinkHasPhone() *PredContactLinkHasPhone

func (*TypeContactLink) GetContactLinkNone

func (m *TypeContactLink) GetContactLinkNone() *PredContactLinkNone

func (*TypeContactLink) GetContactLinkUnknown

func (m *TypeContactLink) GetContactLinkUnknown() *PredContactLinkUnknown

func (*TypeContactLink) GetValue

func (m *TypeContactLink) GetValue() isTypeContactLink_Value

func (*TypeContactLink) ProtoMessage

func (*TypeContactLink) ProtoMessage()

func (*TypeContactLink) Reset

func (m *TypeContactLink) Reset()

func (*TypeContactLink) String

func (m *TypeContactLink) String() string

func (*TypeContactLink) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactLink) XXX_DiscardUnknown()

func (*TypeContactLink) XXX_Marshal added in v0.4.1

func (m *TypeContactLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactLink) XXX_Merge added in v0.4.1

func (dst *TypeContactLink) XXX_Merge(src proto.Message)

func (*TypeContactLink) XXX_OneofFuncs

func (*TypeContactLink) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeContactLink) XXX_Size added in v0.4.1

func (m *TypeContactLink) XXX_Size() int

func (*TypeContactLink) XXX_Unmarshal added in v0.4.1

func (m *TypeContactLink) XXX_Unmarshal(b []byte) error
type TypeContactLink_ContactLinkContact struct {
	ContactLinkContact *PredContactLinkContact `protobuf:"bytes,4,opt,name=ContactLinkContact,oneof"`
}
type TypeContactLink_ContactLinkHasPhone struct {
	ContactLinkHasPhone *PredContactLinkHasPhone `protobuf:"bytes,3,opt,name=ContactLinkHasPhone,oneof"`
}
type TypeContactLink_ContactLinkNone struct {
	ContactLinkNone *PredContactLinkNone `protobuf:"bytes,2,opt,name=ContactLinkNone,oneof"`
}
type TypeContactLink_ContactLinkUnknown struct {
	ContactLinkUnknown *PredContactLinkUnknown `protobuf:"bytes,1,opt,name=ContactLinkUnknown,oneof"`
}

type TypeContactStatus

type TypeContactStatus struct {
	Value                *PredContactStatus `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeContactStatus) Descriptor

func (*TypeContactStatus) Descriptor() ([]byte, []int)

func (*TypeContactStatus) GetValue

func (m *TypeContactStatus) GetValue() *PredContactStatus

func (*TypeContactStatus) ProtoMessage

func (*TypeContactStatus) ProtoMessage()

func (*TypeContactStatus) Reset

func (m *TypeContactStatus) Reset()

func (*TypeContactStatus) String

func (m *TypeContactStatus) String() string

func (*TypeContactStatus) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactStatus) XXX_DiscardUnknown()

func (*TypeContactStatus) XXX_Marshal added in v0.4.1

func (m *TypeContactStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactStatus) XXX_Merge added in v0.4.1

func (dst *TypeContactStatus) XXX_Merge(src proto.Message)

func (*TypeContactStatus) XXX_Size added in v0.4.1

func (m *TypeContactStatus) XXX_Size() int

func (*TypeContactStatus) XXX_Unmarshal added in v0.4.1

func (m *TypeContactStatus) XXX_Unmarshal(b []byte) error

type TypeContactsBlocked

type TypeContactsBlocked struct {
	// Types that are valid to be assigned to Value:
	//	*TypeContactsBlocked_ContactsBlocked
	//	*TypeContactsBlocked_ContactsBlockedSlice
	Value                isTypeContactsBlocked_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeContactsBlocked) Descriptor

func (*TypeContactsBlocked) Descriptor() ([]byte, []int)

func (*TypeContactsBlocked) GetContactsBlocked

func (m *TypeContactsBlocked) GetContactsBlocked() *PredContactsBlocked

func (*TypeContactsBlocked) GetContactsBlockedSlice

func (m *TypeContactsBlocked) GetContactsBlockedSlice() *PredContactsBlockedSlice

func (*TypeContactsBlocked) GetValue

func (m *TypeContactsBlocked) GetValue() isTypeContactsBlocked_Value

func (*TypeContactsBlocked) ProtoMessage

func (*TypeContactsBlocked) ProtoMessage()

func (*TypeContactsBlocked) Reset

func (m *TypeContactsBlocked) Reset()

func (*TypeContactsBlocked) String

func (m *TypeContactsBlocked) String() string

func (*TypeContactsBlocked) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsBlocked) XXX_DiscardUnknown()

func (*TypeContactsBlocked) XXX_Marshal added in v0.4.1

func (m *TypeContactsBlocked) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsBlocked) XXX_Merge added in v0.4.1

func (dst *TypeContactsBlocked) XXX_Merge(src proto.Message)

func (*TypeContactsBlocked) XXX_OneofFuncs

func (*TypeContactsBlocked) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeContactsBlocked) XXX_Size added in v0.4.1

func (m *TypeContactsBlocked) XXX_Size() int

func (*TypeContactsBlocked) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsBlocked) XXX_Unmarshal(b []byte) error

type TypeContactsBlocked_ContactsBlocked

type TypeContactsBlocked_ContactsBlocked struct {
	ContactsBlocked *PredContactsBlocked `protobuf:"bytes,1,opt,name=ContactsBlocked,oneof"`
}

type TypeContactsBlocked_ContactsBlockedSlice

type TypeContactsBlocked_ContactsBlockedSlice struct {
	ContactsBlockedSlice *PredContactsBlockedSlice `protobuf:"bytes,2,opt,name=ContactsBlockedSlice,oneof"`
}

type TypeContactsContacts

type TypeContactsContacts struct {
	// Types that are valid to be assigned to Value:
	//	*TypeContactsContacts_ContactsContacts
	//	*TypeContactsContacts_ContactsContactsNotModified
	Value                isTypeContactsContacts_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeContactsContacts) Descriptor

func (*TypeContactsContacts) Descriptor() ([]byte, []int)

func (*TypeContactsContacts) GetContactsContacts

func (m *TypeContactsContacts) GetContactsContacts() *PredContactsContacts

func (*TypeContactsContacts) GetContactsContactsNotModified

func (m *TypeContactsContacts) GetContactsContactsNotModified() *PredContactsContactsNotModified

func (*TypeContactsContacts) GetValue

func (m *TypeContactsContacts) GetValue() isTypeContactsContacts_Value

func (*TypeContactsContacts) ProtoMessage

func (*TypeContactsContacts) ProtoMessage()

func (*TypeContactsContacts) Reset

func (m *TypeContactsContacts) Reset()

func (*TypeContactsContacts) String

func (m *TypeContactsContacts) String() string

func (*TypeContactsContacts) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsContacts) XXX_DiscardUnknown()

func (*TypeContactsContacts) XXX_Marshal added in v0.4.1

func (m *TypeContactsContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsContacts) XXX_Merge added in v0.4.1

func (dst *TypeContactsContacts) XXX_Merge(src proto.Message)

func (*TypeContactsContacts) XXX_OneofFuncs

func (*TypeContactsContacts) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeContactsContacts) XXX_Size added in v0.4.1

func (m *TypeContactsContacts) XXX_Size() int

func (*TypeContactsContacts) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsContacts) XXX_Unmarshal(b []byte) error

type TypeContactsContacts_ContactsContacts

type TypeContactsContacts_ContactsContacts struct {
	ContactsContacts *PredContactsContacts `protobuf:"bytes,1,opt,name=ContactsContacts,oneof"`
}

type TypeContactsContacts_ContactsContactsNotModified

type TypeContactsContacts_ContactsContactsNotModified struct {
	ContactsContactsNotModified *PredContactsContactsNotModified `protobuf:"bytes,2,opt,name=ContactsContactsNotModified,oneof"`
}

type TypeContactsFound

type TypeContactsFound struct {
	Value                *PredContactsFound `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeContactsFound) Descriptor

func (*TypeContactsFound) Descriptor() ([]byte, []int)

func (*TypeContactsFound) GetValue

func (m *TypeContactsFound) GetValue() *PredContactsFound

func (*TypeContactsFound) ProtoMessage

func (*TypeContactsFound) ProtoMessage()

func (*TypeContactsFound) Reset

func (m *TypeContactsFound) Reset()

func (*TypeContactsFound) String

func (m *TypeContactsFound) String() string

func (*TypeContactsFound) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsFound) XXX_DiscardUnknown()

func (*TypeContactsFound) XXX_Marshal added in v0.4.1

func (m *TypeContactsFound) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsFound) XXX_Merge added in v0.4.1

func (dst *TypeContactsFound) XXX_Merge(src proto.Message)

func (*TypeContactsFound) XXX_Size added in v0.4.1

func (m *TypeContactsFound) XXX_Size() int

func (*TypeContactsFound) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsFound) XXX_Unmarshal(b []byte) error

type TypeContactsImportedContacts

type TypeContactsImportedContacts struct {
	Value                *PredContactsImportedContacts `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeContactsImportedContacts) Descriptor

func (*TypeContactsImportedContacts) Descriptor() ([]byte, []int)

func (*TypeContactsImportedContacts) GetValue

func (*TypeContactsImportedContacts) ProtoMessage

func (*TypeContactsImportedContacts) ProtoMessage()

func (*TypeContactsImportedContacts) Reset

func (m *TypeContactsImportedContacts) Reset()

func (*TypeContactsImportedContacts) String

func (*TypeContactsImportedContacts) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsImportedContacts) XXX_DiscardUnknown()

func (*TypeContactsImportedContacts) XXX_Marshal added in v0.4.1

func (m *TypeContactsImportedContacts) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsImportedContacts) XXX_Merge added in v0.4.1

func (dst *TypeContactsImportedContacts) XXX_Merge(src proto.Message)

func (*TypeContactsImportedContacts) XXX_Size added in v0.4.1

func (m *TypeContactsImportedContacts) XXX_Size() int

func (*TypeContactsImportedContacts) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsImportedContacts) XXX_Unmarshal(b []byte) error
type TypeContactsLink struct {
	Value                *PredContactsLink `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeContactsLink) Descriptor

func (*TypeContactsLink) Descriptor() ([]byte, []int)

func (*TypeContactsLink) GetValue

func (m *TypeContactsLink) GetValue() *PredContactsLink

func (*TypeContactsLink) ProtoMessage

func (*TypeContactsLink) ProtoMessage()

func (*TypeContactsLink) Reset

func (m *TypeContactsLink) Reset()

func (*TypeContactsLink) String

func (m *TypeContactsLink) String() string

func (*TypeContactsLink) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsLink) XXX_DiscardUnknown()

func (*TypeContactsLink) XXX_Marshal added in v0.4.1

func (m *TypeContactsLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsLink) XXX_Merge added in v0.4.1

func (dst *TypeContactsLink) XXX_Merge(src proto.Message)

func (*TypeContactsLink) XXX_Size added in v0.4.1

func (m *TypeContactsLink) XXX_Size() int

func (*TypeContactsLink) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsLink) XXX_Unmarshal(b []byte) error

type TypeContactsResolvedPeer

type TypeContactsResolvedPeer struct {
	Value                *PredContactsResolvedPeer `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeContactsResolvedPeer) Descriptor

func (*TypeContactsResolvedPeer) Descriptor() ([]byte, []int)

func (*TypeContactsResolvedPeer) GetValue

func (*TypeContactsResolvedPeer) ProtoMessage

func (*TypeContactsResolvedPeer) ProtoMessage()

func (*TypeContactsResolvedPeer) Reset

func (m *TypeContactsResolvedPeer) Reset()

func (*TypeContactsResolvedPeer) String

func (m *TypeContactsResolvedPeer) String() string

func (*TypeContactsResolvedPeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsResolvedPeer) XXX_DiscardUnknown()

func (*TypeContactsResolvedPeer) XXX_Marshal added in v0.4.1

func (m *TypeContactsResolvedPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsResolvedPeer) XXX_Merge added in v0.4.1

func (dst *TypeContactsResolvedPeer) XXX_Merge(src proto.Message)

func (*TypeContactsResolvedPeer) XXX_Size added in v0.4.1

func (m *TypeContactsResolvedPeer) XXX_Size() int

func (*TypeContactsResolvedPeer) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsResolvedPeer) XXX_Unmarshal(b []byte) error

type TypeContactsTopPeers

type TypeContactsTopPeers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeContactsTopPeers_ContactsTopPeersNotModified
	//	*TypeContactsTopPeers_ContactsTopPeers
	Value                isTypeContactsTopPeers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeContactsTopPeers) Descriptor

func (*TypeContactsTopPeers) Descriptor() ([]byte, []int)

func (*TypeContactsTopPeers) GetContactsTopPeers

func (m *TypeContactsTopPeers) GetContactsTopPeers() *PredContactsTopPeers

func (*TypeContactsTopPeers) GetContactsTopPeersNotModified

func (m *TypeContactsTopPeers) GetContactsTopPeersNotModified() *PredContactsTopPeersNotModified

func (*TypeContactsTopPeers) GetValue

func (m *TypeContactsTopPeers) GetValue() isTypeContactsTopPeers_Value

func (*TypeContactsTopPeers) ProtoMessage

func (*TypeContactsTopPeers) ProtoMessage()

func (*TypeContactsTopPeers) Reset

func (m *TypeContactsTopPeers) Reset()

func (*TypeContactsTopPeers) String

func (m *TypeContactsTopPeers) String() string

func (*TypeContactsTopPeers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeContactsTopPeers) XXX_DiscardUnknown()

func (*TypeContactsTopPeers) XXX_Marshal added in v0.4.1

func (m *TypeContactsTopPeers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeContactsTopPeers) XXX_Merge added in v0.4.1

func (dst *TypeContactsTopPeers) XXX_Merge(src proto.Message)

func (*TypeContactsTopPeers) XXX_OneofFuncs

func (*TypeContactsTopPeers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeContactsTopPeers) XXX_Size added in v0.4.1

func (m *TypeContactsTopPeers) XXX_Size() int

func (*TypeContactsTopPeers) XXX_Unmarshal added in v0.4.1

func (m *TypeContactsTopPeers) XXX_Unmarshal(b []byte) error

type TypeContactsTopPeers_ContactsTopPeers

type TypeContactsTopPeers_ContactsTopPeers struct {
	ContactsTopPeers *PredContactsTopPeers `protobuf:"bytes,2,opt,name=ContactsTopPeers,oneof"`
}

type TypeContactsTopPeers_ContactsTopPeersNotModified

type TypeContactsTopPeers_ContactsTopPeersNotModified struct {
	ContactsTopPeersNotModified *PredContactsTopPeersNotModified `protobuf:"bytes,1,opt,name=ContactsTopPeersNotModified,oneof"`
}

type TypeDataJSON

type TypeDataJSON struct {
	Value                *PredDataJSON `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*TypeDataJSON) Descriptor

func (*TypeDataJSON) Descriptor() ([]byte, []int)

func (*TypeDataJSON) GetValue

func (m *TypeDataJSON) GetValue() *PredDataJSON

func (*TypeDataJSON) ProtoMessage

func (*TypeDataJSON) ProtoMessage()

func (*TypeDataJSON) Reset

func (m *TypeDataJSON) Reset()

func (*TypeDataJSON) String

func (m *TypeDataJSON) String() string

func (*TypeDataJSON) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDataJSON) XXX_DiscardUnknown()

func (*TypeDataJSON) XXX_Marshal added in v0.4.1

func (m *TypeDataJSON) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDataJSON) XXX_Merge added in v0.4.1

func (dst *TypeDataJSON) XXX_Merge(src proto.Message)

func (*TypeDataJSON) XXX_Size added in v0.4.1

func (m *TypeDataJSON) XXX_Size() int

func (*TypeDataJSON) XXX_Unmarshal added in v0.4.1

func (m *TypeDataJSON) XXX_Unmarshal(b []byte) error

type TypeDcOption

type TypeDcOption struct {
	Value                *PredDcOption `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*TypeDcOption) Descriptor

func (*TypeDcOption) Descriptor() ([]byte, []int)

func (*TypeDcOption) GetValue

func (m *TypeDcOption) GetValue() *PredDcOption

func (*TypeDcOption) ProtoMessage

func (*TypeDcOption) ProtoMessage()

func (*TypeDcOption) Reset

func (m *TypeDcOption) Reset()

func (*TypeDcOption) String

func (m *TypeDcOption) String() string

func (*TypeDcOption) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDcOption) XXX_DiscardUnknown()

func (*TypeDcOption) XXX_Marshal added in v0.4.1

func (m *TypeDcOption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDcOption) XXX_Merge added in v0.4.1

func (dst *TypeDcOption) XXX_Merge(src proto.Message)

func (*TypeDcOption) XXX_Size added in v0.4.1

func (m *TypeDcOption) XXX_Size() int

func (*TypeDcOption) XXX_Unmarshal added in v0.4.1

func (m *TypeDcOption) XXX_Unmarshal(b []byte) error

type TypeDialog

type TypeDialog struct {
	Value                *PredDialog `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*TypeDialog) Descriptor

func (*TypeDialog) Descriptor() ([]byte, []int)

func (*TypeDialog) GetValue

func (m *TypeDialog) GetValue() *PredDialog

func (*TypeDialog) ProtoMessage

func (*TypeDialog) ProtoMessage()

func (*TypeDialog) Reset

func (m *TypeDialog) Reset()

func (*TypeDialog) String

func (m *TypeDialog) String() string

func (*TypeDialog) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDialog) XXX_DiscardUnknown()

func (*TypeDialog) XXX_Marshal added in v0.4.1

func (m *TypeDialog) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDialog) XXX_Merge added in v0.4.1

func (dst *TypeDialog) XXX_Merge(src proto.Message)

func (*TypeDialog) XXX_Size added in v0.4.1

func (m *TypeDialog) XXX_Size() int

func (*TypeDialog) XXX_Unmarshal added in v0.4.1

func (m *TypeDialog) XXX_Unmarshal(b []byte) error

type TypeDisabledFeature

type TypeDisabledFeature struct {
	Value                *PredDisabledFeature `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeDisabledFeature) Descriptor

func (*TypeDisabledFeature) Descriptor() ([]byte, []int)

func (*TypeDisabledFeature) GetValue

func (*TypeDisabledFeature) ProtoMessage

func (*TypeDisabledFeature) ProtoMessage()

func (*TypeDisabledFeature) Reset

func (m *TypeDisabledFeature) Reset()

func (*TypeDisabledFeature) String

func (m *TypeDisabledFeature) String() string

func (*TypeDisabledFeature) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDisabledFeature) XXX_DiscardUnknown()

func (*TypeDisabledFeature) XXX_Marshal added in v0.4.1

func (m *TypeDisabledFeature) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDisabledFeature) XXX_Merge added in v0.4.1

func (dst *TypeDisabledFeature) XXX_Merge(src proto.Message)

func (*TypeDisabledFeature) XXX_Size added in v0.4.1

func (m *TypeDisabledFeature) XXX_Size() int

func (*TypeDisabledFeature) XXX_Unmarshal added in v0.4.1

func (m *TypeDisabledFeature) XXX_Unmarshal(b []byte) error

type TypeDocument

type TypeDocument struct {
	// Types that are valid to be assigned to Value:
	//	*TypeDocument_DocumentEmpty
	//	*TypeDocument_Document
	Value                isTypeDocument_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeDocument) Descriptor

func (*TypeDocument) Descriptor() ([]byte, []int)

func (*TypeDocument) GetDocument

func (m *TypeDocument) GetDocument() *PredDocument

func (*TypeDocument) GetDocumentEmpty

func (m *TypeDocument) GetDocumentEmpty() *PredDocumentEmpty

func (*TypeDocument) GetValue

func (m *TypeDocument) GetValue() isTypeDocument_Value

func (*TypeDocument) ProtoMessage

func (*TypeDocument) ProtoMessage()

func (*TypeDocument) Reset

func (m *TypeDocument) Reset()

func (*TypeDocument) String

func (m *TypeDocument) String() string

func (*TypeDocument) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDocument) XXX_DiscardUnknown()

func (*TypeDocument) XXX_Marshal added in v0.4.1

func (m *TypeDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDocument) XXX_Merge added in v0.4.1

func (dst *TypeDocument) XXX_Merge(src proto.Message)

func (*TypeDocument) XXX_OneofFuncs

func (*TypeDocument) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeDocument) XXX_Size added in v0.4.1

func (m *TypeDocument) XXX_Size() int

func (*TypeDocument) XXX_Unmarshal added in v0.4.1

func (m *TypeDocument) XXX_Unmarshal(b []byte) error

type TypeDocumentAttribute

type TypeDocumentAttribute struct {
	// Types that are valid to be assigned to Value:
	//	*TypeDocumentAttribute_DocumentAttributeImageSize
	//	*TypeDocumentAttribute_DocumentAttributeAnimated
	//	*TypeDocumentAttribute_DocumentAttributeSticker
	//	*TypeDocumentAttribute_DocumentAttributeVideo
	//	*TypeDocumentAttribute_DocumentAttributeAudio
	//	*TypeDocumentAttribute_DocumentAttributeFilename
	//	*TypeDocumentAttribute_DocumentAttributeHasStickers
	Value                isTypeDocumentAttribute_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeDocumentAttribute) Descriptor

func (*TypeDocumentAttribute) Descriptor() ([]byte, []int)

func (*TypeDocumentAttribute) GetDocumentAttributeAnimated

func (m *TypeDocumentAttribute) GetDocumentAttributeAnimated() *PredDocumentAttributeAnimated

func (*TypeDocumentAttribute) GetDocumentAttributeAudio

func (m *TypeDocumentAttribute) GetDocumentAttributeAudio() *PredDocumentAttributeAudio

func (*TypeDocumentAttribute) GetDocumentAttributeFilename

func (m *TypeDocumentAttribute) GetDocumentAttributeFilename() *PredDocumentAttributeFilename

func (*TypeDocumentAttribute) GetDocumentAttributeHasStickers

func (m *TypeDocumentAttribute) GetDocumentAttributeHasStickers() *PredDocumentAttributeHasStickers

func (*TypeDocumentAttribute) GetDocumentAttributeImageSize

func (m *TypeDocumentAttribute) GetDocumentAttributeImageSize() *PredDocumentAttributeImageSize

func (*TypeDocumentAttribute) GetDocumentAttributeSticker

func (m *TypeDocumentAttribute) GetDocumentAttributeSticker() *PredDocumentAttributeSticker

func (*TypeDocumentAttribute) GetDocumentAttributeVideo

func (m *TypeDocumentAttribute) GetDocumentAttributeVideo() *PredDocumentAttributeVideo

func (*TypeDocumentAttribute) GetValue

func (m *TypeDocumentAttribute) GetValue() isTypeDocumentAttribute_Value

func (*TypeDocumentAttribute) ProtoMessage

func (*TypeDocumentAttribute) ProtoMessage()

func (*TypeDocumentAttribute) Reset

func (m *TypeDocumentAttribute) Reset()

func (*TypeDocumentAttribute) String

func (m *TypeDocumentAttribute) String() string

func (*TypeDocumentAttribute) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDocumentAttribute) XXX_DiscardUnknown()

func (*TypeDocumentAttribute) XXX_Marshal added in v0.4.1

func (m *TypeDocumentAttribute) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDocumentAttribute) XXX_Merge added in v0.4.1

func (dst *TypeDocumentAttribute) XXX_Merge(src proto.Message)

func (*TypeDocumentAttribute) XXX_OneofFuncs

func (*TypeDocumentAttribute) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeDocumentAttribute) XXX_Size added in v0.4.1

func (m *TypeDocumentAttribute) XXX_Size() int

func (*TypeDocumentAttribute) XXX_Unmarshal added in v0.4.1

func (m *TypeDocumentAttribute) XXX_Unmarshal(b []byte) error

type TypeDocumentAttribute_DocumentAttributeAnimated

type TypeDocumentAttribute_DocumentAttributeAnimated struct {
	DocumentAttributeAnimated *PredDocumentAttributeAnimated `protobuf:"bytes,2,opt,name=DocumentAttributeAnimated,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeAudio

type TypeDocumentAttribute_DocumentAttributeAudio struct {
	DocumentAttributeAudio *PredDocumentAttributeAudio `protobuf:"bytes,5,opt,name=DocumentAttributeAudio,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeFilename

type TypeDocumentAttribute_DocumentAttributeFilename struct {
	DocumentAttributeFilename *PredDocumentAttributeFilename `protobuf:"bytes,6,opt,name=DocumentAttributeFilename,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeHasStickers

type TypeDocumentAttribute_DocumentAttributeHasStickers struct {
	DocumentAttributeHasStickers *PredDocumentAttributeHasStickers `protobuf:"bytes,7,opt,name=DocumentAttributeHasStickers,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeImageSize

type TypeDocumentAttribute_DocumentAttributeImageSize struct {
	DocumentAttributeImageSize *PredDocumentAttributeImageSize `protobuf:"bytes,1,opt,name=DocumentAttributeImageSize,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeSticker

type TypeDocumentAttribute_DocumentAttributeSticker struct {
	DocumentAttributeSticker *PredDocumentAttributeSticker `protobuf:"bytes,3,opt,name=DocumentAttributeSticker,oneof"`
}

type TypeDocumentAttribute_DocumentAttributeVideo

type TypeDocumentAttribute_DocumentAttributeVideo struct {
	DocumentAttributeVideo *PredDocumentAttributeVideo `protobuf:"bytes,4,opt,name=DocumentAttributeVideo,oneof"`
}

type TypeDocument_Document

type TypeDocument_Document struct {
	Document *PredDocument `protobuf:"bytes,2,opt,name=Document,oneof"`
}

type TypeDocument_DocumentEmpty

type TypeDocument_DocumentEmpty struct {
	DocumentEmpty *PredDocumentEmpty `protobuf:"bytes,1,opt,name=DocumentEmpty,oneof"`
}

type TypeDraftMessage

type TypeDraftMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeDraftMessage_DraftMessageEmpty
	//	*TypeDraftMessage_DraftMessage
	Value                isTypeDraftMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeDraftMessage) Descriptor

func (*TypeDraftMessage) Descriptor() ([]byte, []int)

func (*TypeDraftMessage) GetDraftMessage

func (m *TypeDraftMessage) GetDraftMessage() *PredDraftMessage

func (*TypeDraftMessage) GetDraftMessageEmpty

func (m *TypeDraftMessage) GetDraftMessageEmpty() *PredDraftMessageEmpty

func (*TypeDraftMessage) GetValue

func (m *TypeDraftMessage) GetValue() isTypeDraftMessage_Value

func (*TypeDraftMessage) ProtoMessage

func (*TypeDraftMessage) ProtoMessage()

func (*TypeDraftMessage) Reset

func (m *TypeDraftMessage) Reset()

func (*TypeDraftMessage) String

func (m *TypeDraftMessage) String() string

func (*TypeDraftMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeDraftMessage) XXX_DiscardUnknown()

func (*TypeDraftMessage) XXX_Marshal added in v0.4.1

func (m *TypeDraftMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeDraftMessage) XXX_Merge added in v0.4.1

func (dst *TypeDraftMessage) XXX_Merge(src proto.Message)

func (*TypeDraftMessage) XXX_OneofFuncs

func (*TypeDraftMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeDraftMessage) XXX_Size added in v0.4.1

func (m *TypeDraftMessage) XXX_Size() int

func (*TypeDraftMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeDraftMessage) XXX_Unmarshal(b []byte) error

type TypeDraftMessage_DraftMessage

type TypeDraftMessage_DraftMessage struct {
	DraftMessage *PredDraftMessage `protobuf:"bytes,2,opt,name=DraftMessage,oneof"`
}

type TypeDraftMessage_DraftMessageEmpty

type TypeDraftMessage_DraftMessageEmpty struct {
	DraftMessageEmpty *PredDraftMessageEmpty `protobuf:"bytes,1,opt,name=DraftMessageEmpty,oneof"`
}

type TypeEncryptedChat

type TypeEncryptedChat struct {
	// Types that are valid to be assigned to Value:
	//	*TypeEncryptedChat_EncryptedChatEmpty
	//	*TypeEncryptedChat_EncryptedChatWaiting
	//	*TypeEncryptedChat_EncryptedChatRequested
	//	*TypeEncryptedChat_EncryptedChat
	//	*TypeEncryptedChat_EncryptedChatDiscarded
	Value                isTypeEncryptedChat_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeEncryptedChat) Descriptor

func (*TypeEncryptedChat) Descriptor() ([]byte, []int)

func (*TypeEncryptedChat) GetEncryptedChat

func (m *TypeEncryptedChat) GetEncryptedChat() *PredEncryptedChat

func (*TypeEncryptedChat) GetEncryptedChatDiscarded

func (m *TypeEncryptedChat) GetEncryptedChatDiscarded() *PredEncryptedChatDiscarded

func (*TypeEncryptedChat) GetEncryptedChatEmpty

func (m *TypeEncryptedChat) GetEncryptedChatEmpty() *PredEncryptedChatEmpty

func (*TypeEncryptedChat) GetEncryptedChatRequested

func (m *TypeEncryptedChat) GetEncryptedChatRequested() *PredEncryptedChatRequested

func (*TypeEncryptedChat) GetEncryptedChatWaiting

func (m *TypeEncryptedChat) GetEncryptedChatWaiting() *PredEncryptedChatWaiting

func (*TypeEncryptedChat) GetValue

func (m *TypeEncryptedChat) GetValue() isTypeEncryptedChat_Value

func (*TypeEncryptedChat) ProtoMessage

func (*TypeEncryptedChat) ProtoMessage()

func (*TypeEncryptedChat) Reset

func (m *TypeEncryptedChat) Reset()

func (*TypeEncryptedChat) String

func (m *TypeEncryptedChat) String() string

func (*TypeEncryptedChat) XXX_DiscardUnknown added in v0.4.1

func (m *TypeEncryptedChat) XXX_DiscardUnknown()

func (*TypeEncryptedChat) XXX_Marshal added in v0.4.1

func (m *TypeEncryptedChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeEncryptedChat) XXX_Merge added in v0.4.1

func (dst *TypeEncryptedChat) XXX_Merge(src proto.Message)

func (*TypeEncryptedChat) XXX_OneofFuncs

func (*TypeEncryptedChat) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeEncryptedChat) XXX_Size added in v0.4.1

func (m *TypeEncryptedChat) XXX_Size() int

func (*TypeEncryptedChat) XXX_Unmarshal added in v0.4.1

func (m *TypeEncryptedChat) XXX_Unmarshal(b []byte) error

type TypeEncryptedChat_EncryptedChat

type TypeEncryptedChat_EncryptedChat struct {
	EncryptedChat *PredEncryptedChat `protobuf:"bytes,4,opt,name=EncryptedChat,oneof"`
}

type TypeEncryptedChat_EncryptedChatDiscarded

type TypeEncryptedChat_EncryptedChatDiscarded struct {
	EncryptedChatDiscarded *PredEncryptedChatDiscarded `protobuf:"bytes,5,opt,name=EncryptedChatDiscarded,oneof"`
}

type TypeEncryptedChat_EncryptedChatEmpty

type TypeEncryptedChat_EncryptedChatEmpty struct {
	EncryptedChatEmpty *PredEncryptedChatEmpty `protobuf:"bytes,1,opt,name=EncryptedChatEmpty,oneof"`
}

type TypeEncryptedChat_EncryptedChatRequested

type TypeEncryptedChat_EncryptedChatRequested struct {
	EncryptedChatRequested *PredEncryptedChatRequested `protobuf:"bytes,3,opt,name=EncryptedChatRequested,oneof"`
}

type TypeEncryptedChat_EncryptedChatWaiting

type TypeEncryptedChat_EncryptedChatWaiting struct {
	EncryptedChatWaiting *PredEncryptedChatWaiting `protobuf:"bytes,2,opt,name=EncryptedChatWaiting,oneof"`
}

type TypeEncryptedFile

type TypeEncryptedFile struct {
	// Types that are valid to be assigned to Value:
	//	*TypeEncryptedFile_EncryptedFileEmpty
	//	*TypeEncryptedFile_EncryptedFile
	Value                isTypeEncryptedFile_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeEncryptedFile) Descriptor

func (*TypeEncryptedFile) Descriptor() ([]byte, []int)

func (*TypeEncryptedFile) GetEncryptedFile

func (m *TypeEncryptedFile) GetEncryptedFile() *PredEncryptedFile

func (*TypeEncryptedFile) GetEncryptedFileEmpty

func (m *TypeEncryptedFile) GetEncryptedFileEmpty() *PredEncryptedFileEmpty

func (*TypeEncryptedFile) GetValue

func (m *TypeEncryptedFile) GetValue() isTypeEncryptedFile_Value

func (*TypeEncryptedFile) ProtoMessage

func (*TypeEncryptedFile) ProtoMessage()

func (*TypeEncryptedFile) Reset

func (m *TypeEncryptedFile) Reset()

func (*TypeEncryptedFile) String

func (m *TypeEncryptedFile) String() string

func (*TypeEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeEncryptedFile) XXX_DiscardUnknown()

func (*TypeEncryptedFile) XXX_Marshal added in v0.4.1

func (m *TypeEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeEncryptedFile) XXX_Merge added in v0.4.1

func (dst *TypeEncryptedFile) XXX_Merge(src proto.Message)

func (*TypeEncryptedFile) XXX_OneofFuncs

func (*TypeEncryptedFile) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeEncryptedFile) XXX_Size added in v0.4.1

func (m *TypeEncryptedFile) XXX_Size() int

func (*TypeEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *TypeEncryptedFile) XXX_Unmarshal(b []byte) error

type TypeEncryptedFile_EncryptedFile

type TypeEncryptedFile_EncryptedFile struct {
	EncryptedFile *PredEncryptedFile `protobuf:"bytes,2,opt,name=EncryptedFile,oneof"`
}

type TypeEncryptedFile_EncryptedFileEmpty

type TypeEncryptedFile_EncryptedFileEmpty struct {
	EncryptedFileEmpty *PredEncryptedFileEmpty `protobuf:"bytes,1,opt,name=EncryptedFileEmpty,oneof"`
}

type TypeEncryptedMessage

type TypeEncryptedMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeEncryptedMessage_EncryptedMessage
	//	*TypeEncryptedMessage_EncryptedMessageService
	Value                isTypeEncryptedMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeEncryptedMessage) Descriptor

func (*TypeEncryptedMessage) Descriptor() ([]byte, []int)

func (*TypeEncryptedMessage) GetEncryptedMessage

func (m *TypeEncryptedMessage) GetEncryptedMessage() *PredEncryptedMessage

func (*TypeEncryptedMessage) GetEncryptedMessageService

func (m *TypeEncryptedMessage) GetEncryptedMessageService() *PredEncryptedMessageService

func (*TypeEncryptedMessage) GetValue

func (m *TypeEncryptedMessage) GetValue() isTypeEncryptedMessage_Value

func (*TypeEncryptedMessage) ProtoMessage

func (*TypeEncryptedMessage) ProtoMessage()

func (*TypeEncryptedMessage) Reset

func (m *TypeEncryptedMessage) Reset()

func (*TypeEncryptedMessage) String

func (m *TypeEncryptedMessage) String() string

func (*TypeEncryptedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeEncryptedMessage) XXX_DiscardUnknown()

func (*TypeEncryptedMessage) XXX_Marshal added in v0.4.1

func (m *TypeEncryptedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeEncryptedMessage) XXX_Merge added in v0.4.1

func (dst *TypeEncryptedMessage) XXX_Merge(src proto.Message)

func (*TypeEncryptedMessage) XXX_OneofFuncs

func (*TypeEncryptedMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeEncryptedMessage) XXX_Size added in v0.4.1

func (m *TypeEncryptedMessage) XXX_Size() int

func (*TypeEncryptedMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeEncryptedMessage) XXX_Unmarshal(b []byte) error

type TypeEncryptedMessage_EncryptedMessage

type TypeEncryptedMessage_EncryptedMessage struct {
	EncryptedMessage *PredEncryptedMessage `protobuf:"bytes,1,opt,name=EncryptedMessage,oneof"`
}

type TypeEncryptedMessage_EncryptedMessageService

type TypeEncryptedMessage_EncryptedMessageService struct {
	EncryptedMessageService *PredEncryptedMessageService `protobuf:"bytes,2,opt,name=EncryptedMessageService,oneof"`
}

type TypeError

type TypeError struct {
	Value                *PredError `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}   `json:"-"`
	XXX_unrecognized     []byte     `json:"-"`
	XXX_sizecache        int32      `json:"-"`
}

func (*TypeError) Descriptor

func (*TypeError) Descriptor() ([]byte, []int)

func (*TypeError) GetValue

func (m *TypeError) GetValue() *PredError

func (*TypeError) ProtoMessage

func (*TypeError) ProtoMessage()

func (*TypeError) Reset

func (m *TypeError) Reset()

func (*TypeError) String

func (m *TypeError) String() string

func (*TypeError) XXX_DiscardUnknown added in v0.4.1

func (m *TypeError) XXX_DiscardUnknown()

func (*TypeError) XXX_Marshal added in v0.4.1

func (m *TypeError) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeError) XXX_Merge added in v0.4.1

func (dst *TypeError) XXX_Merge(src proto.Message)

func (*TypeError) XXX_Size added in v0.4.1

func (m *TypeError) XXX_Size() int

func (*TypeError) XXX_Unmarshal added in v0.4.1

func (m *TypeError) XXX_Unmarshal(b []byte) error

type TypeExportedChatInvite

type TypeExportedChatInvite struct {
	// Types that are valid to be assigned to Value:
	//	*TypeExportedChatInvite_ChatInviteEmpty
	//	*TypeExportedChatInvite_ChatInviteExported
	Value                isTypeExportedChatInvite_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypeExportedChatInvite) Descriptor

func (*TypeExportedChatInvite) Descriptor() ([]byte, []int)

func (*TypeExportedChatInvite) GetChatInviteEmpty

func (m *TypeExportedChatInvite) GetChatInviteEmpty() *PredChatInviteEmpty

func (*TypeExportedChatInvite) GetChatInviteExported

func (m *TypeExportedChatInvite) GetChatInviteExported() *PredChatInviteExported

func (*TypeExportedChatInvite) GetValue

func (m *TypeExportedChatInvite) GetValue() isTypeExportedChatInvite_Value

func (*TypeExportedChatInvite) ProtoMessage

func (*TypeExportedChatInvite) ProtoMessage()

func (*TypeExportedChatInvite) Reset

func (m *TypeExportedChatInvite) Reset()

func (*TypeExportedChatInvite) String

func (m *TypeExportedChatInvite) String() string

func (*TypeExportedChatInvite) XXX_DiscardUnknown added in v0.4.1

func (m *TypeExportedChatInvite) XXX_DiscardUnknown()

func (*TypeExportedChatInvite) XXX_Marshal added in v0.4.1

func (m *TypeExportedChatInvite) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeExportedChatInvite) XXX_Merge added in v0.4.1

func (dst *TypeExportedChatInvite) XXX_Merge(src proto.Message)

func (*TypeExportedChatInvite) XXX_OneofFuncs

func (*TypeExportedChatInvite) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeExportedChatInvite) XXX_Size added in v0.4.1

func (m *TypeExportedChatInvite) XXX_Size() int

func (*TypeExportedChatInvite) XXX_Unmarshal added in v0.4.1

func (m *TypeExportedChatInvite) XXX_Unmarshal(b []byte) error

type TypeExportedChatInvite_ChatInviteEmpty

type TypeExportedChatInvite_ChatInviteEmpty struct {
	ChatInviteEmpty *PredChatInviteEmpty `protobuf:"bytes,1,opt,name=ChatInviteEmpty,oneof"`
}

type TypeExportedChatInvite_ChatInviteExported

type TypeExportedChatInvite_ChatInviteExported struct {
	ChatInviteExported *PredChatInviteExported `protobuf:"bytes,2,opt,name=ChatInviteExported,oneof"`
}
type TypeExportedMessageLink struct {
	Value                *PredExportedMessageLink `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeExportedMessageLink) Descriptor

func (*TypeExportedMessageLink) Descriptor() ([]byte, []int)

func (*TypeExportedMessageLink) GetValue

func (*TypeExportedMessageLink) ProtoMessage

func (*TypeExportedMessageLink) ProtoMessage()

func (*TypeExportedMessageLink) Reset

func (m *TypeExportedMessageLink) Reset()

func (*TypeExportedMessageLink) String

func (m *TypeExportedMessageLink) String() string

func (*TypeExportedMessageLink) XXX_DiscardUnknown added in v0.4.1

func (m *TypeExportedMessageLink) XXX_DiscardUnknown()

func (*TypeExportedMessageLink) XXX_Marshal added in v0.4.1

func (m *TypeExportedMessageLink) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeExportedMessageLink) XXX_Merge added in v0.4.1

func (dst *TypeExportedMessageLink) XXX_Merge(src proto.Message)

func (*TypeExportedMessageLink) XXX_Size added in v0.4.1

func (m *TypeExportedMessageLink) XXX_Size() int

func (*TypeExportedMessageLink) XXX_Unmarshal added in v0.4.1

func (m *TypeExportedMessageLink) XXX_Unmarshal(b []byte) error

type TypeFileLocation

type TypeFileLocation struct {
	// Types that are valid to be assigned to Value:
	//	*TypeFileLocation_FileLocationUnavailable
	//	*TypeFileLocation_FileLocation
	Value                isTypeFileLocation_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeFileLocation) Descriptor

func (*TypeFileLocation) Descriptor() ([]byte, []int)

func (*TypeFileLocation) GetFileLocation

func (m *TypeFileLocation) GetFileLocation() *PredFileLocation

func (*TypeFileLocation) GetFileLocationUnavailable

func (m *TypeFileLocation) GetFileLocationUnavailable() *PredFileLocationUnavailable

func (*TypeFileLocation) GetValue

func (m *TypeFileLocation) GetValue() isTypeFileLocation_Value

func (*TypeFileLocation) ProtoMessage

func (*TypeFileLocation) ProtoMessage()

func (*TypeFileLocation) Reset

func (m *TypeFileLocation) Reset()

func (*TypeFileLocation) String

func (m *TypeFileLocation) String() string

func (*TypeFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *TypeFileLocation) XXX_DiscardUnknown()

func (*TypeFileLocation) XXX_Marshal added in v0.4.1

func (m *TypeFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeFileLocation) XXX_Merge added in v0.4.1

func (dst *TypeFileLocation) XXX_Merge(src proto.Message)

func (*TypeFileLocation) XXX_OneofFuncs

func (*TypeFileLocation) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeFileLocation) XXX_Size added in v0.4.1

func (m *TypeFileLocation) XXX_Size() int

func (*TypeFileLocation) XXX_Unmarshal added in v0.4.1

func (m *TypeFileLocation) XXX_Unmarshal(b []byte) error

type TypeFileLocation_FileLocation

type TypeFileLocation_FileLocation struct {
	FileLocation *PredFileLocation `protobuf:"bytes,2,opt,name=FileLocation,oneof"`
}

type TypeFileLocation_FileLocationUnavailable

type TypeFileLocation_FileLocationUnavailable struct {
	FileLocationUnavailable *PredFileLocationUnavailable `protobuf:"bytes,1,opt,name=FileLocationUnavailable,oneof"`
}

type TypeFoundGif

type TypeFoundGif struct {
	// Types that are valid to be assigned to Value:
	//	*TypeFoundGif_FoundGif
	//	*TypeFoundGif_FoundGifCached
	Value                isTypeFoundGif_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeFoundGif) Descriptor

func (*TypeFoundGif) Descriptor() ([]byte, []int)

func (*TypeFoundGif) GetFoundGif

func (m *TypeFoundGif) GetFoundGif() *PredFoundGif

func (*TypeFoundGif) GetFoundGifCached

func (m *TypeFoundGif) GetFoundGifCached() *PredFoundGifCached

func (*TypeFoundGif) GetValue

func (m *TypeFoundGif) GetValue() isTypeFoundGif_Value

func (*TypeFoundGif) ProtoMessage

func (*TypeFoundGif) ProtoMessage()

func (*TypeFoundGif) Reset

func (m *TypeFoundGif) Reset()

func (*TypeFoundGif) String

func (m *TypeFoundGif) String() string

func (*TypeFoundGif) XXX_DiscardUnknown added in v0.4.1

func (m *TypeFoundGif) XXX_DiscardUnknown()

func (*TypeFoundGif) XXX_Marshal added in v0.4.1

func (m *TypeFoundGif) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeFoundGif) XXX_Merge added in v0.4.1

func (dst *TypeFoundGif) XXX_Merge(src proto.Message)

func (*TypeFoundGif) XXX_OneofFuncs

func (*TypeFoundGif) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeFoundGif) XXX_Size added in v0.4.1

func (m *TypeFoundGif) XXX_Size() int

func (*TypeFoundGif) XXX_Unmarshal added in v0.4.1

func (m *TypeFoundGif) XXX_Unmarshal(b []byte) error

type TypeFoundGif_FoundGif

type TypeFoundGif_FoundGif struct {
	FoundGif *PredFoundGif `protobuf:"bytes,1,opt,name=FoundGif,oneof"`
}

type TypeFoundGif_FoundGifCached

type TypeFoundGif_FoundGifCached struct {
	FoundGifCached *PredFoundGifCached `protobuf:"bytes,2,opt,name=FoundGifCached,oneof"`
}

type TypeGame

type TypeGame struct {
	Value                *PredGame `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*TypeGame) Descriptor

func (*TypeGame) Descriptor() ([]byte, []int)

func (*TypeGame) GetValue

func (m *TypeGame) GetValue() *PredGame

func (*TypeGame) ProtoMessage

func (*TypeGame) ProtoMessage()

func (*TypeGame) Reset

func (m *TypeGame) Reset()

func (*TypeGame) String

func (m *TypeGame) String() string

func (*TypeGame) XXX_DiscardUnknown added in v0.4.1

func (m *TypeGame) XXX_DiscardUnknown()

func (*TypeGame) XXX_Marshal added in v0.4.1

func (m *TypeGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeGame) XXX_Merge added in v0.4.1

func (dst *TypeGame) XXX_Merge(src proto.Message)

func (*TypeGame) XXX_Size added in v0.4.1

func (m *TypeGame) XXX_Size() int

func (*TypeGame) XXX_Unmarshal added in v0.4.1

func (m *TypeGame) XXX_Unmarshal(b []byte) error

type TypeGeoPoint

type TypeGeoPoint struct {
	// Types that are valid to be assigned to Value:
	//	*TypeGeoPoint_GeoPointEmpty
	//	*TypeGeoPoint_GeoPoint
	Value                isTypeGeoPoint_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeGeoPoint) Descriptor

func (*TypeGeoPoint) Descriptor() ([]byte, []int)

func (*TypeGeoPoint) GetGeoPoint

func (m *TypeGeoPoint) GetGeoPoint() *PredGeoPoint

func (*TypeGeoPoint) GetGeoPointEmpty

func (m *TypeGeoPoint) GetGeoPointEmpty() *PredGeoPointEmpty

func (*TypeGeoPoint) GetValue

func (m *TypeGeoPoint) GetValue() isTypeGeoPoint_Value

func (*TypeGeoPoint) ProtoMessage

func (*TypeGeoPoint) ProtoMessage()

func (*TypeGeoPoint) Reset

func (m *TypeGeoPoint) Reset()

func (*TypeGeoPoint) String

func (m *TypeGeoPoint) String() string

func (*TypeGeoPoint) XXX_DiscardUnknown added in v0.4.1

func (m *TypeGeoPoint) XXX_DiscardUnknown()

func (*TypeGeoPoint) XXX_Marshal added in v0.4.1

func (m *TypeGeoPoint) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeGeoPoint) XXX_Merge added in v0.4.1

func (dst *TypeGeoPoint) XXX_Merge(src proto.Message)

func (*TypeGeoPoint) XXX_OneofFuncs

func (*TypeGeoPoint) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeGeoPoint) XXX_Size added in v0.4.1

func (m *TypeGeoPoint) XXX_Size() int

func (*TypeGeoPoint) XXX_Unmarshal added in v0.4.1

func (m *TypeGeoPoint) XXX_Unmarshal(b []byte) error

type TypeGeoPoint_GeoPoint

type TypeGeoPoint_GeoPoint struct {
	GeoPoint *PredGeoPoint `protobuf:"bytes,2,opt,name=GeoPoint,oneof"`
}

type TypeGeoPoint_GeoPointEmpty

type TypeGeoPoint_GeoPointEmpty struct {
	GeoPointEmpty *PredGeoPointEmpty `protobuf:"bytes,1,opt,name=GeoPointEmpty,oneof"`
}

type TypeHelpAppUpdate

type TypeHelpAppUpdate struct {
	// Types that are valid to be assigned to Value:
	//	*TypeHelpAppUpdate_HelpAppUpdate
	//	*TypeHelpAppUpdate_HelpNoAppUpdate
	Value                isTypeHelpAppUpdate_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeHelpAppUpdate) Descriptor

func (*TypeHelpAppUpdate) Descriptor() ([]byte, []int)

func (*TypeHelpAppUpdate) GetHelpAppUpdate

func (m *TypeHelpAppUpdate) GetHelpAppUpdate() *PredHelpAppUpdate

func (*TypeHelpAppUpdate) GetHelpNoAppUpdate

func (m *TypeHelpAppUpdate) GetHelpNoAppUpdate() *PredHelpNoAppUpdate

func (*TypeHelpAppUpdate) GetValue

func (m *TypeHelpAppUpdate) GetValue() isTypeHelpAppUpdate_Value

func (*TypeHelpAppUpdate) ProtoMessage

func (*TypeHelpAppUpdate) ProtoMessage()

func (*TypeHelpAppUpdate) Reset

func (m *TypeHelpAppUpdate) Reset()

func (*TypeHelpAppUpdate) String

func (m *TypeHelpAppUpdate) String() string

func (*TypeHelpAppUpdate) XXX_DiscardUnknown added in v0.4.1

func (m *TypeHelpAppUpdate) XXX_DiscardUnknown()

func (*TypeHelpAppUpdate) XXX_Marshal added in v0.4.1

func (m *TypeHelpAppUpdate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeHelpAppUpdate) XXX_Merge added in v0.4.1

func (dst *TypeHelpAppUpdate) XXX_Merge(src proto.Message)

func (*TypeHelpAppUpdate) XXX_OneofFuncs

func (*TypeHelpAppUpdate) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeHelpAppUpdate) XXX_Size added in v0.4.1

func (m *TypeHelpAppUpdate) XXX_Size() int

func (*TypeHelpAppUpdate) XXX_Unmarshal added in v0.4.1

func (m *TypeHelpAppUpdate) XXX_Unmarshal(b []byte) error

type TypeHelpAppUpdate_HelpAppUpdate

type TypeHelpAppUpdate_HelpAppUpdate struct {
	HelpAppUpdate *PredHelpAppUpdate `protobuf:"bytes,1,opt,name=HelpAppUpdate,oneof"`
}

type TypeHelpAppUpdate_HelpNoAppUpdate

type TypeHelpAppUpdate_HelpNoAppUpdate struct {
	HelpNoAppUpdate *PredHelpNoAppUpdate `protobuf:"bytes,2,opt,name=HelpNoAppUpdate,oneof"`
}

type TypeHelpInviteText

type TypeHelpInviteText struct {
	Value                *PredHelpInviteText `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeHelpInviteText) Descriptor

func (*TypeHelpInviteText) Descriptor() ([]byte, []int)

func (*TypeHelpInviteText) GetValue

func (m *TypeHelpInviteText) GetValue() *PredHelpInviteText

func (*TypeHelpInviteText) ProtoMessage

func (*TypeHelpInviteText) ProtoMessage()

func (*TypeHelpInviteText) Reset

func (m *TypeHelpInviteText) Reset()

func (*TypeHelpInviteText) String

func (m *TypeHelpInviteText) String() string

func (*TypeHelpInviteText) XXX_DiscardUnknown added in v0.4.1

func (m *TypeHelpInviteText) XXX_DiscardUnknown()

func (*TypeHelpInviteText) XXX_Marshal added in v0.4.1

func (m *TypeHelpInviteText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeHelpInviteText) XXX_Merge added in v0.4.1

func (dst *TypeHelpInviteText) XXX_Merge(src proto.Message)

func (*TypeHelpInviteText) XXX_Size added in v0.4.1

func (m *TypeHelpInviteText) XXX_Size() int

func (*TypeHelpInviteText) XXX_Unmarshal added in v0.4.1

func (m *TypeHelpInviteText) XXX_Unmarshal(b []byte) error

type TypeHelpSupport

type TypeHelpSupport struct {
	Value                *PredHelpSupport `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeHelpSupport) Descriptor

func (*TypeHelpSupport) Descriptor() ([]byte, []int)

func (*TypeHelpSupport) GetValue

func (m *TypeHelpSupport) GetValue() *PredHelpSupport

func (*TypeHelpSupport) ProtoMessage

func (*TypeHelpSupport) ProtoMessage()

func (*TypeHelpSupport) Reset

func (m *TypeHelpSupport) Reset()

func (*TypeHelpSupport) String

func (m *TypeHelpSupport) String() string

func (*TypeHelpSupport) XXX_DiscardUnknown added in v0.4.1

func (m *TypeHelpSupport) XXX_DiscardUnknown()

func (*TypeHelpSupport) XXX_Marshal added in v0.4.1

func (m *TypeHelpSupport) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeHelpSupport) XXX_Merge added in v0.4.1

func (dst *TypeHelpSupport) XXX_Merge(src proto.Message)

func (*TypeHelpSupport) XXX_Size added in v0.4.1

func (m *TypeHelpSupport) XXX_Size() int

func (*TypeHelpSupport) XXX_Unmarshal added in v0.4.1

func (m *TypeHelpSupport) XXX_Unmarshal(b []byte) error

type TypeHelpTermsOfService

type TypeHelpTermsOfService struct {
	Value                *PredHelpTermsOfService `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeHelpTermsOfService) Descriptor

func (*TypeHelpTermsOfService) Descriptor() ([]byte, []int)

func (*TypeHelpTermsOfService) GetValue

func (*TypeHelpTermsOfService) ProtoMessage

func (*TypeHelpTermsOfService) ProtoMessage()

func (*TypeHelpTermsOfService) Reset

func (m *TypeHelpTermsOfService) Reset()

func (*TypeHelpTermsOfService) String

func (m *TypeHelpTermsOfService) String() string

func (*TypeHelpTermsOfService) XXX_DiscardUnknown added in v0.4.1

func (m *TypeHelpTermsOfService) XXX_DiscardUnknown()

func (*TypeHelpTermsOfService) XXX_Marshal added in v0.4.1

func (m *TypeHelpTermsOfService) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeHelpTermsOfService) XXX_Merge added in v0.4.1

func (dst *TypeHelpTermsOfService) XXX_Merge(src proto.Message)

func (*TypeHelpTermsOfService) XXX_Size added in v0.4.1

func (m *TypeHelpTermsOfService) XXX_Size() int

func (*TypeHelpTermsOfService) XXX_Unmarshal added in v0.4.1

func (m *TypeHelpTermsOfService) XXX_Unmarshal(b []byte) error

type TypeHighScore

type TypeHighScore struct {
	Value                *PredHighScore `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*TypeHighScore) Descriptor

func (*TypeHighScore) Descriptor() ([]byte, []int)

func (*TypeHighScore) GetValue

func (m *TypeHighScore) GetValue() *PredHighScore

func (*TypeHighScore) ProtoMessage

func (*TypeHighScore) ProtoMessage()

func (*TypeHighScore) Reset

func (m *TypeHighScore) Reset()

func (*TypeHighScore) String

func (m *TypeHighScore) String() string

func (*TypeHighScore) XXX_DiscardUnknown added in v0.4.1

func (m *TypeHighScore) XXX_DiscardUnknown()

func (*TypeHighScore) XXX_Marshal added in v0.4.1

func (m *TypeHighScore) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeHighScore) XXX_Merge added in v0.4.1

func (dst *TypeHighScore) XXX_Merge(src proto.Message)

func (*TypeHighScore) XXX_Size added in v0.4.1

func (m *TypeHighScore) XXX_Size() int

func (*TypeHighScore) XXX_Unmarshal added in v0.4.1

func (m *TypeHighScore) XXX_Unmarshal(b []byte) error

type TypeImportedContact

type TypeImportedContact struct {
	Value                *PredImportedContact `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeImportedContact) Descriptor

func (*TypeImportedContact) Descriptor() ([]byte, []int)

func (*TypeImportedContact) GetValue

func (*TypeImportedContact) ProtoMessage

func (*TypeImportedContact) ProtoMessage()

func (*TypeImportedContact) Reset

func (m *TypeImportedContact) Reset()

func (*TypeImportedContact) String

func (m *TypeImportedContact) String() string

func (*TypeImportedContact) XXX_DiscardUnknown added in v0.4.1

func (m *TypeImportedContact) XXX_DiscardUnknown()

func (*TypeImportedContact) XXX_Marshal added in v0.4.1

func (m *TypeImportedContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeImportedContact) XXX_Merge added in v0.4.1

func (dst *TypeImportedContact) XXX_Merge(src proto.Message)

func (*TypeImportedContact) XXX_Size added in v0.4.1

func (m *TypeImportedContact) XXX_Size() int

func (*TypeImportedContact) XXX_Unmarshal added in v0.4.1

func (m *TypeImportedContact) XXX_Unmarshal(b []byte) error

type TypeInlineBotSwitchPM

type TypeInlineBotSwitchPM struct {
	Value                *PredInlineBotSwitchPM `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeInlineBotSwitchPM) Descriptor

func (*TypeInlineBotSwitchPM) Descriptor() ([]byte, []int)

func (*TypeInlineBotSwitchPM) GetValue

func (*TypeInlineBotSwitchPM) ProtoMessage

func (*TypeInlineBotSwitchPM) ProtoMessage()

func (*TypeInlineBotSwitchPM) Reset

func (m *TypeInlineBotSwitchPM) Reset()

func (*TypeInlineBotSwitchPM) String

func (m *TypeInlineBotSwitchPM) String() string

func (*TypeInlineBotSwitchPM) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInlineBotSwitchPM) XXX_DiscardUnknown()

func (*TypeInlineBotSwitchPM) XXX_Marshal added in v0.4.1

func (m *TypeInlineBotSwitchPM) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInlineBotSwitchPM) XXX_Merge added in v0.4.1

func (dst *TypeInlineBotSwitchPM) XXX_Merge(src proto.Message)

func (*TypeInlineBotSwitchPM) XXX_Size added in v0.4.1

func (m *TypeInlineBotSwitchPM) XXX_Size() int

func (*TypeInlineBotSwitchPM) XXX_Unmarshal added in v0.4.1

func (m *TypeInlineBotSwitchPM) XXX_Unmarshal(b []byte) error

type TypeInputAppEvent

type TypeInputAppEvent struct {
	Value                *PredInputAppEvent `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeInputAppEvent) Descriptor

func (*TypeInputAppEvent) Descriptor() ([]byte, []int)

func (*TypeInputAppEvent) GetValue

func (m *TypeInputAppEvent) GetValue() *PredInputAppEvent

func (*TypeInputAppEvent) ProtoMessage

func (*TypeInputAppEvent) ProtoMessage()

func (*TypeInputAppEvent) Reset

func (m *TypeInputAppEvent) Reset()

func (*TypeInputAppEvent) String

func (m *TypeInputAppEvent) String() string

func (*TypeInputAppEvent) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputAppEvent) XXX_DiscardUnknown()

func (*TypeInputAppEvent) XXX_Marshal added in v0.4.1

func (m *TypeInputAppEvent) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputAppEvent) XXX_Merge added in v0.4.1

func (dst *TypeInputAppEvent) XXX_Merge(src proto.Message)

func (*TypeInputAppEvent) XXX_Size added in v0.4.1

func (m *TypeInputAppEvent) XXX_Size() int

func (*TypeInputAppEvent) XXX_Unmarshal added in v0.4.1

func (m *TypeInputAppEvent) XXX_Unmarshal(b []byte) error

type TypeInputBotInlineMessage

type TypeInputBotInlineMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputBotInlineMessage_InputBotInlineMessageMediaAuto
	//	*TypeInputBotInlineMessage_InputBotInlineMessageText
	//	*TypeInputBotInlineMessage_InputBotInlineMessageMediaGeo
	//	*TypeInputBotInlineMessage_InputBotInlineMessageMediaVenue
	//	*TypeInputBotInlineMessage_InputBotInlineMessageMediaContact
	//	*TypeInputBotInlineMessage_InputBotInlineMessageGame
	Value                isTypeInputBotInlineMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypeInputBotInlineMessage) Descriptor

func (*TypeInputBotInlineMessage) Descriptor() ([]byte, []int)

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageGame

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageGame() *PredInputBotInlineMessageGame

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageMediaAuto

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageMediaAuto() *PredInputBotInlineMessageMediaAuto

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageMediaContact

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageMediaContact() *PredInputBotInlineMessageMediaContact

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageMediaGeo

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageMediaGeo() *PredInputBotInlineMessageMediaGeo

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageMediaVenue

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageMediaVenue() *PredInputBotInlineMessageMediaVenue

func (*TypeInputBotInlineMessage) GetInputBotInlineMessageText

func (m *TypeInputBotInlineMessage) GetInputBotInlineMessageText() *PredInputBotInlineMessageText

func (*TypeInputBotInlineMessage) GetValue

func (m *TypeInputBotInlineMessage) GetValue() isTypeInputBotInlineMessage_Value

func (*TypeInputBotInlineMessage) ProtoMessage

func (*TypeInputBotInlineMessage) ProtoMessage()

func (*TypeInputBotInlineMessage) Reset

func (m *TypeInputBotInlineMessage) Reset()

func (*TypeInputBotInlineMessage) String

func (m *TypeInputBotInlineMessage) String() string

func (*TypeInputBotInlineMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputBotInlineMessage) XXX_DiscardUnknown()

func (*TypeInputBotInlineMessage) XXX_Marshal added in v0.4.1

func (m *TypeInputBotInlineMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputBotInlineMessage) XXX_Merge added in v0.4.1

func (dst *TypeInputBotInlineMessage) XXX_Merge(src proto.Message)

func (*TypeInputBotInlineMessage) XXX_OneofFuncs

func (*TypeInputBotInlineMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputBotInlineMessage) XXX_Size added in v0.4.1

func (m *TypeInputBotInlineMessage) XXX_Size() int

func (*TypeInputBotInlineMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeInputBotInlineMessage) XXX_Unmarshal(b []byte) error

type TypeInputBotInlineMessageID

type TypeInputBotInlineMessageID struct {
	Value                *PredInputBotInlineMessageID `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeInputBotInlineMessageID) Descriptor

func (*TypeInputBotInlineMessageID) Descriptor() ([]byte, []int)

func (*TypeInputBotInlineMessageID) GetValue

func (*TypeInputBotInlineMessageID) ProtoMessage

func (*TypeInputBotInlineMessageID) ProtoMessage()

func (*TypeInputBotInlineMessageID) Reset

func (m *TypeInputBotInlineMessageID) Reset()

func (*TypeInputBotInlineMessageID) String

func (m *TypeInputBotInlineMessageID) String() string

func (*TypeInputBotInlineMessageID) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputBotInlineMessageID) XXX_DiscardUnknown()

func (*TypeInputBotInlineMessageID) XXX_Marshal added in v0.4.1

func (m *TypeInputBotInlineMessageID) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputBotInlineMessageID) XXX_Merge added in v0.4.1

func (dst *TypeInputBotInlineMessageID) XXX_Merge(src proto.Message)

func (*TypeInputBotInlineMessageID) XXX_Size added in v0.4.1

func (m *TypeInputBotInlineMessageID) XXX_Size() int

func (*TypeInputBotInlineMessageID) XXX_Unmarshal added in v0.4.1

func (m *TypeInputBotInlineMessageID) XXX_Unmarshal(b []byte) error

type TypeInputBotInlineMessage_InputBotInlineMessageGame

type TypeInputBotInlineMessage_InputBotInlineMessageGame struct {
	InputBotInlineMessageGame *PredInputBotInlineMessageGame `protobuf:"bytes,6,opt,name=InputBotInlineMessageGame,oneof"`
}

type TypeInputBotInlineMessage_InputBotInlineMessageMediaAuto

type TypeInputBotInlineMessage_InputBotInlineMessageMediaAuto struct {
	InputBotInlineMessageMediaAuto *PredInputBotInlineMessageMediaAuto `protobuf:"bytes,1,opt,name=InputBotInlineMessageMediaAuto,oneof"`
}

type TypeInputBotInlineMessage_InputBotInlineMessageMediaContact

type TypeInputBotInlineMessage_InputBotInlineMessageMediaContact struct {
	InputBotInlineMessageMediaContact *PredInputBotInlineMessageMediaContact `protobuf:"bytes,5,opt,name=InputBotInlineMessageMediaContact,oneof"`
}

type TypeInputBotInlineMessage_InputBotInlineMessageMediaGeo

type TypeInputBotInlineMessage_InputBotInlineMessageMediaGeo struct {
	InputBotInlineMessageMediaGeo *PredInputBotInlineMessageMediaGeo `protobuf:"bytes,3,opt,name=InputBotInlineMessageMediaGeo,oneof"`
}

type TypeInputBotInlineMessage_InputBotInlineMessageMediaVenue

type TypeInputBotInlineMessage_InputBotInlineMessageMediaVenue struct {
	InputBotInlineMessageMediaVenue *PredInputBotInlineMessageMediaVenue `protobuf:"bytes,4,opt,name=InputBotInlineMessageMediaVenue,oneof"`
}

type TypeInputBotInlineMessage_InputBotInlineMessageText

type TypeInputBotInlineMessage_InputBotInlineMessageText struct {
	InputBotInlineMessageText *PredInputBotInlineMessageText `protobuf:"bytes,2,opt,name=InputBotInlineMessageText,oneof"`
}

type TypeInputBotInlineResult

type TypeInputBotInlineResult struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputBotInlineResult_InputBotInlineResult
	//	*TypeInputBotInlineResult_InputBotInlineResultPhoto
	//	*TypeInputBotInlineResult_InputBotInlineResultDocument
	//	*TypeInputBotInlineResult_InputBotInlineResultGame
	Value                isTypeInputBotInlineResult_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                         `json:"-"`
	XXX_unrecognized     []byte                           `json:"-"`
	XXX_sizecache        int32                            `json:"-"`
}

func (*TypeInputBotInlineResult) Descriptor

func (*TypeInputBotInlineResult) Descriptor() ([]byte, []int)

func (*TypeInputBotInlineResult) GetInputBotInlineResult

func (m *TypeInputBotInlineResult) GetInputBotInlineResult() *PredInputBotInlineResult

func (*TypeInputBotInlineResult) GetInputBotInlineResultDocument

func (m *TypeInputBotInlineResult) GetInputBotInlineResultDocument() *PredInputBotInlineResultDocument

func (*TypeInputBotInlineResult) GetInputBotInlineResultGame

func (m *TypeInputBotInlineResult) GetInputBotInlineResultGame() *PredInputBotInlineResultGame

func (*TypeInputBotInlineResult) GetInputBotInlineResultPhoto

func (m *TypeInputBotInlineResult) GetInputBotInlineResultPhoto() *PredInputBotInlineResultPhoto

func (*TypeInputBotInlineResult) GetValue

func (m *TypeInputBotInlineResult) GetValue() isTypeInputBotInlineResult_Value

func (*TypeInputBotInlineResult) ProtoMessage

func (*TypeInputBotInlineResult) ProtoMessage()

func (*TypeInputBotInlineResult) Reset

func (m *TypeInputBotInlineResult) Reset()

func (*TypeInputBotInlineResult) String

func (m *TypeInputBotInlineResult) String() string

func (*TypeInputBotInlineResult) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputBotInlineResult) XXX_DiscardUnknown()

func (*TypeInputBotInlineResult) XXX_Marshal added in v0.4.1

func (m *TypeInputBotInlineResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputBotInlineResult) XXX_Merge added in v0.4.1

func (dst *TypeInputBotInlineResult) XXX_Merge(src proto.Message)

func (*TypeInputBotInlineResult) XXX_OneofFuncs

func (*TypeInputBotInlineResult) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputBotInlineResult) XXX_Size added in v0.4.1

func (m *TypeInputBotInlineResult) XXX_Size() int

func (*TypeInputBotInlineResult) XXX_Unmarshal added in v0.4.1

func (m *TypeInputBotInlineResult) XXX_Unmarshal(b []byte) error

type TypeInputBotInlineResult_InputBotInlineResult

type TypeInputBotInlineResult_InputBotInlineResult struct {
	InputBotInlineResult *PredInputBotInlineResult `protobuf:"bytes,1,opt,name=InputBotInlineResult,oneof"`
}

type TypeInputBotInlineResult_InputBotInlineResultDocument

type TypeInputBotInlineResult_InputBotInlineResultDocument struct {
	InputBotInlineResultDocument *PredInputBotInlineResultDocument `protobuf:"bytes,3,opt,name=InputBotInlineResultDocument,oneof"`
}

type TypeInputBotInlineResult_InputBotInlineResultGame

type TypeInputBotInlineResult_InputBotInlineResultGame struct {
	InputBotInlineResultGame *PredInputBotInlineResultGame `protobuf:"bytes,4,opt,name=InputBotInlineResultGame,oneof"`
}

type TypeInputBotInlineResult_InputBotInlineResultPhoto

type TypeInputBotInlineResult_InputBotInlineResultPhoto struct {
	InputBotInlineResultPhoto *PredInputBotInlineResultPhoto `protobuf:"bytes,2,opt,name=InputBotInlineResultPhoto,oneof"`
}

type TypeInputChannel

type TypeInputChannel struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputChannel_InputChannelEmpty
	//	*TypeInputChannel_InputChannel
	Value                isTypeInputChannel_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeInputChannel) Descriptor

func (*TypeInputChannel) Descriptor() ([]byte, []int)

func (*TypeInputChannel) GetInputChannel

func (m *TypeInputChannel) GetInputChannel() *PredInputChannel

func (*TypeInputChannel) GetInputChannelEmpty

func (m *TypeInputChannel) GetInputChannelEmpty() *PredInputChannelEmpty

func (*TypeInputChannel) GetValue

func (m *TypeInputChannel) GetValue() isTypeInputChannel_Value

func (*TypeInputChannel) ProtoMessage

func (*TypeInputChannel) ProtoMessage()

func (*TypeInputChannel) Reset

func (m *TypeInputChannel) Reset()

func (*TypeInputChannel) String

func (m *TypeInputChannel) String() string

func (*TypeInputChannel) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputChannel) XXX_DiscardUnknown()

func (*TypeInputChannel) XXX_Marshal added in v0.4.1

func (m *TypeInputChannel) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputChannel) XXX_Merge added in v0.4.1

func (dst *TypeInputChannel) XXX_Merge(src proto.Message)

func (*TypeInputChannel) XXX_OneofFuncs

func (*TypeInputChannel) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputChannel) XXX_Size added in v0.4.1

func (m *TypeInputChannel) XXX_Size() int

func (*TypeInputChannel) XXX_Unmarshal added in v0.4.1

func (m *TypeInputChannel) XXX_Unmarshal(b []byte) error

type TypeInputChannel_InputChannel

type TypeInputChannel_InputChannel struct {
	InputChannel *PredInputChannel `protobuf:"bytes,2,opt,name=InputChannel,oneof"`
}

type TypeInputChannel_InputChannelEmpty

type TypeInputChannel_InputChannelEmpty struct {
	InputChannelEmpty *PredInputChannelEmpty `protobuf:"bytes,1,opt,name=InputChannelEmpty,oneof"`
}

type TypeInputChatPhoto

type TypeInputChatPhoto struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputChatPhoto_InputChatPhotoEmpty
	//	*TypeInputChatPhoto_InputChatUploadedPhoto
	//	*TypeInputChatPhoto_InputChatPhoto
	Value                isTypeInputChatPhoto_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeInputChatPhoto) Descriptor

func (*TypeInputChatPhoto) Descriptor() ([]byte, []int)

func (*TypeInputChatPhoto) GetInputChatPhoto

func (m *TypeInputChatPhoto) GetInputChatPhoto() *PredInputChatPhoto

func (*TypeInputChatPhoto) GetInputChatPhotoEmpty

func (m *TypeInputChatPhoto) GetInputChatPhotoEmpty() *PredInputChatPhotoEmpty

func (*TypeInputChatPhoto) GetInputChatUploadedPhoto

func (m *TypeInputChatPhoto) GetInputChatUploadedPhoto() *PredInputChatUploadedPhoto

func (*TypeInputChatPhoto) GetValue

func (m *TypeInputChatPhoto) GetValue() isTypeInputChatPhoto_Value

func (*TypeInputChatPhoto) ProtoMessage

func (*TypeInputChatPhoto) ProtoMessage()

func (*TypeInputChatPhoto) Reset

func (m *TypeInputChatPhoto) Reset()

func (*TypeInputChatPhoto) String

func (m *TypeInputChatPhoto) String() string

func (*TypeInputChatPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputChatPhoto) XXX_DiscardUnknown()

func (*TypeInputChatPhoto) XXX_Marshal added in v0.4.1

func (m *TypeInputChatPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputChatPhoto) XXX_Merge added in v0.4.1

func (dst *TypeInputChatPhoto) XXX_Merge(src proto.Message)

func (*TypeInputChatPhoto) XXX_OneofFuncs

func (*TypeInputChatPhoto) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputChatPhoto) XXX_Size added in v0.4.1

func (m *TypeInputChatPhoto) XXX_Size() int

func (*TypeInputChatPhoto) XXX_Unmarshal added in v0.4.1

func (m *TypeInputChatPhoto) XXX_Unmarshal(b []byte) error

type TypeInputChatPhoto_InputChatPhoto

type TypeInputChatPhoto_InputChatPhoto struct {
	InputChatPhoto *PredInputChatPhoto `protobuf:"bytes,3,opt,name=InputChatPhoto,oneof"`
}

type TypeInputChatPhoto_InputChatPhotoEmpty

type TypeInputChatPhoto_InputChatPhotoEmpty struct {
	InputChatPhotoEmpty *PredInputChatPhotoEmpty `protobuf:"bytes,1,opt,name=InputChatPhotoEmpty,oneof"`
}

type TypeInputChatPhoto_InputChatUploadedPhoto

type TypeInputChatPhoto_InputChatUploadedPhoto struct {
	InputChatUploadedPhoto *PredInputChatUploadedPhoto `protobuf:"bytes,2,opt,name=InputChatUploadedPhoto,oneof"`
}

type TypeInputContact

type TypeInputContact struct {
	Value                *PredInputPhoneContact `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeInputContact) Descriptor

func (*TypeInputContact) Descriptor() ([]byte, []int)

func (*TypeInputContact) GetValue

func (m *TypeInputContact) GetValue() *PredInputPhoneContact

func (*TypeInputContact) ProtoMessage

func (*TypeInputContact) ProtoMessage()

func (*TypeInputContact) Reset

func (m *TypeInputContact) Reset()

func (*TypeInputContact) String

func (m *TypeInputContact) String() string

func (*TypeInputContact) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputContact) XXX_DiscardUnknown()

func (*TypeInputContact) XXX_Marshal added in v0.4.1

func (m *TypeInputContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputContact) XXX_Merge added in v0.4.1

func (dst *TypeInputContact) XXX_Merge(src proto.Message)

func (*TypeInputContact) XXX_Size added in v0.4.1

func (m *TypeInputContact) XXX_Size() int

func (*TypeInputContact) XXX_Unmarshal added in v0.4.1

func (m *TypeInputContact) XXX_Unmarshal(b []byte) error

type TypeInputDocument

type TypeInputDocument struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputDocument_InputDocumentEmpty
	//	*TypeInputDocument_InputDocument
	Value                isTypeInputDocument_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeInputDocument) Descriptor

func (*TypeInputDocument) Descriptor() ([]byte, []int)

func (*TypeInputDocument) GetInputDocument

func (m *TypeInputDocument) GetInputDocument() *PredInputDocument

func (*TypeInputDocument) GetInputDocumentEmpty

func (m *TypeInputDocument) GetInputDocumentEmpty() *PredInputDocumentEmpty

func (*TypeInputDocument) GetValue

func (m *TypeInputDocument) GetValue() isTypeInputDocument_Value

func (*TypeInputDocument) ProtoMessage

func (*TypeInputDocument) ProtoMessage()

func (*TypeInputDocument) Reset

func (m *TypeInputDocument) Reset()

func (*TypeInputDocument) String

func (m *TypeInputDocument) String() string

func (*TypeInputDocument) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputDocument) XXX_DiscardUnknown()

func (*TypeInputDocument) XXX_Marshal added in v0.4.1

func (m *TypeInputDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputDocument) XXX_Merge added in v0.4.1

func (dst *TypeInputDocument) XXX_Merge(src proto.Message)

func (*TypeInputDocument) XXX_OneofFuncs

func (*TypeInputDocument) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputDocument) XXX_Size added in v0.4.1

func (m *TypeInputDocument) XXX_Size() int

func (*TypeInputDocument) XXX_Unmarshal added in v0.4.1

func (m *TypeInputDocument) XXX_Unmarshal(b []byte) error

type TypeInputDocument_InputDocument

type TypeInputDocument_InputDocument struct {
	InputDocument *PredInputDocument `protobuf:"bytes,2,opt,name=InputDocument,oneof"`
}

type TypeInputDocument_InputDocumentEmpty

type TypeInputDocument_InputDocumentEmpty struct {
	InputDocumentEmpty *PredInputDocumentEmpty `protobuf:"bytes,1,opt,name=InputDocumentEmpty,oneof"`
}

type TypeInputEncryptedChat

type TypeInputEncryptedChat struct {
	Value                *PredInputEncryptedChat `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeInputEncryptedChat) Descriptor

func (*TypeInputEncryptedChat) Descriptor() ([]byte, []int)

func (*TypeInputEncryptedChat) GetValue

func (*TypeInputEncryptedChat) ProtoMessage

func (*TypeInputEncryptedChat) ProtoMessage()

func (*TypeInputEncryptedChat) Reset

func (m *TypeInputEncryptedChat) Reset()

func (*TypeInputEncryptedChat) String

func (m *TypeInputEncryptedChat) String() string

func (*TypeInputEncryptedChat) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputEncryptedChat) XXX_DiscardUnknown()

func (*TypeInputEncryptedChat) XXX_Marshal added in v0.4.1

func (m *TypeInputEncryptedChat) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputEncryptedChat) XXX_Merge added in v0.4.1

func (dst *TypeInputEncryptedChat) XXX_Merge(src proto.Message)

func (*TypeInputEncryptedChat) XXX_Size added in v0.4.1

func (m *TypeInputEncryptedChat) XXX_Size() int

func (*TypeInputEncryptedChat) XXX_Unmarshal added in v0.4.1

func (m *TypeInputEncryptedChat) XXX_Unmarshal(b []byte) error

type TypeInputEncryptedFile

type TypeInputEncryptedFile struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputEncryptedFile_InputEncryptedFileEmpty
	//	*TypeInputEncryptedFile_InputEncryptedFileUploaded
	//	*TypeInputEncryptedFile_InputEncryptedFile
	//	*TypeInputEncryptedFile_InputEncryptedFileBigUploaded
	Value                isTypeInputEncryptedFile_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypeInputEncryptedFile) Descriptor

func (*TypeInputEncryptedFile) Descriptor() ([]byte, []int)

func (*TypeInputEncryptedFile) GetInputEncryptedFile

func (m *TypeInputEncryptedFile) GetInputEncryptedFile() *PredInputEncryptedFile

func (*TypeInputEncryptedFile) GetInputEncryptedFileBigUploaded

func (m *TypeInputEncryptedFile) GetInputEncryptedFileBigUploaded() *PredInputEncryptedFileBigUploaded

func (*TypeInputEncryptedFile) GetInputEncryptedFileEmpty

func (m *TypeInputEncryptedFile) GetInputEncryptedFileEmpty() *PredInputEncryptedFileEmpty

func (*TypeInputEncryptedFile) GetInputEncryptedFileUploaded

func (m *TypeInputEncryptedFile) GetInputEncryptedFileUploaded() *PredInputEncryptedFileUploaded

func (*TypeInputEncryptedFile) GetValue

func (m *TypeInputEncryptedFile) GetValue() isTypeInputEncryptedFile_Value

func (*TypeInputEncryptedFile) ProtoMessage

func (*TypeInputEncryptedFile) ProtoMessage()

func (*TypeInputEncryptedFile) Reset

func (m *TypeInputEncryptedFile) Reset()

func (*TypeInputEncryptedFile) String

func (m *TypeInputEncryptedFile) String() string

func (*TypeInputEncryptedFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputEncryptedFile) XXX_DiscardUnknown()

func (*TypeInputEncryptedFile) XXX_Marshal added in v0.4.1

func (m *TypeInputEncryptedFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputEncryptedFile) XXX_Merge added in v0.4.1

func (dst *TypeInputEncryptedFile) XXX_Merge(src proto.Message)

func (*TypeInputEncryptedFile) XXX_OneofFuncs

func (*TypeInputEncryptedFile) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputEncryptedFile) XXX_Size added in v0.4.1

func (m *TypeInputEncryptedFile) XXX_Size() int

func (*TypeInputEncryptedFile) XXX_Unmarshal added in v0.4.1

func (m *TypeInputEncryptedFile) XXX_Unmarshal(b []byte) error

type TypeInputEncryptedFile_InputEncryptedFile

type TypeInputEncryptedFile_InputEncryptedFile struct {
	InputEncryptedFile *PredInputEncryptedFile `protobuf:"bytes,3,opt,name=InputEncryptedFile,oneof"`
}

type TypeInputEncryptedFile_InputEncryptedFileBigUploaded

type TypeInputEncryptedFile_InputEncryptedFileBigUploaded struct {
	InputEncryptedFileBigUploaded *PredInputEncryptedFileBigUploaded `protobuf:"bytes,4,opt,name=InputEncryptedFileBigUploaded,oneof"`
}

type TypeInputEncryptedFile_InputEncryptedFileEmpty

type TypeInputEncryptedFile_InputEncryptedFileEmpty struct {
	InputEncryptedFileEmpty *PredInputEncryptedFileEmpty `protobuf:"bytes,1,opt,name=InputEncryptedFileEmpty,oneof"`
}

type TypeInputEncryptedFile_InputEncryptedFileUploaded

type TypeInputEncryptedFile_InputEncryptedFileUploaded struct {
	InputEncryptedFileUploaded *PredInputEncryptedFileUploaded `protobuf:"bytes,2,opt,name=InputEncryptedFileUploaded,oneof"`
}

type TypeInputFile

type TypeInputFile struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputFile_InputFile
	//	*TypeInputFile_InputFileBig
	Value                isTypeInputFile_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeInputFile) Descriptor

func (*TypeInputFile) Descriptor() ([]byte, []int)

func (*TypeInputFile) GetInputFile

func (m *TypeInputFile) GetInputFile() *PredInputFile

func (*TypeInputFile) GetInputFileBig

func (m *TypeInputFile) GetInputFileBig() *PredInputFileBig

func (*TypeInputFile) GetValue

func (m *TypeInputFile) GetValue() isTypeInputFile_Value

func (*TypeInputFile) ProtoMessage

func (*TypeInputFile) ProtoMessage()

func (*TypeInputFile) Reset

func (m *TypeInputFile) Reset()

func (*TypeInputFile) String

func (m *TypeInputFile) String() string

func (*TypeInputFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputFile) XXX_DiscardUnknown()

func (*TypeInputFile) XXX_Marshal added in v0.4.1

func (m *TypeInputFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputFile) XXX_Merge added in v0.4.1

func (dst *TypeInputFile) XXX_Merge(src proto.Message)

func (*TypeInputFile) XXX_OneofFuncs

func (*TypeInputFile) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputFile) XXX_Size added in v0.4.1

func (m *TypeInputFile) XXX_Size() int

func (*TypeInputFile) XXX_Unmarshal added in v0.4.1

func (m *TypeInputFile) XXX_Unmarshal(b []byte) error

type TypeInputFileLocation

type TypeInputFileLocation struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputFileLocation_InputFileLocation
	//	*TypeInputFileLocation_InputEncryptedFileLocation
	//	*TypeInputFileLocation_InputDocumentFileLocation
	Value                isTypeInputFileLocation_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeInputFileLocation) Descriptor

func (*TypeInputFileLocation) Descriptor() ([]byte, []int)

func (*TypeInputFileLocation) GetInputDocumentFileLocation

func (m *TypeInputFileLocation) GetInputDocumentFileLocation() *PredInputDocumentFileLocation

func (*TypeInputFileLocation) GetInputEncryptedFileLocation

func (m *TypeInputFileLocation) GetInputEncryptedFileLocation() *PredInputEncryptedFileLocation

func (*TypeInputFileLocation) GetInputFileLocation

func (m *TypeInputFileLocation) GetInputFileLocation() *PredInputFileLocation

func (*TypeInputFileLocation) GetValue

func (m *TypeInputFileLocation) GetValue() isTypeInputFileLocation_Value

func (*TypeInputFileLocation) ProtoMessage

func (*TypeInputFileLocation) ProtoMessage()

func (*TypeInputFileLocation) Reset

func (m *TypeInputFileLocation) Reset()

func (*TypeInputFileLocation) String

func (m *TypeInputFileLocation) String() string

func (*TypeInputFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputFileLocation) XXX_DiscardUnknown()

func (*TypeInputFileLocation) XXX_Marshal added in v0.4.1

func (m *TypeInputFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputFileLocation) XXX_Merge added in v0.4.1

func (dst *TypeInputFileLocation) XXX_Merge(src proto.Message)

func (*TypeInputFileLocation) XXX_OneofFuncs

func (*TypeInputFileLocation) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputFileLocation) XXX_Size added in v0.4.1

func (m *TypeInputFileLocation) XXX_Size() int

func (*TypeInputFileLocation) XXX_Unmarshal added in v0.4.1

func (m *TypeInputFileLocation) XXX_Unmarshal(b []byte) error

type TypeInputFileLocation_InputDocumentFileLocation

type TypeInputFileLocation_InputDocumentFileLocation struct {
	InputDocumentFileLocation *PredInputDocumentFileLocation `protobuf:"bytes,3,opt,name=InputDocumentFileLocation,oneof"`
}

type TypeInputFileLocation_InputEncryptedFileLocation

type TypeInputFileLocation_InputEncryptedFileLocation struct {
	InputEncryptedFileLocation *PredInputEncryptedFileLocation `protobuf:"bytes,2,opt,name=InputEncryptedFileLocation,oneof"`
}

type TypeInputFileLocation_InputFileLocation

type TypeInputFileLocation_InputFileLocation struct {
	InputFileLocation *PredInputFileLocation `protobuf:"bytes,1,opt,name=InputFileLocation,oneof"`
}

type TypeInputFile_InputFile

type TypeInputFile_InputFile struct {
	InputFile *PredInputFile `protobuf:"bytes,1,opt,name=InputFile,oneof"`
}

type TypeInputFile_InputFileBig

type TypeInputFile_InputFileBig struct {
	InputFileBig *PredInputFileBig `protobuf:"bytes,2,opt,name=InputFileBig,oneof"`
}

type TypeInputGame

type TypeInputGame struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputGame_InputGameID
	//	*TypeInputGame_InputGameShortName
	Value                isTypeInputGame_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeInputGame) Descriptor

func (*TypeInputGame) Descriptor() ([]byte, []int)

func (*TypeInputGame) GetInputGameID

func (m *TypeInputGame) GetInputGameID() *PredInputGameID

func (*TypeInputGame) GetInputGameShortName

func (m *TypeInputGame) GetInputGameShortName() *PredInputGameShortName

func (*TypeInputGame) GetValue

func (m *TypeInputGame) GetValue() isTypeInputGame_Value

func (*TypeInputGame) ProtoMessage

func (*TypeInputGame) ProtoMessage()

func (*TypeInputGame) Reset

func (m *TypeInputGame) Reset()

func (*TypeInputGame) String

func (m *TypeInputGame) String() string

func (*TypeInputGame) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputGame) XXX_DiscardUnknown()

func (*TypeInputGame) XXX_Marshal added in v0.4.1

func (m *TypeInputGame) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputGame) XXX_Merge added in v0.4.1

func (dst *TypeInputGame) XXX_Merge(src proto.Message)

func (*TypeInputGame) XXX_OneofFuncs

func (*TypeInputGame) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputGame) XXX_Size added in v0.4.1

func (m *TypeInputGame) XXX_Size() int

func (*TypeInputGame) XXX_Unmarshal added in v0.4.1

func (m *TypeInputGame) XXX_Unmarshal(b []byte) error

type TypeInputGame_InputGameID

type TypeInputGame_InputGameID struct {
	InputGameID *PredInputGameID `protobuf:"bytes,1,opt,name=InputGameID,oneof"`
}

type TypeInputGame_InputGameShortName

type TypeInputGame_InputGameShortName struct {
	InputGameShortName *PredInputGameShortName `protobuf:"bytes,2,opt,name=InputGameShortName,oneof"`
}

type TypeInputGeoPoint

type TypeInputGeoPoint struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputGeoPoint_InputGeoPointEmpty
	//	*TypeInputGeoPoint_InputGeoPoint
	Value                isTypeInputGeoPoint_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeInputGeoPoint) Descriptor

func (*TypeInputGeoPoint) Descriptor() ([]byte, []int)

func (*TypeInputGeoPoint) GetInputGeoPoint

func (m *TypeInputGeoPoint) GetInputGeoPoint() *PredInputGeoPoint

func (*TypeInputGeoPoint) GetInputGeoPointEmpty

func (m *TypeInputGeoPoint) GetInputGeoPointEmpty() *PredInputGeoPointEmpty

func (*TypeInputGeoPoint) GetValue

func (m *TypeInputGeoPoint) GetValue() isTypeInputGeoPoint_Value

func (*TypeInputGeoPoint) ProtoMessage

func (*TypeInputGeoPoint) ProtoMessage()

func (*TypeInputGeoPoint) Reset

func (m *TypeInputGeoPoint) Reset()

func (*TypeInputGeoPoint) String

func (m *TypeInputGeoPoint) String() string

func (*TypeInputGeoPoint) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputGeoPoint) XXX_DiscardUnknown()

func (*TypeInputGeoPoint) XXX_Marshal added in v0.4.1

func (m *TypeInputGeoPoint) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputGeoPoint) XXX_Merge added in v0.4.1

func (dst *TypeInputGeoPoint) XXX_Merge(src proto.Message)

func (*TypeInputGeoPoint) XXX_OneofFuncs

func (*TypeInputGeoPoint) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputGeoPoint) XXX_Size added in v0.4.1

func (m *TypeInputGeoPoint) XXX_Size() int

func (*TypeInputGeoPoint) XXX_Unmarshal added in v0.4.1

func (m *TypeInputGeoPoint) XXX_Unmarshal(b []byte) error

type TypeInputGeoPoint_InputGeoPoint

type TypeInputGeoPoint_InputGeoPoint struct {
	InputGeoPoint *PredInputGeoPoint `protobuf:"bytes,2,opt,name=InputGeoPoint,oneof"`
}

type TypeInputGeoPoint_InputGeoPointEmpty

type TypeInputGeoPoint_InputGeoPointEmpty struct {
	InputGeoPointEmpty *PredInputGeoPointEmpty `protobuf:"bytes,1,opt,name=InputGeoPointEmpty,oneof"`
}

type TypeInputMedia

type TypeInputMedia struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputMedia_InputMediaEmpty
	//	*TypeInputMedia_InputMediaUploadedPhoto
	//	*TypeInputMedia_InputMediaPhoto
	//	*TypeInputMedia_InputMediaGeoPoint
	//	*TypeInputMedia_InputMediaContact
	//	*TypeInputMedia_InputMediaUploadedDocument
	//	*TypeInputMedia_InputMediaDocument
	//	*TypeInputMedia_InputMediaVenue
	//	*TypeInputMedia_InputMediaGifExternal
	//	*TypeInputMedia_InputMediaPhotoExternal
	//	*TypeInputMedia_InputMediaDocumentExternal
	//	*TypeInputMedia_InputMediaGame
	//	*TypeInputMedia_InputMediaInvoice
	Value                isTypeInputMedia_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeInputMedia) Descriptor

func (*TypeInputMedia) Descriptor() ([]byte, []int)

func (*TypeInputMedia) GetInputMediaContact

func (m *TypeInputMedia) GetInputMediaContact() *PredInputMediaContact

func (*TypeInputMedia) GetInputMediaDocument

func (m *TypeInputMedia) GetInputMediaDocument() *PredInputMediaDocument

func (*TypeInputMedia) GetInputMediaDocumentExternal

func (m *TypeInputMedia) GetInputMediaDocumentExternal() *PredInputMediaDocumentExternal

func (*TypeInputMedia) GetInputMediaEmpty

func (m *TypeInputMedia) GetInputMediaEmpty() *PredInputMediaEmpty

func (*TypeInputMedia) GetInputMediaGame

func (m *TypeInputMedia) GetInputMediaGame() *PredInputMediaGame

func (*TypeInputMedia) GetInputMediaGeoPoint

func (m *TypeInputMedia) GetInputMediaGeoPoint() *PredInputMediaGeoPoint

func (*TypeInputMedia) GetInputMediaGifExternal

func (m *TypeInputMedia) GetInputMediaGifExternal() *PredInputMediaGifExternal

func (*TypeInputMedia) GetInputMediaInvoice

func (m *TypeInputMedia) GetInputMediaInvoice() *PredInputMediaInvoice

func (*TypeInputMedia) GetInputMediaPhoto

func (m *TypeInputMedia) GetInputMediaPhoto() *PredInputMediaPhoto

func (*TypeInputMedia) GetInputMediaPhotoExternal

func (m *TypeInputMedia) GetInputMediaPhotoExternal() *PredInputMediaPhotoExternal

func (*TypeInputMedia) GetInputMediaUploadedDocument

func (m *TypeInputMedia) GetInputMediaUploadedDocument() *PredInputMediaUploadedDocument

func (*TypeInputMedia) GetInputMediaUploadedPhoto

func (m *TypeInputMedia) GetInputMediaUploadedPhoto() *PredInputMediaUploadedPhoto

func (*TypeInputMedia) GetInputMediaVenue

func (m *TypeInputMedia) GetInputMediaVenue() *PredInputMediaVenue

func (*TypeInputMedia) GetValue

func (m *TypeInputMedia) GetValue() isTypeInputMedia_Value

func (*TypeInputMedia) ProtoMessage

func (*TypeInputMedia) ProtoMessage()

func (*TypeInputMedia) Reset

func (m *TypeInputMedia) Reset()

func (*TypeInputMedia) String

func (m *TypeInputMedia) String() string

func (*TypeInputMedia) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputMedia) XXX_DiscardUnknown()

func (*TypeInputMedia) XXX_Marshal added in v0.4.1

func (m *TypeInputMedia) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputMedia) XXX_Merge added in v0.4.1

func (dst *TypeInputMedia) XXX_Merge(src proto.Message)

func (*TypeInputMedia) XXX_OneofFuncs

func (*TypeInputMedia) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputMedia) XXX_Size added in v0.4.1

func (m *TypeInputMedia) XXX_Size() int

func (*TypeInputMedia) XXX_Unmarshal added in v0.4.1

func (m *TypeInputMedia) XXX_Unmarshal(b []byte) error

type TypeInputMedia_InputMediaContact

type TypeInputMedia_InputMediaContact struct {
	InputMediaContact *PredInputMediaContact `protobuf:"bytes,5,opt,name=InputMediaContact,oneof"`
}

type TypeInputMedia_InputMediaDocument

type TypeInputMedia_InputMediaDocument struct {
	InputMediaDocument *PredInputMediaDocument `protobuf:"bytes,7,opt,name=InputMediaDocument,oneof"`
}

type TypeInputMedia_InputMediaDocumentExternal

type TypeInputMedia_InputMediaDocumentExternal struct {
	InputMediaDocumentExternal *PredInputMediaDocumentExternal `protobuf:"bytes,11,opt,name=InputMediaDocumentExternal,oneof"`
}

type TypeInputMedia_InputMediaEmpty

type TypeInputMedia_InputMediaEmpty struct {
	InputMediaEmpty *PredInputMediaEmpty `protobuf:"bytes,1,opt,name=InputMediaEmpty,oneof"`
}

type TypeInputMedia_InputMediaGame

type TypeInputMedia_InputMediaGame struct {
	InputMediaGame *PredInputMediaGame `protobuf:"bytes,12,opt,name=InputMediaGame,oneof"`
}

type TypeInputMedia_InputMediaGeoPoint

type TypeInputMedia_InputMediaGeoPoint struct {
	InputMediaGeoPoint *PredInputMediaGeoPoint `protobuf:"bytes,4,opt,name=InputMediaGeoPoint,oneof"`
}

type TypeInputMedia_InputMediaGifExternal

type TypeInputMedia_InputMediaGifExternal struct {
	InputMediaGifExternal *PredInputMediaGifExternal `protobuf:"bytes,9,opt,name=InputMediaGifExternal,oneof"`
}

type TypeInputMedia_InputMediaInvoice

type TypeInputMedia_InputMediaInvoice struct {
	InputMediaInvoice *PredInputMediaInvoice `protobuf:"bytes,13,opt,name=InputMediaInvoice,oneof"`
}

type TypeInputMedia_InputMediaPhoto

type TypeInputMedia_InputMediaPhoto struct {
	InputMediaPhoto *PredInputMediaPhoto `protobuf:"bytes,3,opt,name=InputMediaPhoto,oneof"`
}

type TypeInputMedia_InputMediaPhotoExternal

type TypeInputMedia_InputMediaPhotoExternal struct {
	InputMediaPhotoExternal *PredInputMediaPhotoExternal `protobuf:"bytes,10,opt,name=InputMediaPhotoExternal,oneof"`
}

type TypeInputMedia_InputMediaUploadedDocument

type TypeInputMedia_InputMediaUploadedDocument struct {
	InputMediaUploadedDocument *PredInputMediaUploadedDocument `protobuf:"bytes,6,opt,name=InputMediaUploadedDocument,oneof"`
}

type TypeInputMedia_InputMediaUploadedPhoto

type TypeInputMedia_InputMediaUploadedPhoto struct {
	InputMediaUploadedPhoto *PredInputMediaUploadedPhoto `protobuf:"bytes,2,opt,name=InputMediaUploadedPhoto,oneof"`
}

type TypeInputMedia_InputMediaVenue

type TypeInputMedia_InputMediaVenue struct {
	InputMediaVenue *PredInputMediaVenue `protobuf:"bytes,8,opt,name=InputMediaVenue,oneof"`
}

type TypeInputNotifyPeer

type TypeInputNotifyPeer struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputNotifyPeer_InputNotifyPeer
	//	*TypeInputNotifyPeer_InputNotifyUsers
	//	*TypeInputNotifyPeer_InputNotifyChats
	//	*TypeInputNotifyPeer_InputNotifyAll
	Value                isTypeInputNotifyPeer_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeInputNotifyPeer) Descriptor

func (*TypeInputNotifyPeer) Descriptor() ([]byte, []int)

func (*TypeInputNotifyPeer) GetInputNotifyAll

func (m *TypeInputNotifyPeer) GetInputNotifyAll() *PredInputNotifyAll

func (*TypeInputNotifyPeer) GetInputNotifyChats

func (m *TypeInputNotifyPeer) GetInputNotifyChats() *PredInputNotifyChats

func (*TypeInputNotifyPeer) GetInputNotifyPeer

func (m *TypeInputNotifyPeer) GetInputNotifyPeer() *PredInputNotifyPeer

func (*TypeInputNotifyPeer) GetInputNotifyUsers

func (m *TypeInputNotifyPeer) GetInputNotifyUsers() *PredInputNotifyUsers

func (*TypeInputNotifyPeer) GetValue

func (m *TypeInputNotifyPeer) GetValue() isTypeInputNotifyPeer_Value

func (*TypeInputNotifyPeer) ProtoMessage

func (*TypeInputNotifyPeer) ProtoMessage()

func (*TypeInputNotifyPeer) Reset

func (m *TypeInputNotifyPeer) Reset()

func (*TypeInputNotifyPeer) String

func (m *TypeInputNotifyPeer) String() string

func (*TypeInputNotifyPeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputNotifyPeer) XXX_DiscardUnknown()

func (*TypeInputNotifyPeer) XXX_Marshal added in v0.4.1

func (m *TypeInputNotifyPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputNotifyPeer) XXX_Merge added in v0.4.1

func (dst *TypeInputNotifyPeer) XXX_Merge(src proto.Message)

func (*TypeInputNotifyPeer) XXX_OneofFuncs

func (*TypeInputNotifyPeer) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputNotifyPeer) XXX_Size added in v0.4.1

func (m *TypeInputNotifyPeer) XXX_Size() int

func (*TypeInputNotifyPeer) XXX_Unmarshal added in v0.4.1

func (m *TypeInputNotifyPeer) XXX_Unmarshal(b []byte) error

type TypeInputNotifyPeer_InputNotifyAll

type TypeInputNotifyPeer_InputNotifyAll struct {
	InputNotifyAll *PredInputNotifyAll `protobuf:"bytes,4,opt,name=InputNotifyAll,oneof"`
}

type TypeInputNotifyPeer_InputNotifyChats

type TypeInputNotifyPeer_InputNotifyChats struct {
	InputNotifyChats *PredInputNotifyChats `protobuf:"bytes,3,opt,name=InputNotifyChats,oneof"`
}

type TypeInputNotifyPeer_InputNotifyPeer

type TypeInputNotifyPeer_InputNotifyPeer struct {
	InputNotifyPeer *PredInputNotifyPeer `protobuf:"bytes,1,opt,name=InputNotifyPeer,oneof"`
}

type TypeInputNotifyPeer_InputNotifyUsers

type TypeInputNotifyPeer_InputNotifyUsers struct {
	InputNotifyUsers *PredInputNotifyUsers `protobuf:"bytes,2,opt,name=InputNotifyUsers,oneof"`
}

type TypeInputPaymentCredentials

type TypeInputPaymentCredentials struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPaymentCredentials_InputPaymentCredentialsSaved
	//	*TypeInputPaymentCredentials_InputPaymentCredentials
	Value                isTypeInputPaymentCredentials_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                            `json:"-"`
	XXX_unrecognized     []byte                              `json:"-"`
	XXX_sizecache        int32                               `json:"-"`
}

func (*TypeInputPaymentCredentials) Descriptor

func (*TypeInputPaymentCredentials) Descriptor() ([]byte, []int)

func (*TypeInputPaymentCredentials) GetInputPaymentCredentials

func (m *TypeInputPaymentCredentials) GetInputPaymentCredentials() *PredInputPaymentCredentials

func (*TypeInputPaymentCredentials) GetInputPaymentCredentialsSaved

func (m *TypeInputPaymentCredentials) GetInputPaymentCredentialsSaved() *PredInputPaymentCredentialsSaved

func (*TypeInputPaymentCredentials) GetValue

func (m *TypeInputPaymentCredentials) GetValue() isTypeInputPaymentCredentials_Value

func (*TypeInputPaymentCredentials) ProtoMessage

func (*TypeInputPaymentCredentials) ProtoMessage()

func (*TypeInputPaymentCredentials) Reset

func (m *TypeInputPaymentCredentials) Reset()

func (*TypeInputPaymentCredentials) String

func (m *TypeInputPaymentCredentials) String() string

func (*TypeInputPaymentCredentials) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPaymentCredentials) XXX_DiscardUnknown()

func (*TypeInputPaymentCredentials) XXX_Marshal added in v0.4.1

func (m *TypeInputPaymentCredentials) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPaymentCredentials) XXX_Merge added in v0.4.1

func (dst *TypeInputPaymentCredentials) XXX_Merge(src proto.Message)

func (*TypeInputPaymentCredentials) XXX_OneofFuncs

func (*TypeInputPaymentCredentials) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPaymentCredentials) XXX_Size added in v0.4.1

func (m *TypeInputPaymentCredentials) XXX_Size() int

func (*TypeInputPaymentCredentials) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPaymentCredentials) XXX_Unmarshal(b []byte) error

type TypeInputPaymentCredentials_InputPaymentCredentials

type TypeInputPaymentCredentials_InputPaymentCredentials struct {
	InputPaymentCredentials *PredInputPaymentCredentials `protobuf:"bytes,2,opt,name=InputPaymentCredentials,oneof"`
}

type TypeInputPaymentCredentials_InputPaymentCredentialsSaved

type TypeInputPaymentCredentials_InputPaymentCredentialsSaved struct {
	InputPaymentCredentialsSaved *PredInputPaymentCredentialsSaved `protobuf:"bytes,1,opt,name=InputPaymentCredentialsSaved,oneof"`
}

type TypeInputPeer

type TypeInputPeer struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPeer_InputPeerEmpty
	//	*TypeInputPeer_InputPeerSelf
	//	*TypeInputPeer_InputPeerChat
	//	*TypeInputPeer_InputPeerUser
	//	*TypeInputPeer_InputPeerChannel
	Value                isTypeInputPeer_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeInputPeer) Descriptor

func (*TypeInputPeer) Descriptor() ([]byte, []int)

func (*TypeInputPeer) GetInputPeerChannel

func (m *TypeInputPeer) GetInputPeerChannel() *PredInputPeerChannel

func (*TypeInputPeer) GetInputPeerChat

func (m *TypeInputPeer) GetInputPeerChat() *PredInputPeerChat

func (*TypeInputPeer) GetInputPeerEmpty

func (m *TypeInputPeer) GetInputPeerEmpty() *PredInputPeerEmpty

func (*TypeInputPeer) GetInputPeerSelf

func (m *TypeInputPeer) GetInputPeerSelf() *PredInputPeerSelf

func (*TypeInputPeer) GetInputPeerUser

func (m *TypeInputPeer) GetInputPeerUser() *PredInputPeerUser

func (*TypeInputPeer) GetValue

func (m *TypeInputPeer) GetValue() isTypeInputPeer_Value

func (*TypeInputPeer) ProtoMessage

func (*TypeInputPeer) ProtoMessage()

func (*TypeInputPeer) Reset

func (m *TypeInputPeer) Reset()

func (*TypeInputPeer) String

func (m *TypeInputPeer) String() string

func (*TypeInputPeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPeer) XXX_DiscardUnknown()

func (*TypeInputPeer) XXX_Marshal added in v0.4.1

func (m *TypeInputPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPeer) XXX_Merge added in v0.4.1

func (dst *TypeInputPeer) XXX_Merge(src proto.Message)

func (*TypeInputPeer) XXX_OneofFuncs

func (*TypeInputPeer) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPeer) XXX_Size added in v0.4.1

func (m *TypeInputPeer) XXX_Size() int

func (*TypeInputPeer) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPeer) XXX_Unmarshal(b []byte) error

type TypeInputPeerNotifyEvents

type TypeInputPeerNotifyEvents struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPeerNotifyEvents_InputPeerNotifyEventsEmpty
	//	*TypeInputPeerNotifyEvents_InputPeerNotifyEventsAll
	Value                isTypeInputPeerNotifyEvents_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypeInputPeerNotifyEvents) Descriptor

func (*TypeInputPeerNotifyEvents) Descriptor() ([]byte, []int)

func (*TypeInputPeerNotifyEvents) GetInputPeerNotifyEventsAll

func (m *TypeInputPeerNotifyEvents) GetInputPeerNotifyEventsAll() *PredInputPeerNotifyEventsAll

func (*TypeInputPeerNotifyEvents) GetInputPeerNotifyEventsEmpty

func (m *TypeInputPeerNotifyEvents) GetInputPeerNotifyEventsEmpty() *PredInputPeerNotifyEventsEmpty

func (*TypeInputPeerNotifyEvents) GetValue

func (m *TypeInputPeerNotifyEvents) GetValue() isTypeInputPeerNotifyEvents_Value

func (*TypeInputPeerNotifyEvents) ProtoMessage

func (*TypeInputPeerNotifyEvents) ProtoMessage()

func (*TypeInputPeerNotifyEvents) Reset

func (m *TypeInputPeerNotifyEvents) Reset()

func (*TypeInputPeerNotifyEvents) String

func (m *TypeInputPeerNotifyEvents) String() string

func (*TypeInputPeerNotifyEvents) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPeerNotifyEvents) XXX_DiscardUnknown()

func (*TypeInputPeerNotifyEvents) XXX_Marshal added in v0.4.1

func (m *TypeInputPeerNotifyEvents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPeerNotifyEvents) XXX_Merge added in v0.4.1

func (dst *TypeInputPeerNotifyEvents) XXX_Merge(src proto.Message)

func (*TypeInputPeerNotifyEvents) XXX_OneofFuncs

func (*TypeInputPeerNotifyEvents) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPeerNotifyEvents) XXX_Size added in v0.4.1

func (m *TypeInputPeerNotifyEvents) XXX_Size() int

func (*TypeInputPeerNotifyEvents) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPeerNotifyEvents) XXX_Unmarshal(b []byte) error

type TypeInputPeerNotifyEvents_InputPeerNotifyEventsAll

type TypeInputPeerNotifyEvents_InputPeerNotifyEventsAll struct {
	InputPeerNotifyEventsAll *PredInputPeerNotifyEventsAll `protobuf:"bytes,2,opt,name=InputPeerNotifyEventsAll,oneof"`
}

type TypeInputPeerNotifyEvents_InputPeerNotifyEventsEmpty

type TypeInputPeerNotifyEvents_InputPeerNotifyEventsEmpty struct {
	InputPeerNotifyEventsEmpty *PredInputPeerNotifyEventsEmpty `protobuf:"bytes,1,opt,name=InputPeerNotifyEventsEmpty,oneof"`
}

type TypeInputPeerNotifySettings

type TypeInputPeerNotifySettings struct {
	Value                *PredInputPeerNotifySettings `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeInputPeerNotifySettings) Descriptor

func (*TypeInputPeerNotifySettings) Descriptor() ([]byte, []int)

func (*TypeInputPeerNotifySettings) GetValue

func (*TypeInputPeerNotifySettings) ProtoMessage

func (*TypeInputPeerNotifySettings) ProtoMessage()

func (*TypeInputPeerNotifySettings) Reset

func (m *TypeInputPeerNotifySettings) Reset()

func (*TypeInputPeerNotifySettings) String

func (m *TypeInputPeerNotifySettings) String() string

func (*TypeInputPeerNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPeerNotifySettings) XXX_DiscardUnknown()

func (*TypeInputPeerNotifySettings) XXX_Marshal added in v0.4.1

func (m *TypeInputPeerNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPeerNotifySettings) XXX_Merge added in v0.4.1

func (dst *TypeInputPeerNotifySettings) XXX_Merge(src proto.Message)

func (*TypeInputPeerNotifySettings) XXX_Size added in v0.4.1

func (m *TypeInputPeerNotifySettings) XXX_Size() int

func (*TypeInputPeerNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPeerNotifySettings) XXX_Unmarshal(b []byte) error

type TypeInputPeer_InputPeerChannel

type TypeInputPeer_InputPeerChannel struct {
	InputPeerChannel *PredInputPeerChannel `protobuf:"bytes,5,opt,name=InputPeerChannel,oneof"`
}

type TypeInputPeer_InputPeerChat

type TypeInputPeer_InputPeerChat struct {
	InputPeerChat *PredInputPeerChat `protobuf:"bytes,3,opt,name=InputPeerChat,oneof"`
}

type TypeInputPeer_InputPeerEmpty

type TypeInputPeer_InputPeerEmpty struct {
	InputPeerEmpty *PredInputPeerEmpty `protobuf:"bytes,1,opt,name=InputPeerEmpty,oneof"`
}

type TypeInputPeer_InputPeerSelf

type TypeInputPeer_InputPeerSelf struct {
	InputPeerSelf *PredInputPeerSelf `protobuf:"bytes,2,opt,name=InputPeerSelf,oneof"`
}

type TypeInputPeer_InputPeerUser

type TypeInputPeer_InputPeerUser struct {
	InputPeerUser *PredInputPeerUser `protobuf:"bytes,4,opt,name=InputPeerUser,oneof"`
}

type TypeInputPhoneCall

type TypeInputPhoneCall struct {
	Value                *PredInputPhoneCall `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeInputPhoneCall) Descriptor

func (*TypeInputPhoneCall) Descriptor() ([]byte, []int)

func (*TypeInputPhoneCall) GetValue

func (m *TypeInputPhoneCall) GetValue() *PredInputPhoneCall

func (*TypeInputPhoneCall) ProtoMessage

func (*TypeInputPhoneCall) ProtoMessage()

func (*TypeInputPhoneCall) Reset

func (m *TypeInputPhoneCall) Reset()

func (*TypeInputPhoneCall) String

func (m *TypeInputPhoneCall) String() string

func (*TypeInputPhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPhoneCall) XXX_DiscardUnknown()

func (*TypeInputPhoneCall) XXX_Marshal added in v0.4.1

func (m *TypeInputPhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPhoneCall) XXX_Merge added in v0.4.1

func (dst *TypeInputPhoneCall) XXX_Merge(src proto.Message)

func (*TypeInputPhoneCall) XXX_Size added in v0.4.1

func (m *TypeInputPhoneCall) XXX_Size() int

func (*TypeInputPhoneCall) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPhoneCall) XXX_Unmarshal(b []byte) error

type TypeInputPhoto

type TypeInputPhoto struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPhoto_InputPhotoEmpty
	//	*TypeInputPhoto_InputPhoto
	Value                isTypeInputPhoto_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeInputPhoto) Descriptor

func (*TypeInputPhoto) Descriptor() ([]byte, []int)

func (*TypeInputPhoto) GetInputPhoto

func (m *TypeInputPhoto) GetInputPhoto() *PredInputPhoto

func (*TypeInputPhoto) GetInputPhotoEmpty

func (m *TypeInputPhoto) GetInputPhotoEmpty() *PredInputPhotoEmpty

func (*TypeInputPhoto) GetValue

func (m *TypeInputPhoto) GetValue() isTypeInputPhoto_Value

func (*TypeInputPhoto) ProtoMessage

func (*TypeInputPhoto) ProtoMessage()

func (*TypeInputPhoto) Reset

func (m *TypeInputPhoto) Reset()

func (*TypeInputPhoto) String

func (m *TypeInputPhoto) String() string

func (*TypeInputPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPhoto) XXX_DiscardUnknown()

func (*TypeInputPhoto) XXX_Marshal added in v0.4.1

func (m *TypeInputPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPhoto) XXX_Merge added in v0.4.1

func (dst *TypeInputPhoto) XXX_Merge(src proto.Message)

func (*TypeInputPhoto) XXX_OneofFuncs

func (*TypeInputPhoto) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPhoto) XXX_Size added in v0.4.1

func (m *TypeInputPhoto) XXX_Size() int

func (*TypeInputPhoto) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPhoto) XXX_Unmarshal(b []byte) error

type TypeInputPhoto_InputPhoto

type TypeInputPhoto_InputPhoto struct {
	InputPhoto *PredInputPhoto `protobuf:"bytes,2,opt,name=InputPhoto,oneof"`
}

type TypeInputPhoto_InputPhotoEmpty

type TypeInputPhoto_InputPhotoEmpty struct {
	InputPhotoEmpty *PredInputPhotoEmpty `protobuf:"bytes,1,opt,name=InputPhotoEmpty,oneof"`
}

type TypeInputPrivacyKey

type TypeInputPrivacyKey struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPrivacyKey_InputPrivacyKeyStatusTimestamp
	//	*TypeInputPrivacyKey_InputPrivacyKeyChatInvite
	//	*TypeInputPrivacyKey_InputPrivacyKeyPhoneCall
	Value                isTypeInputPrivacyKey_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeInputPrivacyKey) Descriptor

func (*TypeInputPrivacyKey) Descriptor() ([]byte, []int)

func (*TypeInputPrivacyKey) GetInputPrivacyKeyChatInvite

func (m *TypeInputPrivacyKey) GetInputPrivacyKeyChatInvite() *PredInputPrivacyKeyChatInvite

func (*TypeInputPrivacyKey) GetInputPrivacyKeyPhoneCall

func (m *TypeInputPrivacyKey) GetInputPrivacyKeyPhoneCall() *PredInputPrivacyKeyPhoneCall

func (*TypeInputPrivacyKey) GetInputPrivacyKeyStatusTimestamp

func (m *TypeInputPrivacyKey) GetInputPrivacyKeyStatusTimestamp() *PredInputPrivacyKeyStatusTimestamp

func (*TypeInputPrivacyKey) GetValue

func (m *TypeInputPrivacyKey) GetValue() isTypeInputPrivacyKey_Value

func (*TypeInputPrivacyKey) ProtoMessage

func (*TypeInputPrivacyKey) ProtoMessage()

func (*TypeInputPrivacyKey) Reset

func (m *TypeInputPrivacyKey) Reset()

func (*TypeInputPrivacyKey) String

func (m *TypeInputPrivacyKey) String() string

func (*TypeInputPrivacyKey) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPrivacyKey) XXX_DiscardUnknown()

func (*TypeInputPrivacyKey) XXX_Marshal added in v0.4.1

func (m *TypeInputPrivacyKey) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPrivacyKey) XXX_Merge added in v0.4.1

func (dst *TypeInputPrivacyKey) XXX_Merge(src proto.Message)

func (*TypeInputPrivacyKey) XXX_OneofFuncs

func (*TypeInputPrivacyKey) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPrivacyKey) XXX_Size added in v0.4.1

func (m *TypeInputPrivacyKey) XXX_Size() int

func (*TypeInputPrivacyKey) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPrivacyKey) XXX_Unmarshal(b []byte) error

type TypeInputPrivacyKey_InputPrivacyKeyChatInvite

type TypeInputPrivacyKey_InputPrivacyKeyChatInvite struct {
	InputPrivacyKeyChatInvite *PredInputPrivacyKeyChatInvite `protobuf:"bytes,2,opt,name=InputPrivacyKeyChatInvite,oneof"`
}

type TypeInputPrivacyKey_InputPrivacyKeyPhoneCall

type TypeInputPrivacyKey_InputPrivacyKeyPhoneCall struct {
	InputPrivacyKeyPhoneCall *PredInputPrivacyKeyPhoneCall `protobuf:"bytes,3,opt,name=InputPrivacyKeyPhoneCall,oneof"`
}

type TypeInputPrivacyKey_InputPrivacyKeyStatusTimestamp

type TypeInputPrivacyKey_InputPrivacyKeyStatusTimestamp struct {
	InputPrivacyKeyStatusTimestamp *PredInputPrivacyKeyStatusTimestamp `protobuf:"bytes,1,opt,name=InputPrivacyKeyStatusTimestamp,oneof"`
}

type TypeInputPrivacyRule

type TypeInputPrivacyRule struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputPrivacyRule_InputPrivacyValueAllowContacts
	//	*TypeInputPrivacyRule_InputPrivacyValueAllowAll
	//	*TypeInputPrivacyRule_InputPrivacyValueAllowUsers
	//	*TypeInputPrivacyRule_InputPrivacyValueDisallowContacts
	//	*TypeInputPrivacyRule_InputPrivacyValueDisallowAll
	//	*TypeInputPrivacyRule_InputPrivacyValueDisallowUsers
	Value                isTypeInputPrivacyRule_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeInputPrivacyRule) Descriptor

func (*TypeInputPrivacyRule) Descriptor() ([]byte, []int)

func (*TypeInputPrivacyRule) GetInputPrivacyValueAllowAll

func (m *TypeInputPrivacyRule) GetInputPrivacyValueAllowAll() *PredInputPrivacyValueAllowAll

func (*TypeInputPrivacyRule) GetInputPrivacyValueAllowContacts

func (m *TypeInputPrivacyRule) GetInputPrivacyValueAllowContacts() *PredInputPrivacyValueAllowContacts

func (*TypeInputPrivacyRule) GetInputPrivacyValueAllowUsers

func (m *TypeInputPrivacyRule) GetInputPrivacyValueAllowUsers() *PredInputPrivacyValueAllowUsers

func (*TypeInputPrivacyRule) GetInputPrivacyValueDisallowAll

func (m *TypeInputPrivacyRule) GetInputPrivacyValueDisallowAll() *PredInputPrivacyValueDisallowAll

func (*TypeInputPrivacyRule) GetInputPrivacyValueDisallowContacts

func (m *TypeInputPrivacyRule) GetInputPrivacyValueDisallowContacts() *PredInputPrivacyValueDisallowContacts

func (*TypeInputPrivacyRule) GetInputPrivacyValueDisallowUsers

func (m *TypeInputPrivacyRule) GetInputPrivacyValueDisallowUsers() *PredInputPrivacyValueDisallowUsers

func (*TypeInputPrivacyRule) GetValue

func (m *TypeInputPrivacyRule) GetValue() isTypeInputPrivacyRule_Value

func (*TypeInputPrivacyRule) ProtoMessage

func (*TypeInputPrivacyRule) ProtoMessage()

func (*TypeInputPrivacyRule) Reset

func (m *TypeInputPrivacyRule) Reset()

func (*TypeInputPrivacyRule) String

func (m *TypeInputPrivacyRule) String() string

func (*TypeInputPrivacyRule) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputPrivacyRule) XXX_DiscardUnknown()

func (*TypeInputPrivacyRule) XXX_Marshal added in v0.4.1

func (m *TypeInputPrivacyRule) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputPrivacyRule) XXX_Merge added in v0.4.1

func (dst *TypeInputPrivacyRule) XXX_Merge(src proto.Message)

func (*TypeInputPrivacyRule) XXX_OneofFuncs

func (*TypeInputPrivacyRule) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputPrivacyRule) XXX_Size added in v0.4.1

func (m *TypeInputPrivacyRule) XXX_Size() int

func (*TypeInputPrivacyRule) XXX_Unmarshal added in v0.4.1

func (m *TypeInputPrivacyRule) XXX_Unmarshal(b []byte) error

type TypeInputPrivacyRule_InputPrivacyValueAllowAll

type TypeInputPrivacyRule_InputPrivacyValueAllowAll struct {
	InputPrivacyValueAllowAll *PredInputPrivacyValueAllowAll `protobuf:"bytes,2,opt,name=InputPrivacyValueAllowAll,oneof"`
}

type TypeInputPrivacyRule_InputPrivacyValueAllowContacts

type TypeInputPrivacyRule_InputPrivacyValueAllowContacts struct {
	InputPrivacyValueAllowContacts *PredInputPrivacyValueAllowContacts `protobuf:"bytes,1,opt,name=InputPrivacyValueAllowContacts,oneof"`
}

type TypeInputPrivacyRule_InputPrivacyValueAllowUsers

type TypeInputPrivacyRule_InputPrivacyValueAllowUsers struct {
	InputPrivacyValueAllowUsers *PredInputPrivacyValueAllowUsers `protobuf:"bytes,3,opt,name=InputPrivacyValueAllowUsers,oneof"`
}

type TypeInputPrivacyRule_InputPrivacyValueDisallowAll

type TypeInputPrivacyRule_InputPrivacyValueDisallowAll struct {
	InputPrivacyValueDisallowAll *PredInputPrivacyValueDisallowAll `protobuf:"bytes,5,opt,name=InputPrivacyValueDisallowAll,oneof"`
}

type TypeInputPrivacyRule_InputPrivacyValueDisallowContacts

type TypeInputPrivacyRule_InputPrivacyValueDisallowContacts struct {
	InputPrivacyValueDisallowContacts *PredInputPrivacyValueDisallowContacts `protobuf:"bytes,4,opt,name=InputPrivacyValueDisallowContacts,oneof"`
}

type TypeInputPrivacyRule_InputPrivacyValueDisallowUsers

type TypeInputPrivacyRule_InputPrivacyValueDisallowUsers struct {
	InputPrivacyValueDisallowUsers *PredInputPrivacyValueDisallowUsers `protobuf:"bytes,6,opt,name=InputPrivacyValueDisallowUsers,oneof"`
}

type TypeInputStickerSet

type TypeInputStickerSet struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputStickerSet_InputStickerSetEmpty
	//	*TypeInputStickerSet_InputStickerSetID
	//	*TypeInputStickerSet_InputStickerSetShortName
	Value                isTypeInputStickerSet_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeInputStickerSet) Descriptor

func (*TypeInputStickerSet) Descriptor() ([]byte, []int)

func (*TypeInputStickerSet) GetInputStickerSetEmpty

func (m *TypeInputStickerSet) GetInputStickerSetEmpty() *PredInputStickerSetEmpty

func (*TypeInputStickerSet) GetInputStickerSetID

func (m *TypeInputStickerSet) GetInputStickerSetID() *PredInputStickerSetID

func (*TypeInputStickerSet) GetInputStickerSetShortName

func (m *TypeInputStickerSet) GetInputStickerSetShortName() *PredInputStickerSetShortName

func (*TypeInputStickerSet) GetValue

func (m *TypeInputStickerSet) GetValue() isTypeInputStickerSet_Value

func (*TypeInputStickerSet) ProtoMessage

func (*TypeInputStickerSet) ProtoMessage()

func (*TypeInputStickerSet) Reset

func (m *TypeInputStickerSet) Reset()

func (*TypeInputStickerSet) String

func (m *TypeInputStickerSet) String() string

func (*TypeInputStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputStickerSet) XXX_DiscardUnknown()

func (*TypeInputStickerSet) XXX_Marshal added in v0.4.1

func (m *TypeInputStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputStickerSet) XXX_Merge added in v0.4.1

func (dst *TypeInputStickerSet) XXX_Merge(src proto.Message)

func (*TypeInputStickerSet) XXX_OneofFuncs

func (*TypeInputStickerSet) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputStickerSet) XXX_Size added in v0.4.1

func (m *TypeInputStickerSet) XXX_Size() int

func (*TypeInputStickerSet) XXX_Unmarshal added in v0.4.1

func (m *TypeInputStickerSet) XXX_Unmarshal(b []byte) error

type TypeInputStickerSetItem

type TypeInputStickerSetItem struct {
	Value                *PredInputStickerSetItem `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeInputStickerSetItem) Descriptor

func (*TypeInputStickerSetItem) Descriptor() ([]byte, []int)

func (*TypeInputStickerSetItem) GetValue

func (*TypeInputStickerSetItem) ProtoMessage

func (*TypeInputStickerSetItem) ProtoMessage()

func (*TypeInputStickerSetItem) Reset

func (m *TypeInputStickerSetItem) Reset()

func (*TypeInputStickerSetItem) String

func (m *TypeInputStickerSetItem) String() string

func (*TypeInputStickerSetItem) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputStickerSetItem) XXX_DiscardUnknown()

func (*TypeInputStickerSetItem) XXX_Marshal added in v0.4.1

func (m *TypeInputStickerSetItem) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputStickerSetItem) XXX_Merge added in v0.4.1

func (dst *TypeInputStickerSetItem) XXX_Merge(src proto.Message)

func (*TypeInputStickerSetItem) XXX_Size added in v0.4.1

func (m *TypeInputStickerSetItem) XXX_Size() int

func (*TypeInputStickerSetItem) XXX_Unmarshal added in v0.4.1

func (m *TypeInputStickerSetItem) XXX_Unmarshal(b []byte) error

type TypeInputStickerSet_InputStickerSetEmpty

type TypeInputStickerSet_InputStickerSetEmpty struct {
	InputStickerSetEmpty *PredInputStickerSetEmpty `protobuf:"bytes,1,opt,name=InputStickerSetEmpty,oneof"`
}

type TypeInputStickerSet_InputStickerSetID

type TypeInputStickerSet_InputStickerSetID struct {
	InputStickerSetID *PredInputStickerSetID `protobuf:"bytes,2,opt,name=InputStickerSetID,oneof"`
}

type TypeInputStickerSet_InputStickerSetShortName

type TypeInputStickerSet_InputStickerSetShortName struct {
	InputStickerSetShortName *PredInputStickerSetShortName `protobuf:"bytes,3,opt,name=InputStickerSetShortName,oneof"`
}

type TypeInputStickeredMedia

type TypeInputStickeredMedia struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputStickeredMedia_InputStickeredMediaPhoto
	//	*TypeInputStickeredMedia_InputStickeredMediaDocument
	Value                isTypeInputStickeredMedia_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                        `json:"-"`
	XXX_unrecognized     []byte                          `json:"-"`
	XXX_sizecache        int32                           `json:"-"`
}

func (*TypeInputStickeredMedia) Descriptor

func (*TypeInputStickeredMedia) Descriptor() ([]byte, []int)

func (*TypeInputStickeredMedia) GetInputStickeredMediaDocument

func (m *TypeInputStickeredMedia) GetInputStickeredMediaDocument() *PredInputStickeredMediaDocument

func (*TypeInputStickeredMedia) GetInputStickeredMediaPhoto

func (m *TypeInputStickeredMedia) GetInputStickeredMediaPhoto() *PredInputStickeredMediaPhoto

func (*TypeInputStickeredMedia) GetValue

func (m *TypeInputStickeredMedia) GetValue() isTypeInputStickeredMedia_Value

func (*TypeInputStickeredMedia) ProtoMessage

func (*TypeInputStickeredMedia) ProtoMessage()

func (*TypeInputStickeredMedia) Reset

func (m *TypeInputStickeredMedia) Reset()

func (*TypeInputStickeredMedia) String

func (m *TypeInputStickeredMedia) String() string

func (*TypeInputStickeredMedia) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputStickeredMedia) XXX_DiscardUnknown()

func (*TypeInputStickeredMedia) XXX_Marshal added in v0.4.1

func (m *TypeInputStickeredMedia) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputStickeredMedia) XXX_Merge added in v0.4.1

func (dst *TypeInputStickeredMedia) XXX_Merge(src proto.Message)

func (*TypeInputStickeredMedia) XXX_OneofFuncs

func (*TypeInputStickeredMedia) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputStickeredMedia) XXX_Size added in v0.4.1

func (m *TypeInputStickeredMedia) XXX_Size() int

func (*TypeInputStickeredMedia) XXX_Unmarshal added in v0.4.1

func (m *TypeInputStickeredMedia) XXX_Unmarshal(b []byte) error

type TypeInputStickeredMedia_InputStickeredMediaDocument

type TypeInputStickeredMedia_InputStickeredMediaDocument struct {
	InputStickeredMediaDocument *PredInputStickeredMediaDocument `protobuf:"bytes,2,opt,name=InputStickeredMediaDocument,oneof"`
}

type TypeInputStickeredMedia_InputStickeredMediaPhoto

type TypeInputStickeredMedia_InputStickeredMediaPhoto struct {
	InputStickeredMediaPhoto *PredInputStickeredMediaPhoto `protobuf:"bytes,1,opt,name=InputStickeredMediaPhoto,oneof"`
}

type TypeInputUser

type TypeInputUser struct {
	// Types that are valid to be assigned to Value:
	//	*TypeInputUser_InputUserEmpty
	//	*TypeInputUser_InputUserSelf
	//	*TypeInputUser_InputUser
	Value                isTypeInputUser_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeInputUser) Descriptor

func (*TypeInputUser) Descriptor() ([]byte, []int)

func (*TypeInputUser) GetInputUser

func (m *TypeInputUser) GetInputUser() *PredInputUser

func (*TypeInputUser) GetInputUserEmpty

func (m *TypeInputUser) GetInputUserEmpty() *PredInputUserEmpty

func (*TypeInputUser) GetInputUserSelf

func (m *TypeInputUser) GetInputUserSelf() *PredInputUserSelf

func (*TypeInputUser) GetValue

func (m *TypeInputUser) GetValue() isTypeInputUser_Value

func (*TypeInputUser) ProtoMessage

func (*TypeInputUser) ProtoMessage()

func (*TypeInputUser) Reset

func (m *TypeInputUser) Reset()

func (*TypeInputUser) String

func (m *TypeInputUser) String() string

func (*TypeInputUser) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputUser) XXX_DiscardUnknown()

func (*TypeInputUser) XXX_Marshal added in v0.4.1

func (m *TypeInputUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputUser) XXX_Merge added in v0.4.1

func (dst *TypeInputUser) XXX_Merge(src proto.Message)

func (*TypeInputUser) XXX_OneofFuncs

func (*TypeInputUser) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeInputUser) XXX_Size added in v0.4.1

func (m *TypeInputUser) XXX_Size() int

func (*TypeInputUser) XXX_Unmarshal added in v0.4.1

func (m *TypeInputUser) XXX_Unmarshal(b []byte) error

type TypeInputUser_InputUser

type TypeInputUser_InputUser struct {
	InputUser *PredInputUser `protobuf:"bytes,3,opt,name=InputUser,oneof"`
}

type TypeInputUser_InputUserEmpty

type TypeInputUser_InputUserEmpty struct {
	InputUserEmpty *PredInputUserEmpty `protobuf:"bytes,1,opt,name=InputUserEmpty,oneof"`
}

type TypeInputUser_InputUserSelf

type TypeInputUser_InputUserSelf struct {
	InputUserSelf *PredInputUserSelf `protobuf:"bytes,2,opt,name=InputUserSelf,oneof"`
}

type TypeInputWebDocument

type TypeInputWebDocument struct {
	Value                *PredInputWebDocument `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeInputWebDocument) Descriptor

func (*TypeInputWebDocument) Descriptor() ([]byte, []int)

func (*TypeInputWebDocument) GetValue

func (*TypeInputWebDocument) ProtoMessage

func (*TypeInputWebDocument) ProtoMessage()

func (*TypeInputWebDocument) Reset

func (m *TypeInputWebDocument) Reset()

func (*TypeInputWebDocument) String

func (m *TypeInputWebDocument) String() string

func (*TypeInputWebDocument) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputWebDocument) XXX_DiscardUnknown()

func (*TypeInputWebDocument) XXX_Marshal added in v0.4.1

func (m *TypeInputWebDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputWebDocument) XXX_Merge added in v0.4.1

func (dst *TypeInputWebDocument) XXX_Merge(src proto.Message)

func (*TypeInputWebDocument) XXX_Size added in v0.4.1

func (m *TypeInputWebDocument) XXX_Size() int

func (*TypeInputWebDocument) XXX_Unmarshal added in v0.4.1

func (m *TypeInputWebDocument) XXX_Unmarshal(b []byte) error

type TypeInputWebFileLocation

type TypeInputWebFileLocation struct {
	Value                *PredInputWebFileLocation `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeInputWebFileLocation) Descriptor

func (*TypeInputWebFileLocation) Descriptor() ([]byte, []int)

func (*TypeInputWebFileLocation) GetValue

func (*TypeInputWebFileLocation) ProtoMessage

func (*TypeInputWebFileLocation) ProtoMessage()

func (*TypeInputWebFileLocation) Reset

func (m *TypeInputWebFileLocation) Reset()

func (*TypeInputWebFileLocation) String

func (m *TypeInputWebFileLocation) String() string

func (*TypeInputWebFileLocation) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInputWebFileLocation) XXX_DiscardUnknown()

func (*TypeInputWebFileLocation) XXX_Marshal added in v0.4.1

func (m *TypeInputWebFileLocation) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInputWebFileLocation) XXX_Merge added in v0.4.1

func (dst *TypeInputWebFileLocation) XXX_Merge(src proto.Message)

func (*TypeInputWebFileLocation) XXX_Size added in v0.4.1

func (m *TypeInputWebFileLocation) XXX_Size() int

func (*TypeInputWebFileLocation) XXX_Unmarshal added in v0.4.1

func (m *TypeInputWebFileLocation) XXX_Unmarshal(b []byte) error

type TypeInvoice

type TypeInvoice struct {
	Value                *PredInvoice `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*TypeInvoice) Descriptor

func (*TypeInvoice) Descriptor() ([]byte, []int)

func (*TypeInvoice) GetValue

func (m *TypeInvoice) GetValue() *PredInvoice

func (*TypeInvoice) ProtoMessage

func (*TypeInvoice) ProtoMessage()

func (*TypeInvoice) Reset

func (m *TypeInvoice) Reset()

func (*TypeInvoice) String

func (m *TypeInvoice) String() string

func (*TypeInvoice) XXX_DiscardUnknown added in v0.4.1

func (m *TypeInvoice) XXX_DiscardUnknown()

func (*TypeInvoice) XXX_Marshal added in v0.4.1

func (m *TypeInvoice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeInvoice) XXX_Merge added in v0.4.1

func (dst *TypeInvoice) XXX_Merge(src proto.Message)

func (*TypeInvoice) XXX_Size added in v0.4.1

func (m *TypeInvoice) XXX_Size() int

func (*TypeInvoice) XXX_Unmarshal added in v0.4.1

func (m *TypeInvoice) XXX_Unmarshal(b []byte) error

type TypeKeyboardButton

type TypeKeyboardButton struct {
	// Types that are valid to be assigned to Value:
	//	*TypeKeyboardButton_KeyboardButton
	//	*TypeKeyboardButton_KeyboardButtonUrl
	//	*TypeKeyboardButton_KeyboardButtonCallback
	//	*TypeKeyboardButton_KeyboardButtonRequestPhone
	//	*TypeKeyboardButton_KeyboardButtonRequestGeoLocation
	//	*TypeKeyboardButton_KeyboardButtonSwitchInline
	//	*TypeKeyboardButton_KeyboardButtonGame
	//	*TypeKeyboardButton_KeyboardButtonBuy
	Value                isTypeKeyboardButton_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeKeyboardButton) Descriptor

func (*TypeKeyboardButton) Descriptor() ([]byte, []int)

func (*TypeKeyboardButton) GetKeyboardButton

func (m *TypeKeyboardButton) GetKeyboardButton() *PredKeyboardButton

func (*TypeKeyboardButton) GetKeyboardButtonBuy

func (m *TypeKeyboardButton) GetKeyboardButtonBuy() *PredKeyboardButtonBuy

func (*TypeKeyboardButton) GetKeyboardButtonCallback

func (m *TypeKeyboardButton) GetKeyboardButtonCallback() *PredKeyboardButtonCallback

func (*TypeKeyboardButton) GetKeyboardButtonGame

func (m *TypeKeyboardButton) GetKeyboardButtonGame() *PredKeyboardButtonGame

func (*TypeKeyboardButton) GetKeyboardButtonRequestGeoLocation

func (m *TypeKeyboardButton) GetKeyboardButtonRequestGeoLocation() *PredKeyboardButtonRequestGeoLocation

func (*TypeKeyboardButton) GetKeyboardButtonRequestPhone

func (m *TypeKeyboardButton) GetKeyboardButtonRequestPhone() *PredKeyboardButtonRequestPhone

func (*TypeKeyboardButton) GetKeyboardButtonSwitchInline

func (m *TypeKeyboardButton) GetKeyboardButtonSwitchInline() *PredKeyboardButtonSwitchInline

func (*TypeKeyboardButton) GetKeyboardButtonUrl

func (m *TypeKeyboardButton) GetKeyboardButtonUrl() *PredKeyboardButtonUrl

func (*TypeKeyboardButton) GetValue

func (m *TypeKeyboardButton) GetValue() isTypeKeyboardButton_Value

func (*TypeKeyboardButton) ProtoMessage

func (*TypeKeyboardButton) ProtoMessage()

func (*TypeKeyboardButton) Reset

func (m *TypeKeyboardButton) Reset()

func (*TypeKeyboardButton) String

func (m *TypeKeyboardButton) String() string

func (*TypeKeyboardButton) XXX_DiscardUnknown added in v0.4.1

func (m *TypeKeyboardButton) XXX_DiscardUnknown()

func (*TypeKeyboardButton) XXX_Marshal added in v0.4.1

func (m *TypeKeyboardButton) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeKeyboardButton) XXX_Merge added in v0.4.1

func (dst *TypeKeyboardButton) XXX_Merge(src proto.Message)

func (*TypeKeyboardButton) XXX_OneofFuncs

func (*TypeKeyboardButton) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeKeyboardButton) XXX_Size added in v0.4.1

func (m *TypeKeyboardButton) XXX_Size() int

func (*TypeKeyboardButton) XXX_Unmarshal added in v0.4.1

func (m *TypeKeyboardButton) XXX_Unmarshal(b []byte) error

type TypeKeyboardButtonRow

type TypeKeyboardButtonRow struct {
	Value                *PredKeyboardButtonRow `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeKeyboardButtonRow) Descriptor

func (*TypeKeyboardButtonRow) Descriptor() ([]byte, []int)

func (*TypeKeyboardButtonRow) GetValue

func (*TypeKeyboardButtonRow) ProtoMessage

func (*TypeKeyboardButtonRow) ProtoMessage()

func (*TypeKeyboardButtonRow) Reset

func (m *TypeKeyboardButtonRow) Reset()

func (*TypeKeyboardButtonRow) String

func (m *TypeKeyboardButtonRow) String() string

func (*TypeKeyboardButtonRow) XXX_DiscardUnknown added in v0.4.1

func (m *TypeKeyboardButtonRow) XXX_DiscardUnknown()

func (*TypeKeyboardButtonRow) XXX_Marshal added in v0.4.1

func (m *TypeKeyboardButtonRow) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeKeyboardButtonRow) XXX_Merge added in v0.4.1

func (dst *TypeKeyboardButtonRow) XXX_Merge(src proto.Message)

func (*TypeKeyboardButtonRow) XXX_Size added in v0.4.1

func (m *TypeKeyboardButtonRow) XXX_Size() int

func (*TypeKeyboardButtonRow) XXX_Unmarshal added in v0.4.1

func (m *TypeKeyboardButtonRow) XXX_Unmarshal(b []byte) error

type TypeKeyboardButton_KeyboardButton

type TypeKeyboardButton_KeyboardButton struct {
	KeyboardButton *PredKeyboardButton `protobuf:"bytes,1,opt,name=KeyboardButton,oneof"`
}

type TypeKeyboardButton_KeyboardButtonBuy

type TypeKeyboardButton_KeyboardButtonBuy struct {
	KeyboardButtonBuy *PredKeyboardButtonBuy `protobuf:"bytes,8,opt,name=KeyboardButtonBuy,oneof"`
}

type TypeKeyboardButton_KeyboardButtonCallback

type TypeKeyboardButton_KeyboardButtonCallback struct {
	KeyboardButtonCallback *PredKeyboardButtonCallback `protobuf:"bytes,3,opt,name=KeyboardButtonCallback,oneof"`
}

type TypeKeyboardButton_KeyboardButtonGame

type TypeKeyboardButton_KeyboardButtonGame struct {
	KeyboardButtonGame *PredKeyboardButtonGame `protobuf:"bytes,7,opt,name=KeyboardButtonGame,oneof"`
}

type TypeKeyboardButton_KeyboardButtonRequestGeoLocation

type TypeKeyboardButton_KeyboardButtonRequestGeoLocation struct {
	KeyboardButtonRequestGeoLocation *PredKeyboardButtonRequestGeoLocation `protobuf:"bytes,5,opt,name=KeyboardButtonRequestGeoLocation,oneof"`
}

type TypeKeyboardButton_KeyboardButtonRequestPhone

type TypeKeyboardButton_KeyboardButtonRequestPhone struct {
	KeyboardButtonRequestPhone *PredKeyboardButtonRequestPhone `protobuf:"bytes,4,opt,name=KeyboardButtonRequestPhone,oneof"`
}

type TypeKeyboardButton_KeyboardButtonSwitchInline

type TypeKeyboardButton_KeyboardButtonSwitchInline struct {
	KeyboardButtonSwitchInline *PredKeyboardButtonSwitchInline `protobuf:"bytes,6,opt,name=KeyboardButtonSwitchInline,oneof"`
}

type TypeKeyboardButton_KeyboardButtonUrl

type TypeKeyboardButton_KeyboardButtonUrl struct {
	KeyboardButtonUrl *PredKeyboardButtonUrl `protobuf:"bytes,2,opt,name=KeyboardButtonUrl,oneof"`
}

type TypeLabeledPrice

type TypeLabeledPrice struct {
	Value                *PredLabeledPrice `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeLabeledPrice) Descriptor

func (*TypeLabeledPrice) Descriptor() ([]byte, []int)

func (*TypeLabeledPrice) GetValue

func (m *TypeLabeledPrice) GetValue() *PredLabeledPrice

func (*TypeLabeledPrice) ProtoMessage

func (*TypeLabeledPrice) ProtoMessage()

func (*TypeLabeledPrice) Reset

func (m *TypeLabeledPrice) Reset()

func (*TypeLabeledPrice) String

func (m *TypeLabeledPrice) String() string

func (*TypeLabeledPrice) XXX_DiscardUnknown added in v0.4.1

func (m *TypeLabeledPrice) XXX_DiscardUnknown()

func (*TypeLabeledPrice) XXX_Marshal added in v0.4.1

func (m *TypeLabeledPrice) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeLabeledPrice) XXX_Merge added in v0.4.1

func (dst *TypeLabeledPrice) XXX_Merge(src proto.Message)

func (*TypeLabeledPrice) XXX_Size added in v0.4.1

func (m *TypeLabeledPrice) XXX_Size() int

func (*TypeLabeledPrice) XXX_Unmarshal added in v0.4.1

func (m *TypeLabeledPrice) XXX_Unmarshal(b []byte) error

type TypeLangPackDifference

type TypeLangPackDifference struct {
	Value                *PredLangPackDifference `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeLangPackDifference) Descriptor

func (*TypeLangPackDifference) Descriptor() ([]byte, []int)

func (*TypeLangPackDifference) GetValue

func (*TypeLangPackDifference) ProtoMessage

func (*TypeLangPackDifference) ProtoMessage()

func (*TypeLangPackDifference) Reset

func (m *TypeLangPackDifference) Reset()

func (*TypeLangPackDifference) String

func (m *TypeLangPackDifference) String() string

func (*TypeLangPackDifference) XXX_DiscardUnknown added in v0.4.1

func (m *TypeLangPackDifference) XXX_DiscardUnknown()

func (*TypeLangPackDifference) XXX_Marshal added in v0.4.1

func (m *TypeLangPackDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeLangPackDifference) XXX_Merge added in v0.4.1

func (dst *TypeLangPackDifference) XXX_Merge(src proto.Message)

func (*TypeLangPackDifference) XXX_Size added in v0.4.1

func (m *TypeLangPackDifference) XXX_Size() int

func (*TypeLangPackDifference) XXX_Unmarshal added in v0.4.1

func (m *TypeLangPackDifference) XXX_Unmarshal(b []byte) error

type TypeLangPackLanguage

type TypeLangPackLanguage struct {
	Value                *PredLangPackLanguage `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeLangPackLanguage) Descriptor

func (*TypeLangPackLanguage) Descriptor() ([]byte, []int)

func (*TypeLangPackLanguage) GetValue

func (*TypeLangPackLanguage) ProtoMessage

func (*TypeLangPackLanguage) ProtoMessage()

func (*TypeLangPackLanguage) Reset

func (m *TypeLangPackLanguage) Reset()

func (*TypeLangPackLanguage) String

func (m *TypeLangPackLanguage) String() string

func (*TypeLangPackLanguage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeLangPackLanguage) XXX_DiscardUnknown()

func (*TypeLangPackLanguage) XXX_Marshal added in v0.4.1

func (m *TypeLangPackLanguage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeLangPackLanguage) XXX_Merge added in v0.4.1

func (dst *TypeLangPackLanguage) XXX_Merge(src proto.Message)

func (*TypeLangPackLanguage) XXX_Size added in v0.4.1

func (m *TypeLangPackLanguage) XXX_Size() int

func (*TypeLangPackLanguage) XXX_Unmarshal added in v0.4.1

func (m *TypeLangPackLanguage) XXX_Unmarshal(b []byte) error

type TypeLangPackString

type TypeLangPackString struct {
	// Types that are valid to be assigned to Value:
	//	*TypeLangPackString_LangPackString
	//	*TypeLangPackString_LangPackStringPluralized
	//	*TypeLangPackString_LangPackStringDeleted
	Value                isTypeLangPackString_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeLangPackString) Descriptor

func (*TypeLangPackString) Descriptor() ([]byte, []int)

func (*TypeLangPackString) GetLangPackString

func (m *TypeLangPackString) GetLangPackString() *PredLangPackString

func (*TypeLangPackString) GetLangPackStringDeleted

func (m *TypeLangPackString) GetLangPackStringDeleted() *PredLangPackStringDeleted

func (*TypeLangPackString) GetLangPackStringPluralized

func (m *TypeLangPackString) GetLangPackStringPluralized() *PredLangPackStringPluralized

func (*TypeLangPackString) GetValue

func (m *TypeLangPackString) GetValue() isTypeLangPackString_Value

func (*TypeLangPackString) ProtoMessage

func (*TypeLangPackString) ProtoMessage()

func (*TypeLangPackString) Reset

func (m *TypeLangPackString) Reset()

func (*TypeLangPackString) String

func (m *TypeLangPackString) String() string

func (*TypeLangPackString) XXX_DiscardUnknown added in v0.4.1

func (m *TypeLangPackString) XXX_DiscardUnknown()

func (*TypeLangPackString) XXX_Marshal added in v0.4.1

func (m *TypeLangPackString) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeLangPackString) XXX_Merge added in v0.4.1

func (dst *TypeLangPackString) XXX_Merge(src proto.Message)

func (*TypeLangPackString) XXX_OneofFuncs

func (*TypeLangPackString) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeLangPackString) XXX_Size added in v0.4.1

func (m *TypeLangPackString) XXX_Size() int

func (*TypeLangPackString) XXX_Unmarshal added in v0.4.1

func (m *TypeLangPackString) XXX_Unmarshal(b []byte) error

type TypeLangPackString_LangPackString

type TypeLangPackString_LangPackString struct {
	LangPackString *PredLangPackString `protobuf:"bytes,1,opt,name=LangPackString,oneof"`
}

type TypeLangPackString_LangPackStringDeleted

type TypeLangPackString_LangPackStringDeleted struct {
	LangPackStringDeleted *PredLangPackStringDeleted `protobuf:"bytes,3,opt,name=LangPackStringDeleted,oneof"`
}

type TypeLangPackString_LangPackStringPluralized

type TypeLangPackString_LangPackStringPluralized struct {
	LangPackStringPluralized *PredLangPackStringPluralized `protobuf:"bytes,2,opt,name=LangPackStringPluralized,oneof"`
}

type TypeMaskCoords

type TypeMaskCoords struct {
	Value                *PredMaskCoords `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*TypeMaskCoords) Descriptor

func (*TypeMaskCoords) Descriptor() ([]byte, []int)

func (*TypeMaskCoords) GetValue

func (m *TypeMaskCoords) GetValue() *PredMaskCoords

func (*TypeMaskCoords) ProtoMessage

func (*TypeMaskCoords) ProtoMessage()

func (*TypeMaskCoords) Reset

func (m *TypeMaskCoords) Reset()

func (*TypeMaskCoords) String

func (m *TypeMaskCoords) String() string

func (*TypeMaskCoords) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMaskCoords) XXX_DiscardUnknown()

func (*TypeMaskCoords) XXX_Marshal added in v0.4.1

func (m *TypeMaskCoords) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMaskCoords) XXX_Merge added in v0.4.1

func (dst *TypeMaskCoords) XXX_Merge(src proto.Message)

func (*TypeMaskCoords) XXX_Size added in v0.4.1

func (m *TypeMaskCoords) XXX_Size() int

func (*TypeMaskCoords) XXX_Unmarshal added in v0.4.1

func (m *TypeMaskCoords) XXX_Unmarshal(b []byte) error

type TypeMessage

type TypeMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessage_MessageEmpty
	//	*TypeMessage_Message
	//	*TypeMessage_MessageService
	Value                isTypeMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeMessage) Descriptor

func (*TypeMessage) Descriptor() ([]byte, []int)

func (*TypeMessage) GetMessage

func (m *TypeMessage) GetMessage() *PredMessage

func (*TypeMessage) GetMessageEmpty

func (m *TypeMessage) GetMessageEmpty() *PredMessageEmpty

func (*TypeMessage) GetMessageService

func (m *TypeMessage) GetMessageService() *PredMessageService

func (*TypeMessage) GetValue

func (m *TypeMessage) GetValue() isTypeMessage_Value

func (*TypeMessage) ProtoMessage

func (*TypeMessage) ProtoMessage()

func (*TypeMessage) Reset

func (m *TypeMessage) Reset()

func (*TypeMessage) String

func (m *TypeMessage) String() string

func (*TypeMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessage) XXX_DiscardUnknown()

func (*TypeMessage) XXX_Marshal added in v0.4.1

func (m *TypeMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessage) XXX_Merge added in v0.4.1

func (dst *TypeMessage) XXX_Merge(src proto.Message)

func (*TypeMessage) XXX_OneofFuncs

func (*TypeMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessage) XXX_Size added in v0.4.1

func (m *TypeMessage) XXX_Size() int

func (*TypeMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeMessage) XXX_Unmarshal(b []byte) error

type TypeMessageAction

type TypeMessageAction struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessageAction_MessageActionEmpty
	//	*TypeMessageAction_MessageActionChatCreate
	//	*TypeMessageAction_MessageActionChatEditTitle
	//	*TypeMessageAction_MessageActionChatEditPhoto
	//	*TypeMessageAction_MessageActionChatDeletePhoto
	//	*TypeMessageAction_MessageActionChatAddUser
	//	*TypeMessageAction_MessageActionChatDeleteUser
	//	*TypeMessageAction_MessageActionChatJoinedByLink
	//	*TypeMessageAction_MessageActionChannelCreate
	//	*TypeMessageAction_MessageActionChatMigrateTo
	//	*TypeMessageAction_MessageActionChannelMigrateFrom
	//	*TypeMessageAction_MessageActionPinMessage
	//	*TypeMessageAction_MessageActionHistoryClear
	//	*TypeMessageAction_MessageActionGameScore
	//	*TypeMessageAction_MessageActionPhoneCall
	//	*TypeMessageAction_MessageActionPaymentSentMe
	//	*TypeMessageAction_MessageActionPaymentSent
	//	*TypeMessageAction_MessageActionScreenshotTaken
	Value                isTypeMessageAction_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeMessageAction) Descriptor

func (*TypeMessageAction) Descriptor() ([]byte, []int)

func (*TypeMessageAction) GetMessageActionChannelCreate

func (m *TypeMessageAction) GetMessageActionChannelCreate() *PredMessageActionChannelCreate

func (*TypeMessageAction) GetMessageActionChannelMigrateFrom

func (m *TypeMessageAction) GetMessageActionChannelMigrateFrom() *PredMessageActionChannelMigrateFrom

func (*TypeMessageAction) GetMessageActionChatAddUser

func (m *TypeMessageAction) GetMessageActionChatAddUser() *PredMessageActionChatAddUser

func (*TypeMessageAction) GetMessageActionChatCreate

func (m *TypeMessageAction) GetMessageActionChatCreate() *PredMessageActionChatCreate

func (*TypeMessageAction) GetMessageActionChatDeletePhoto

func (m *TypeMessageAction) GetMessageActionChatDeletePhoto() *PredMessageActionChatDeletePhoto

func (*TypeMessageAction) GetMessageActionChatDeleteUser

func (m *TypeMessageAction) GetMessageActionChatDeleteUser() *PredMessageActionChatDeleteUser

func (*TypeMessageAction) GetMessageActionChatEditPhoto

func (m *TypeMessageAction) GetMessageActionChatEditPhoto() *PredMessageActionChatEditPhoto

func (*TypeMessageAction) GetMessageActionChatEditTitle

func (m *TypeMessageAction) GetMessageActionChatEditTitle() *PredMessageActionChatEditTitle
func (m *TypeMessageAction) GetMessageActionChatJoinedByLink() *PredMessageActionChatJoinedByLink

func (*TypeMessageAction) GetMessageActionChatMigrateTo

func (m *TypeMessageAction) GetMessageActionChatMigrateTo() *PredMessageActionChatMigrateTo

func (*TypeMessageAction) GetMessageActionEmpty

func (m *TypeMessageAction) GetMessageActionEmpty() *PredMessageActionEmpty

func (*TypeMessageAction) GetMessageActionGameScore

func (m *TypeMessageAction) GetMessageActionGameScore() *PredMessageActionGameScore

func (*TypeMessageAction) GetMessageActionHistoryClear

func (m *TypeMessageAction) GetMessageActionHistoryClear() *PredMessageActionHistoryClear

func (*TypeMessageAction) GetMessageActionPaymentSent

func (m *TypeMessageAction) GetMessageActionPaymentSent() *PredMessageActionPaymentSent

func (*TypeMessageAction) GetMessageActionPaymentSentMe

func (m *TypeMessageAction) GetMessageActionPaymentSentMe() *PredMessageActionPaymentSentMe

func (*TypeMessageAction) GetMessageActionPhoneCall

func (m *TypeMessageAction) GetMessageActionPhoneCall() *PredMessageActionPhoneCall

func (*TypeMessageAction) GetMessageActionPinMessage

func (m *TypeMessageAction) GetMessageActionPinMessage() *PredMessageActionPinMessage

func (*TypeMessageAction) GetMessageActionScreenshotTaken

func (m *TypeMessageAction) GetMessageActionScreenshotTaken() *PredMessageActionScreenshotTaken

func (*TypeMessageAction) GetValue

func (m *TypeMessageAction) GetValue() isTypeMessageAction_Value

func (*TypeMessageAction) ProtoMessage

func (*TypeMessageAction) ProtoMessage()

func (*TypeMessageAction) Reset

func (m *TypeMessageAction) Reset()

func (*TypeMessageAction) String

func (m *TypeMessageAction) String() string

func (*TypeMessageAction) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessageAction) XXX_DiscardUnknown()

func (*TypeMessageAction) XXX_Marshal added in v0.4.1

func (m *TypeMessageAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessageAction) XXX_Merge added in v0.4.1

func (dst *TypeMessageAction) XXX_Merge(src proto.Message)

func (*TypeMessageAction) XXX_OneofFuncs

func (*TypeMessageAction) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessageAction) XXX_Size added in v0.4.1

func (m *TypeMessageAction) XXX_Size() int

func (*TypeMessageAction) XXX_Unmarshal added in v0.4.1

func (m *TypeMessageAction) XXX_Unmarshal(b []byte) error

type TypeMessageAction_MessageActionChannelCreate

type TypeMessageAction_MessageActionChannelCreate struct {
	MessageActionChannelCreate *PredMessageActionChannelCreate `protobuf:"bytes,9,opt,name=MessageActionChannelCreate,oneof"`
}

type TypeMessageAction_MessageActionChannelMigrateFrom

type TypeMessageAction_MessageActionChannelMigrateFrom struct {
	MessageActionChannelMigrateFrom *PredMessageActionChannelMigrateFrom `protobuf:"bytes,11,opt,name=MessageActionChannelMigrateFrom,oneof"`
}

type TypeMessageAction_MessageActionChatAddUser

type TypeMessageAction_MessageActionChatAddUser struct {
	MessageActionChatAddUser *PredMessageActionChatAddUser `protobuf:"bytes,6,opt,name=MessageActionChatAddUser,oneof"`
}

type TypeMessageAction_MessageActionChatCreate

type TypeMessageAction_MessageActionChatCreate struct {
	MessageActionChatCreate *PredMessageActionChatCreate `protobuf:"bytes,2,opt,name=MessageActionChatCreate,oneof"`
}

type TypeMessageAction_MessageActionChatDeletePhoto

type TypeMessageAction_MessageActionChatDeletePhoto struct {
	MessageActionChatDeletePhoto *PredMessageActionChatDeletePhoto `protobuf:"bytes,5,opt,name=MessageActionChatDeletePhoto,oneof"`
}

type TypeMessageAction_MessageActionChatDeleteUser

type TypeMessageAction_MessageActionChatDeleteUser struct {
	MessageActionChatDeleteUser *PredMessageActionChatDeleteUser `protobuf:"bytes,7,opt,name=MessageActionChatDeleteUser,oneof"`
}

type TypeMessageAction_MessageActionChatEditPhoto

type TypeMessageAction_MessageActionChatEditPhoto struct {
	MessageActionChatEditPhoto *PredMessageActionChatEditPhoto `protobuf:"bytes,4,opt,name=MessageActionChatEditPhoto,oneof"`
}

type TypeMessageAction_MessageActionChatEditTitle

type TypeMessageAction_MessageActionChatEditTitle struct {
	MessageActionChatEditTitle *PredMessageActionChatEditTitle `protobuf:"bytes,3,opt,name=MessageActionChatEditTitle,oneof"`
}
type TypeMessageAction_MessageActionChatJoinedByLink struct {
	MessageActionChatJoinedByLink *PredMessageActionChatJoinedByLink `protobuf:"bytes,8,opt,name=MessageActionChatJoinedByLink,oneof"`
}

type TypeMessageAction_MessageActionChatMigrateTo

type TypeMessageAction_MessageActionChatMigrateTo struct {
	MessageActionChatMigrateTo *PredMessageActionChatMigrateTo `protobuf:"bytes,10,opt,name=MessageActionChatMigrateTo,oneof"`
}

type TypeMessageAction_MessageActionEmpty

type TypeMessageAction_MessageActionEmpty struct {
	MessageActionEmpty *PredMessageActionEmpty `protobuf:"bytes,1,opt,name=MessageActionEmpty,oneof"`
}

type TypeMessageAction_MessageActionGameScore

type TypeMessageAction_MessageActionGameScore struct {
	MessageActionGameScore *PredMessageActionGameScore `protobuf:"bytes,14,opt,name=MessageActionGameScore,oneof"`
}

type TypeMessageAction_MessageActionHistoryClear

type TypeMessageAction_MessageActionHistoryClear struct {
	MessageActionHistoryClear *PredMessageActionHistoryClear `protobuf:"bytes,13,opt,name=MessageActionHistoryClear,oneof"`
}

type TypeMessageAction_MessageActionPaymentSent

type TypeMessageAction_MessageActionPaymentSent struct {
	MessageActionPaymentSent *PredMessageActionPaymentSent `protobuf:"bytes,17,opt,name=MessageActionPaymentSent,oneof"`
}

type TypeMessageAction_MessageActionPaymentSentMe

type TypeMessageAction_MessageActionPaymentSentMe struct {
	MessageActionPaymentSentMe *PredMessageActionPaymentSentMe `protobuf:"bytes,16,opt,name=MessageActionPaymentSentMe,oneof"`
}

type TypeMessageAction_MessageActionPhoneCall

type TypeMessageAction_MessageActionPhoneCall struct {
	MessageActionPhoneCall *PredMessageActionPhoneCall `protobuf:"bytes,15,opt,name=MessageActionPhoneCall,oneof"`
}

type TypeMessageAction_MessageActionPinMessage

type TypeMessageAction_MessageActionPinMessage struct {
	MessageActionPinMessage *PredMessageActionPinMessage `protobuf:"bytes,12,opt,name=MessageActionPinMessage,oneof"`
}

type TypeMessageAction_MessageActionScreenshotTaken

type TypeMessageAction_MessageActionScreenshotTaken struct {
	MessageActionScreenshotTaken *PredMessageActionScreenshotTaken `protobuf:"bytes,18,opt,name=MessageActionScreenshotTaken,oneof"`
}

type TypeMessageEntity

type TypeMessageEntity struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessageEntity_MessageEntityUnknown
	//	*TypeMessageEntity_MessageEntityMention
	//	*TypeMessageEntity_MessageEntityHashtag
	//	*TypeMessageEntity_MessageEntityBotCommand
	//	*TypeMessageEntity_MessageEntityUrl
	//	*TypeMessageEntity_MessageEntityEmail
	//	*TypeMessageEntity_MessageEntityBold
	//	*TypeMessageEntity_MessageEntityItalic
	//	*TypeMessageEntity_MessageEntityCode
	//	*TypeMessageEntity_MessageEntityPre
	//	*TypeMessageEntity_MessageEntityTextUrl
	//	*TypeMessageEntity_MessageEntityMentionName
	//	*TypeMessageEntity_InputMessageEntityMentionName
	Value                isTypeMessageEntity_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeMessageEntity) Descriptor

func (*TypeMessageEntity) Descriptor() ([]byte, []int)

func (*TypeMessageEntity) GetInputMessageEntityMentionName

func (m *TypeMessageEntity) GetInputMessageEntityMentionName() *PredInputMessageEntityMentionName

func (*TypeMessageEntity) GetMessageEntityBold

func (m *TypeMessageEntity) GetMessageEntityBold() *PredMessageEntityBold

func (*TypeMessageEntity) GetMessageEntityBotCommand

func (m *TypeMessageEntity) GetMessageEntityBotCommand() *PredMessageEntityBotCommand

func (*TypeMessageEntity) GetMessageEntityCode

func (m *TypeMessageEntity) GetMessageEntityCode() *PredMessageEntityCode

func (*TypeMessageEntity) GetMessageEntityEmail

func (m *TypeMessageEntity) GetMessageEntityEmail() *PredMessageEntityEmail

func (*TypeMessageEntity) GetMessageEntityHashtag

func (m *TypeMessageEntity) GetMessageEntityHashtag() *PredMessageEntityHashtag

func (*TypeMessageEntity) GetMessageEntityItalic

func (m *TypeMessageEntity) GetMessageEntityItalic() *PredMessageEntityItalic

func (*TypeMessageEntity) GetMessageEntityMention

func (m *TypeMessageEntity) GetMessageEntityMention() *PredMessageEntityMention

func (*TypeMessageEntity) GetMessageEntityMentionName

func (m *TypeMessageEntity) GetMessageEntityMentionName() *PredMessageEntityMentionName

func (*TypeMessageEntity) GetMessageEntityPre

func (m *TypeMessageEntity) GetMessageEntityPre() *PredMessageEntityPre

func (*TypeMessageEntity) GetMessageEntityTextUrl

func (m *TypeMessageEntity) GetMessageEntityTextUrl() *PredMessageEntityTextUrl

func (*TypeMessageEntity) GetMessageEntityUnknown

func (m *TypeMessageEntity) GetMessageEntityUnknown() *PredMessageEntityUnknown

func (*TypeMessageEntity) GetMessageEntityUrl

func (m *TypeMessageEntity) GetMessageEntityUrl() *PredMessageEntityUrl

func (*TypeMessageEntity) GetValue

func (m *TypeMessageEntity) GetValue() isTypeMessageEntity_Value

func (*TypeMessageEntity) ProtoMessage

func (*TypeMessageEntity) ProtoMessage()

func (*TypeMessageEntity) Reset

func (m *TypeMessageEntity) Reset()

func (*TypeMessageEntity) String

func (m *TypeMessageEntity) String() string

func (*TypeMessageEntity) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessageEntity) XXX_DiscardUnknown()

func (*TypeMessageEntity) XXX_Marshal added in v0.4.1

func (m *TypeMessageEntity) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessageEntity) XXX_Merge added in v0.4.1

func (dst *TypeMessageEntity) XXX_Merge(src proto.Message)

func (*TypeMessageEntity) XXX_OneofFuncs

func (*TypeMessageEntity) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessageEntity) XXX_Size added in v0.4.1

func (m *TypeMessageEntity) XXX_Size() int

func (*TypeMessageEntity) XXX_Unmarshal added in v0.4.1

func (m *TypeMessageEntity) XXX_Unmarshal(b []byte) error

type TypeMessageEntity_InputMessageEntityMentionName

type TypeMessageEntity_InputMessageEntityMentionName struct {
	InputMessageEntityMentionName *PredInputMessageEntityMentionName `protobuf:"bytes,13,opt,name=InputMessageEntityMentionName,oneof"`
}

type TypeMessageEntity_MessageEntityBold

type TypeMessageEntity_MessageEntityBold struct {
	MessageEntityBold *PredMessageEntityBold `protobuf:"bytes,7,opt,name=MessageEntityBold,oneof"`
}

type TypeMessageEntity_MessageEntityBotCommand

type TypeMessageEntity_MessageEntityBotCommand struct {
	MessageEntityBotCommand *PredMessageEntityBotCommand `protobuf:"bytes,4,opt,name=MessageEntityBotCommand,oneof"`
}

type TypeMessageEntity_MessageEntityCode

type TypeMessageEntity_MessageEntityCode struct {
	MessageEntityCode *PredMessageEntityCode `protobuf:"bytes,9,opt,name=MessageEntityCode,oneof"`
}

type TypeMessageEntity_MessageEntityEmail

type TypeMessageEntity_MessageEntityEmail struct {
	MessageEntityEmail *PredMessageEntityEmail `protobuf:"bytes,6,opt,name=MessageEntityEmail,oneof"`
}

type TypeMessageEntity_MessageEntityHashtag

type TypeMessageEntity_MessageEntityHashtag struct {
	MessageEntityHashtag *PredMessageEntityHashtag `protobuf:"bytes,3,opt,name=MessageEntityHashtag,oneof"`
}

type TypeMessageEntity_MessageEntityItalic

type TypeMessageEntity_MessageEntityItalic struct {
	MessageEntityItalic *PredMessageEntityItalic `protobuf:"bytes,8,opt,name=MessageEntityItalic,oneof"`
}

type TypeMessageEntity_MessageEntityMention

type TypeMessageEntity_MessageEntityMention struct {
	MessageEntityMention *PredMessageEntityMention `protobuf:"bytes,2,opt,name=MessageEntityMention,oneof"`
}

type TypeMessageEntity_MessageEntityMentionName

type TypeMessageEntity_MessageEntityMentionName struct {
	MessageEntityMentionName *PredMessageEntityMentionName `protobuf:"bytes,12,opt,name=MessageEntityMentionName,oneof"`
}

type TypeMessageEntity_MessageEntityPre

type TypeMessageEntity_MessageEntityPre struct {
	MessageEntityPre *PredMessageEntityPre `protobuf:"bytes,10,opt,name=MessageEntityPre,oneof"`
}

type TypeMessageEntity_MessageEntityTextUrl

type TypeMessageEntity_MessageEntityTextUrl struct {
	MessageEntityTextUrl *PredMessageEntityTextUrl `protobuf:"bytes,11,opt,name=MessageEntityTextUrl,oneof"`
}

type TypeMessageEntity_MessageEntityUnknown

type TypeMessageEntity_MessageEntityUnknown struct {
	MessageEntityUnknown *PredMessageEntityUnknown `protobuf:"bytes,1,opt,name=MessageEntityUnknown,oneof"`
}

type TypeMessageEntity_MessageEntityUrl

type TypeMessageEntity_MessageEntityUrl struct {
	MessageEntityUrl *PredMessageEntityUrl `protobuf:"bytes,5,opt,name=MessageEntityUrl,oneof"`
}

type TypeMessageFwdHeader

type TypeMessageFwdHeader struct {
	Value                *PredMessageFwdHeader `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeMessageFwdHeader) Descriptor

func (*TypeMessageFwdHeader) Descriptor() ([]byte, []int)

func (*TypeMessageFwdHeader) GetValue

func (*TypeMessageFwdHeader) ProtoMessage

func (*TypeMessageFwdHeader) ProtoMessage()

func (*TypeMessageFwdHeader) Reset

func (m *TypeMessageFwdHeader) Reset()

func (*TypeMessageFwdHeader) String

func (m *TypeMessageFwdHeader) String() string

func (*TypeMessageFwdHeader) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessageFwdHeader) XXX_DiscardUnknown()

func (*TypeMessageFwdHeader) XXX_Marshal added in v0.4.1

func (m *TypeMessageFwdHeader) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessageFwdHeader) XXX_Merge added in v0.4.1

func (dst *TypeMessageFwdHeader) XXX_Merge(src proto.Message)

func (*TypeMessageFwdHeader) XXX_Size added in v0.4.1

func (m *TypeMessageFwdHeader) XXX_Size() int

func (*TypeMessageFwdHeader) XXX_Unmarshal added in v0.4.1

func (m *TypeMessageFwdHeader) XXX_Unmarshal(b []byte) error

type TypeMessageMedia

type TypeMessageMedia struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessageMedia_MessageMediaEmpty
	//	*TypeMessageMedia_MessageMediaPhoto
	//	*TypeMessageMedia_MessageMediaGeo
	//	*TypeMessageMedia_MessageMediaContact
	//	*TypeMessageMedia_MessageMediaUnsupported
	//	*TypeMessageMedia_MessageMediaDocument
	//	*TypeMessageMedia_MessageMediaWebPage
	//	*TypeMessageMedia_MessageMediaVenue
	//	*TypeMessageMedia_MessageMediaGame
	//	*TypeMessageMedia_MessageMediaInvoice
	Value                isTypeMessageMedia_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeMessageMedia) Descriptor

func (*TypeMessageMedia) Descriptor() ([]byte, []int)

func (*TypeMessageMedia) GetMessageMediaContact

func (m *TypeMessageMedia) GetMessageMediaContact() *PredMessageMediaContact

func (*TypeMessageMedia) GetMessageMediaDocument

func (m *TypeMessageMedia) GetMessageMediaDocument() *PredMessageMediaDocument

func (*TypeMessageMedia) GetMessageMediaEmpty

func (m *TypeMessageMedia) GetMessageMediaEmpty() *PredMessageMediaEmpty

func (*TypeMessageMedia) GetMessageMediaGame

func (m *TypeMessageMedia) GetMessageMediaGame() *PredMessageMediaGame

func (*TypeMessageMedia) GetMessageMediaGeo

func (m *TypeMessageMedia) GetMessageMediaGeo() *PredMessageMediaGeo

func (*TypeMessageMedia) GetMessageMediaInvoice

func (m *TypeMessageMedia) GetMessageMediaInvoice() *PredMessageMediaInvoice

func (*TypeMessageMedia) GetMessageMediaPhoto

func (m *TypeMessageMedia) GetMessageMediaPhoto() *PredMessageMediaPhoto

func (*TypeMessageMedia) GetMessageMediaUnsupported

func (m *TypeMessageMedia) GetMessageMediaUnsupported() *PredMessageMediaUnsupported

func (*TypeMessageMedia) GetMessageMediaVenue

func (m *TypeMessageMedia) GetMessageMediaVenue() *PredMessageMediaVenue

func (*TypeMessageMedia) GetMessageMediaWebPage

func (m *TypeMessageMedia) GetMessageMediaWebPage() *PredMessageMediaWebPage

func (*TypeMessageMedia) GetValue

func (m *TypeMessageMedia) GetValue() isTypeMessageMedia_Value

func (*TypeMessageMedia) ProtoMessage

func (*TypeMessageMedia) ProtoMessage()

func (*TypeMessageMedia) Reset

func (m *TypeMessageMedia) Reset()

func (*TypeMessageMedia) String

func (m *TypeMessageMedia) String() string

func (*TypeMessageMedia) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessageMedia) XXX_DiscardUnknown()

func (*TypeMessageMedia) XXX_Marshal added in v0.4.1

func (m *TypeMessageMedia) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessageMedia) XXX_Merge added in v0.4.1

func (dst *TypeMessageMedia) XXX_Merge(src proto.Message)

func (*TypeMessageMedia) XXX_OneofFuncs

func (*TypeMessageMedia) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessageMedia) XXX_Size added in v0.4.1

func (m *TypeMessageMedia) XXX_Size() int

func (*TypeMessageMedia) XXX_Unmarshal added in v0.4.1

func (m *TypeMessageMedia) XXX_Unmarshal(b []byte) error

type TypeMessageMedia_MessageMediaContact

type TypeMessageMedia_MessageMediaContact struct {
	MessageMediaContact *PredMessageMediaContact `protobuf:"bytes,4,opt,name=MessageMediaContact,oneof"`
}

type TypeMessageMedia_MessageMediaDocument

type TypeMessageMedia_MessageMediaDocument struct {
	MessageMediaDocument *PredMessageMediaDocument `protobuf:"bytes,6,opt,name=MessageMediaDocument,oneof"`
}

type TypeMessageMedia_MessageMediaEmpty

type TypeMessageMedia_MessageMediaEmpty struct {
	MessageMediaEmpty *PredMessageMediaEmpty `protobuf:"bytes,1,opt,name=MessageMediaEmpty,oneof"`
}

type TypeMessageMedia_MessageMediaGame

type TypeMessageMedia_MessageMediaGame struct {
	MessageMediaGame *PredMessageMediaGame `protobuf:"bytes,9,opt,name=MessageMediaGame,oneof"`
}

type TypeMessageMedia_MessageMediaGeo

type TypeMessageMedia_MessageMediaGeo struct {
	MessageMediaGeo *PredMessageMediaGeo `protobuf:"bytes,3,opt,name=MessageMediaGeo,oneof"`
}

type TypeMessageMedia_MessageMediaInvoice

type TypeMessageMedia_MessageMediaInvoice struct {
	MessageMediaInvoice *PredMessageMediaInvoice `protobuf:"bytes,10,opt,name=MessageMediaInvoice,oneof"`
}

type TypeMessageMedia_MessageMediaPhoto

type TypeMessageMedia_MessageMediaPhoto struct {
	MessageMediaPhoto *PredMessageMediaPhoto `protobuf:"bytes,2,opt,name=MessageMediaPhoto,oneof"`
}

type TypeMessageMedia_MessageMediaUnsupported

type TypeMessageMedia_MessageMediaUnsupported struct {
	MessageMediaUnsupported *PredMessageMediaUnsupported `protobuf:"bytes,5,opt,name=MessageMediaUnsupported,oneof"`
}

type TypeMessageMedia_MessageMediaVenue

type TypeMessageMedia_MessageMediaVenue struct {
	MessageMediaVenue *PredMessageMediaVenue `protobuf:"bytes,8,opt,name=MessageMediaVenue,oneof"`
}

type TypeMessageMedia_MessageMediaWebPage

type TypeMessageMedia_MessageMediaWebPage struct {
	MessageMediaWebPage *PredMessageMediaWebPage `protobuf:"bytes,7,opt,name=MessageMediaWebPage,oneof"`
}

type TypeMessageRange

type TypeMessageRange struct {
	Value                *PredMessageRange `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeMessageRange) Descriptor

func (*TypeMessageRange) Descriptor() ([]byte, []int)

func (*TypeMessageRange) GetValue

func (m *TypeMessageRange) GetValue() *PredMessageRange

func (*TypeMessageRange) ProtoMessage

func (*TypeMessageRange) ProtoMessage()

func (*TypeMessageRange) Reset

func (m *TypeMessageRange) Reset()

func (*TypeMessageRange) String

func (m *TypeMessageRange) String() string

func (*TypeMessageRange) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessageRange) XXX_DiscardUnknown()

func (*TypeMessageRange) XXX_Marshal added in v0.4.1

func (m *TypeMessageRange) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessageRange) XXX_Merge added in v0.4.1

func (dst *TypeMessageRange) XXX_Merge(src proto.Message)

func (*TypeMessageRange) XXX_Size added in v0.4.1

func (m *TypeMessageRange) XXX_Size() int

func (*TypeMessageRange) XXX_Unmarshal added in v0.4.1

func (m *TypeMessageRange) XXX_Unmarshal(b []byte) error

type TypeMessage_Message

type TypeMessage_Message struct {
	Message *PredMessage `protobuf:"bytes,2,opt,name=Message,oneof"`
}

type TypeMessage_MessageEmpty

type TypeMessage_MessageEmpty struct {
	MessageEmpty *PredMessageEmpty `protobuf:"bytes,1,opt,name=MessageEmpty,oneof"`
}

type TypeMessage_MessageService

type TypeMessage_MessageService struct {
	MessageService *PredMessageService `protobuf:"bytes,3,opt,name=MessageService,oneof"`
}

type TypeMessagesAffectedHistory

type TypeMessagesAffectedHistory struct {
	Value                *PredMessagesAffectedHistory `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeMessagesAffectedHistory) Descriptor

func (*TypeMessagesAffectedHistory) Descriptor() ([]byte, []int)

func (*TypeMessagesAffectedHistory) GetValue

func (*TypeMessagesAffectedHistory) ProtoMessage

func (*TypeMessagesAffectedHistory) ProtoMessage()

func (*TypeMessagesAffectedHistory) Reset

func (m *TypeMessagesAffectedHistory) Reset()

func (*TypeMessagesAffectedHistory) String

func (m *TypeMessagesAffectedHistory) String() string

func (*TypeMessagesAffectedHistory) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesAffectedHistory) XXX_DiscardUnknown()

func (*TypeMessagesAffectedHistory) XXX_Marshal added in v0.4.1

func (m *TypeMessagesAffectedHistory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesAffectedHistory) XXX_Merge added in v0.4.1

func (dst *TypeMessagesAffectedHistory) XXX_Merge(src proto.Message)

func (*TypeMessagesAffectedHistory) XXX_Size added in v0.4.1

func (m *TypeMessagesAffectedHistory) XXX_Size() int

func (*TypeMessagesAffectedHistory) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesAffectedHistory) XXX_Unmarshal(b []byte) error

type TypeMessagesAffectedMessages

type TypeMessagesAffectedMessages struct {
	Value                *PredMessagesAffectedMessages `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeMessagesAffectedMessages) Descriptor

func (*TypeMessagesAffectedMessages) Descriptor() ([]byte, []int)

func (*TypeMessagesAffectedMessages) GetValue

func (*TypeMessagesAffectedMessages) ProtoMessage

func (*TypeMessagesAffectedMessages) ProtoMessage()

func (*TypeMessagesAffectedMessages) Reset

func (m *TypeMessagesAffectedMessages) Reset()

func (*TypeMessagesAffectedMessages) String

func (*TypeMessagesAffectedMessages) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesAffectedMessages) XXX_DiscardUnknown()

func (*TypeMessagesAffectedMessages) XXX_Marshal added in v0.4.1

func (m *TypeMessagesAffectedMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesAffectedMessages) XXX_Merge added in v0.4.1

func (dst *TypeMessagesAffectedMessages) XXX_Merge(src proto.Message)

func (*TypeMessagesAffectedMessages) XXX_Size added in v0.4.1

func (m *TypeMessagesAffectedMessages) XXX_Size() int

func (*TypeMessagesAffectedMessages) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesAffectedMessages) XXX_Unmarshal(b []byte) error

type TypeMessagesAllStickers

type TypeMessagesAllStickers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesAllStickers_MessagesAllStickersNotModified
	//	*TypeMessagesAllStickers_MessagesAllStickers
	Value                isTypeMessagesAllStickers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                        `json:"-"`
	XXX_unrecognized     []byte                          `json:"-"`
	XXX_sizecache        int32                           `json:"-"`
}

func (*TypeMessagesAllStickers) Descriptor

func (*TypeMessagesAllStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesAllStickers) GetMessagesAllStickers

func (m *TypeMessagesAllStickers) GetMessagesAllStickers() *PredMessagesAllStickers

func (*TypeMessagesAllStickers) GetMessagesAllStickersNotModified

func (m *TypeMessagesAllStickers) GetMessagesAllStickersNotModified() *PredMessagesAllStickersNotModified

func (*TypeMessagesAllStickers) GetValue

func (m *TypeMessagesAllStickers) GetValue() isTypeMessagesAllStickers_Value

func (*TypeMessagesAllStickers) ProtoMessage

func (*TypeMessagesAllStickers) ProtoMessage()

func (*TypeMessagesAllStickers) Reset

func (m *TypeMessagesAllStickers) Reset()

func (*TypeMessagesAllStickers) String

func (m *TypeMessagesAllStickers) String() string

func (*TypeMessagesAllStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesAllStickers) XXX_DiscardUnknown()

func (*TypeMessagesAllStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesAllStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesAllStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesAllStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesAllStickers) XXX_OneofFuncs

func (*TypeMessagesAllStickers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesAllStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesAllStickers) XXX_Size() int

func (*TypeMessagesAllStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesAllStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesAllStickers_MessagesAllStickers

type TypeMessagesAllStickers_MessagesAllStickers struct {
	MessagesAllStickers *PredMessagesAllStickers `protobuf:"bytes,2,opt,name=MessagesAllStickers,oneof"`
}

type TypeMessagesAllStickers_MessagesAllStickersNotModified

type TypeMessagesAllStickers_MessagesAllStickersNotModified struct {
	MessagesAllStickersNotModified *PredMessagesAllStickersNotModified `protobuf:"bytes,1,opt,name=MessagesAllStickersNotModified,oneof"`
}

type TypeMessagesArchivedStickers

type TypeMessagesArchivedStickers struct {
	Value                *PredMessagesArchivedStickers `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeMessagesArchivedStickers) Descriptor

func (*TypeMessagesArchivedStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesArchivedStickers) GetValue

func (*TypeMessagesArchivedStickers) ProtoMessage

func (*TypeMessagesArchivedStickers) ProtoMessage()

func (*TypeMessagesArchivedStickers) Reset

func (m *TypeMessagesArchivedStickers) Reset()

func (*TypeMessagesArchivedStickers) String

func (*TypeMessagesArchivedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesArchivedStickers) XXX_DiscardUnknown()

func (*TypeMessagesArchivedStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesArchivedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesArchivedStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesArchivedStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesArchivedStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesArchivedStickers) XXX_Size() int

func (*TypeMessagesArchivedStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesArchivedStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesBotCallbackAnswer

type TypeMessagesBotCallbackAnswer struct {
	Value                *PredMessagesBotCallbackAnswer `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypeMessagesBotCallbackAnswer) Descriptor

func (*TypeMessagesBotCallbackAnswer) Descriptor() ([]byte, []int)

func (*TypeMessagesBotCallbackAnswer) GetValue

func (*TypeMessagesBotCallbackAnswer) ProtoMessage

func (*TypeMessagesBotCallbackAnswer) ProtoMessage()

func (*TypeMessagesBotCallbackAnswer) Reset

func (m *TypeMessagesBotCallbackAnswer) Reset()

func (*TypeMessagesBotCallbackAnswer) String

func (*TypeMessagesBotCallbackAnswer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesBotCallbackAnswer) XXX_DiscardUnknown()

func (*TypeMessagesBotCallbackAnswer) XXX_Marshal added in v0.4.1

func (m *TypeMessagesBotCallbackAnswer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesBotCallbackAnswer) XXX_Merge added in v0.4.1

func (dst *TypeMessagesBotCallbackAnswer) XXX_Merge(src proto.Message)

func (*TypeMessagesBotCallbackAnswer) XXX_Size added in v0.4.1

func (m *TypeMessagesBotCallbackAnswer) XXX_Size() int

func (*TypeMessagesBotCallbackAnswer) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesBotCallbackAnswer) XXX_Unmarshal(b []byte) error

type TypeMessagesBotResults

type TypeMessagesBotResults struct {
	Value                *PredMessagesBotResults `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeMessagesBotResults) Descriptor

func (*TypeMessagesBotResults) Descriptor() ([]byte, []int)

func (*TypeMessagesBotResults) GetValue

func (*TypeMessagesBotResults) ProtoMessage

func (*TypeMessagesBotResults) ProtoMessage()

func (*TypeMessagesBotResults) Reset

func (m *TypeMessagesBotResults) Reset()

func (*TypeMessagesBotResults) String

func (m *TypeMessagesBotResults) String() string

func (*TypeMessagesBotResults) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesBotResults) XXX_DiscardUnknown()

func (*TypeMessagesBotResults) XXX_Marshal added in v0.4.1

func (m *TypeMessagesBotResults) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesBotResults) XXX_Merge added in v0.4.1

func (dst *TypeMessagesBotResults) XXX_Merge(src proto.Message)

func (*TypeMessagesBotResults) XXX_Size added in v0.4.1

func (m *TypeMessagesBotResults) XXX_Size() int

func (*TypeMessagesBotResults) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesBotResults) XXX_Unmarshal(b []byte) error

type TypeMessagesChatFull

type TypeMessagesChatFull struct {
	Value                *PredMessagesChatFull `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeMessagesChatFull) Descriptor

func (*TypeMessagesChatFull) Descriptor() ([]byte, []int)

func (*TypeMessagesChatFull) GetValue

func (*TypeMessagesChatFull) ProtoMessage

func (*TypeMessagesChatFull) ProtoMessage()

func (*TypeMessagesChatFull) Reset

func (m *TypeMessagesChatFull) Reset()

func (*TypeMessagesChatFull) String

func (m *TypeMessagesChatFull) String() string

func (*TypeMessagesChatFull) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesChatFull) XXX_DiscardUnknown()

func (*TypeMessagesChatFull) XXX_Marshal added in v0.4.1

func (m *TypeMessagesChatFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesChatFull) XXX_Merge added in v0.4.1

func (dst *TypeMessagesChatFull) XXX_Merge(src proto.Message)

func (*TypeMessagesChatFull) XXX_Size added in v0.4.1

func (m *TypeMessagesChatFull) XXX_Size() int

func (*TypeMessagesChatFull) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesChatFull) XXX_Unmarshal(b []byte) error

type TypeMessagesChats

type TypeMessagesChats struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesChats_MessagesChats
	//	*TypeMessagesChats_MessagesChatsSlice
	Value                isTypeMessagesChats_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeMessagesChats) Descriptor

func (*TypeMessagesChats) Descriptor() ([]byte, []int)

func (*TypeMessagesChats) GetMessagesChats

func (m *TypeMessagesChats) GetMessagesChats() *PredMessagesChats

func (*TypeMessagesChats) GetMessagesChatsSlice

func (m *TypeMessagesChats) GetMessagesChatsSlice() *PredMessagesChatsSlice

func (*TypeMessagesChats) GetValue

func (m *TypeMessagesChats) GetValue() isTypeMessagesChats_Value

func (*TypeMessagesChats) ProtoMessage

func (*TypeMessagesChats) ProtoMessage()

func (*TypeMessagesChats) Reset

func (m *TypeMessagesChats) Reset()

func (*TypeMessagesChats) String

func (m *TypeMessagesChats) String() string

func (*TypeMessagesChats) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesChats) XXX_DiscardUnknown()

func (*TypeMessagesChats) XXX_Marshal added in v0.4.1

func (m *TypeMessagesChats) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesChats) XXX_Merge added in v0.4.1

func (dst *TypeMessagesChats) XXX_Merge(src proto.Message)

func (*TypeMessagesChats) XXX_OneofFuncs

func (*TypeMessagesChats) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesChats) XXX_Size added in v0.4.1

func (m *TypeMessagesChats) XXX_Size() int

func (*TypeMessagesChats) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesChats) XXX_Unmarshal(b []byte) error

type TypeMessagesChats_MessagesChats

type TypeMessagesChats_MessagesChats struct {
	MessagesChats *PredMessagesChats `protobuf:"bytes,1,opt,name=MessagesChats,oneof"`
}

type TypeMessagesChats_MessagesChatsSlice

type TypeMessagesChats_MessagesChatsSlice struct {
	MessagesChatsSlice *PredMessagesChatsSlice `protobuf:"bytes,2,opt,name=MessagesChatsSlice,oneof"`
}

type TypeMessagesDhConfig

type TypeMessagesDhConfig struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesDhConfig_MessagesDhConfigNotModified
	//	*TypeMessagesDhConfig_MessagesDhConfig
	Value                isTypeMessagesDhConfig_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeMessagesDhConfig) Descriptor

func (*TypeMessagesDhConfig) Descriptor() ([]byte, []int)

func (*TypeMessagesDhConfig) GetMessagesDhConfig

func (m *TypeMessagesDhConfig) GetMessagesDhConfig() *PredMessagesDhConfig

func (*TypeMessagesDhConfig) GetMessagesDhConfigNotModified

func (m *TypeMessagesDhConfig) GetMessagesDhConfigNotModified() *PredMessagesDhConfigNotModified

func (*TypeMessagesDhConfig) GetValue

func (m *TypeMessagesDhConfig) GetValue() isTypeMessagesDhConfig_Value

func (*TypeMessagesDhConfig) ProtoMessage

func (*TypeMessagesDhConfig) ProtoMessage()

func (*TypeMessagesDhConfig) Reset

func (m *TypeMessagesDhConfig) Reset()

func (*TypeMessagesDhConfig) String

func (m *TypeMessagesDhConfig) String() string

func (*TypeMessagesDhConfig) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesDhConfig) XXX_DiscardUnknown()

func (*TypeMessagesDhConfig) XXX_Marshal added in v0.4.1

func (m *TypeMessagesDhConfig) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesDhConfig) XXX_Merge added in v0.4.1

func (dst *TypeMessagesDhConfig) XXX_Merge(src proto.Message)

func (*TypeMessagesDhConfig) XXX_OneofFuncs

func (*TypeMessagesDhConfig) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesDhConfig) XXX_Size added in v0.4.1

func (m *TypeMessagesDhConfig) XXX_Size() int

func (*TypeMessagesDhConfig) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesDhConfig) XXX_Unmarshal(b []byte) error

type TypeMessagesDhConfig_MessagesDhConfig

type TypeMessagesDhConfig_MessagesDhConfig struct {
	MessagesDhConfig *PredMessagesDhConfig `protobuf:"bytes,2,opt,name=MessagesDhConfig,oneof"`
}

type TypeMessagesDhConfig_MessagesDhConfigNotModified

type TypeMessagesDhConfig_MessagesDhConfigNotModified struct {
	MessagesDhConfigNotModified *PredMessagesDhConfigNotModified `protobuf:"bytes,1,opt,name=MessagesDhConfigNotModified,oneof"`
}

type TypeMessagesDialogs

type TypeMessagesDialogs struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesDialogs_MessagesDialogs
	//	*TypeMessagesDialogs_MessagesDialogsSlice
	Value                isTypeMessagesDialogs_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeMessagesDialogs) Descriptor

func (*TypeMessagesDialogs) Descriptor() ([]byte, []int)

func (*TypeMessagesDialogs) GetMessagesDialogs

func (m *TypeMessagesDialogs) GetMessagesDialogs() *PredMessagesDialogs

func (*TypeMessagesDialogs) GetMessagesDialogsSlice

func (m *TypeMessagesDialogs) GetMessagesDialogsSlice() *PredMessagesDialogsSlice

func (*TypeMessagesDialogs) GetValue

func (m *TypeMessagesDialogs) GetValue() isTypeMessagesDialogs_Value

func (*TypeMessagesDialogs) ProtoMessage

func (*TypeMessagesDialogs) ProtoMessage()

func (*TypeMessagesDialogs) Reset

func (m *TypeMessagesDialogs) Reset()

func (*TypeMessagesDialogs) String

func (m *TypeMessagesDialogs) String() string

func (*TypeMessagesDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesDialogs) XXX_DiscardUnknown()

func (*TypeMessagesDialogs) XXX_Marshal added in v0.4.1

func (m *TypeMessagesDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesDialogs) XXX_Merge added in v0.4.1

func (dst *TypeMessagesDialogs) XXX_Merge(src proto.Message)

func (*TypeMessagesDialogs) XXX_OneofFuncs

func (*TypeMessagesDialogs) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesDialogs) XXX_Size added in v0.4.1

func (m *TypeMessagesDialogs) XXX_Size() int

func (*TypeMessagesDialogs) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesDialogs) XXX_Unmarshal(b []byte) error

type TypeMessagesDialogs_MessagesDialogs

type TypeMessagesDialogs_MessagesDialogs struct {
	MessagesDialogs *PredMessagesDialogs `protobuf:"bytes,1,opt,name=MessagesDialogs,oneof"`
}

type TypeMessagesDialogs_MessagesDialogsSlice

type TypeMessagesDialogs_MessagesDialogsSlice struct {
	MessagesDialogsSlice *PredMessagesDialogsSlice `protobuf:"bytes,2,opt,name=MessagesDialogsSlice,oneof"`
}

type TypeMessagesFavedStickers

type TypeMessagesFavedStickers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesFavedStickers_MessagesFavedStickers
	//	*TypeMessagesFavedStickers_MessagesFavedStickersNotModified
	Value                isTypeMessagesFavedStickers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypeMessagesFavedStickers) Descriptor

func (*TypeMessagesFavedStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesFavedStickers) GetMessagesFavedStickers

func (m *TypeMessagesFavedStickers) GetMessagesFavedStickers() *PredMessagesFavedStickers

func (*TypeMessagesFavedStickers) GetMessagesFavedStickersNotModified

func (m *TypeMessagesFavedStickers) GetMessagesFavedStickersNotModified() *PredMessagesFavedStickersNotModified

func (*TypeMessagesFavedStickers) GetValue

func (m *TypeMessagesFavedStickers) GetValue() isTypeMessagesFavedStickers_Value

func (*TypeMessagesFavedStickers) ProtoMessage

func (*TypeMessagesFavedStickers) ProtoMessage()

func (*TypeMessagesFavedStickers) Reset

func (m *TypeMessagesFavedStickers) Reset()

func (*TypeMessagesFavedStickers) String

func (m *TypeMessagesFavedStickers) String() string

func (*TypeMessagesFavedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesFavedStickers) XXX_DiscardUnknown()

func (*TypeMessagesFavedStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesFavedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesFavedStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesFavedStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesFavedStickers) XXX_OneofFuncs

func (*TypeMessagesFavedStickers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesFavedStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesFavedStickers) XXX_Size() int

func (*TypeMessagesFavedStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesFavedStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesFavedStickers_MessagesFavedStickers

type TypeMessagesFavedStickers_MessagesFavedStickers struct {
	MessagesFavedStickers *PredMessagesFavedStickers `protobuf:"bytes,1,opt,name=MessagesFavedStickers,oneof"`
}

type TypeMessagesFavedStickers_MessagesFavedStickersNotModified

type TypeMessagesFavedStickers_MessagesFavedStickersNotModified struct {
	MessagesFavedStickersNotModified *PredMessagesFavedStickersNotModified `protobuf:"bytes,2,opt,name=MessagesFavedStickersNotModified,oneof"`
}

type TypeMessagesFeaturedStickers

type TypeMessagesFeaturedStickers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesFeaturedStickers_MessagesFeaturedStickersNotModified
	//	*TypeMessagesFeaturedStickers_MessagesFeaturedStickers
	Value                isTypeMessagesFeaturedStickers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                             `json:"-"`
	XXX_unrecognized     []byte                               `json:"-"`
	XXX_sizecache        int32                                `json:"-"`
}

func (*TypeMessagesFeaturedStickers) Descriptor

func (*TypeMessagesFeaturedStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesFeaturedStickers) GetMessagesFeaturedStickers

func (m *TypeMessagesFeaturedStickers) GetMessagesFeaturedStickers() *PredMessagesFeaturedStickers

func (*TypeMessagesFeaturedStickers) GetMessagesFeaturedStickersNotModified

func (m *TypeMessagesFeaturedStickers) GetMessagesFeaturedStickersNotModified() *PredMessagesFeaturedStickersNotModified

func (*TypeMessagesFeaturedStickers) GetValue

func (m *TypeMessagesFeaturedStickers) GetValue() isTypeMessagesFeaturedStickers_Value

func (*TypeMessagesFeaturedStickers) ProtoMessage

func (*TypeMessagesFeaturedStickers) ProtoMessage()

func (*TypeMessagesFeaturedStickers) Reset

func (m *TypeMessagesFeaturedStickers) Reset()

func (*TypeMessagesFeaturedStickers) String

func (*TypeMessagesFeaturedStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesFeaturedStickers) XXX_DiscardUnknown()

func (*TypeMessagesFeaturedStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesFeaturedStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesFeaturedStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesFeaturedStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesFeaturedStickers) XXX_OneofFuncs

func (*TypeMessagesFeaturedStickers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesFeaturedStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesFeaturedStickers) XXX_Size() int

func (*TypeMessagesFeaturedStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesFeaturedStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesFeaturedStickers_MessagesFeaturedStickers

type TypeMessagesFeaturedStickers_MessagesFeaturedStickers struct {
	MessagesFeaturedStickers *PredMessagesFeaturedStickers `protobuf:"bytes,2,opt,name=MessagesFeaturedStickers,oneof"`
}

type TypeMessagesFeaturedStickers_MessagesFeaturedStickersNotModified

type TypeMessagesFeaturedStickers_MessagesFeaturedStickersNotModified struct {
	MessagesFeaturedStickersNotModified *PredMessagesFeaturedStickersNotModified `protobuf:"bytes,1,opt,name=MessagesFeaturedStickersNotModified,oneof"`
}

type TypeMessagesFilter

type TypeMessagesFilter struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesFilter_InputMessagesFilterEmpty
	//	*TypeMessagesFilter_InputMessagesFilterPhotos
	//	*TypeMessagesFilter_InputMessagesFilterVideo
	//	*TypeMessagesFilter_InputMessagesFilterPhotoVideo
	//	*TypeMessagesFilter_InputMessagesFilterDocument
	//	*TypeMessagesFilter_InputMessagesFilterPhotoVideoDocuments
	//	*TypeMessagesFilter_InputMessagesFilterUrl
	//	*TypeMessagesFilter_InputMessagesFilterGif
	//	*TypeMessagesFilter_InputMessagesFilterVoice
	//	*TypeMessagesFilter_InputMessagesFilterMusic
	//	*TypeMessagesFilter_InputMessagesFilterChatPhotos
	//	*TypeMessagesFilter_InputMessagesFilterPhoneCalls
	//	*TypeMessagesFilter_InputMessagesFilterRoundVoice
	//	*TypeMessagesFilter_InputMessagesFilterRoundVideo
	//	*TypeMessagesFilter_InputMessagesFilterMyMentions
	//	*TypeMessagesFilter_InputMessagesFilterMyMentionsUnread
	Value                isTypeMessagesFilter_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeMessagesFilter) Descriptor

func (*TypeMessagesFilter) Descriptor() ([]byte, []int)

func (*TypeMessagesFilter) GetInputMessagesFilterChatPhotos

func (m *TypeMessagesFilter) GetInputMessagesFilterChatPhotos() *PredInputMessagesFilterChatPhotos

func (*TypeMessagesFilter) GetInputMessagesFilterDocument

func (m *TypeMessagesFilter) GetInputMessagesFilterDocument() *PredInputMessagesFilterDocument

func (*TypeMessagesFilter) GetInputMessagesFilterEmpty

func (m *TypeMessagesFilter) GetInputMessagesFilterEmpty() *PredInputMessagesFilterEmpty

func (*TypeMessagesFilter) GetInputMessagesFilterGif

func (m *TypeMessagesFilter) GetInputMessagesFilterGif() *PredInputMessagesFilterGif

func (*TypeMessagesFilter) GetInputMessagesFilterMusic

func (m *TypeMessagesFilter) GetInputMessagesFilterMusic() *PredInputMessagesFilterMusic

func (*TypeMessagesFilter) GetInputMessagesFilterMyMentions

func (m *TypeMessagesFilter) GetInputMessagesFilterMyMentions() *PredInputMessagesFilterMyMentions

func (*TypeMessagesFilter) GetInputMessagesFilterMyMentionsUnread

func (m *TypeMessagesFilter) GetInputMessagesFilterMyMentionsUnread() *PredInputMessagesFilterMyMentionsUnread

func (*TypeMessagesFilter) GetInputMessagesFilterPhoneCalls

func (m *TypeMessagesFilter) GetInputMessagesFilterPhoneCalls() *PredInputMessagesFilterPhoneCalls

func (*TypeMessagesFilter) GetInputMessagesFilterPhotoVideo

func (m *TypeMessagesFilter) GetInputMessagesFilterPhotoVideo() *PredInputMessagesFilterPhotoVideo

func (*TypeMessagesFilter) GetInputMessagesFilterPhotoVideoDocuments

func (m *TypeMessagesFilter) GetInputMessagesFilterPhotoVideoDocuments() *PredInputMessagesFilterPhotoVideoDocuments

func (*TypeMessagesFilter) GetInputMessagesFilterPhotos

func (m *TypeMessagesFilter) GetInputMessagesFilterPhotos() *PredInputMessagesFilterPhotos

func (*TypeMessagesFilter) GetInputMessagesFilterRoundVideo

func (m *TypeMessagesFilter) GetInputMessagesFilterRoundVideo() *PredInputMessagesFilterRoundVideo

func (*TypeMessagesFilter) GetInputMessagesFilterRoundVoice

func (m *TypeMessagesFilter) GetInputMessagesFilterRoundVoice() *PredInputMessagesFilterRoundVoice

func (*TypeMessagesFilter) GetInputMessagesFilterUrl

func (m *TypeMessagesFilter) GetInputMessagesFilterUrl() *PredInputMessagesFilterUrl

func (*TypeMessagesFilter) GetInputMessagesFilterVideo

func (m *TypeMessagesFilter) GetInputMessagesFilterVideo() *PredInputMessagesFilterVideo

func (*TypeMessagesFilter) GetInputMessagesFilterVoice

func (m *TypeMessagesFilter) GetInputMessagesFilterVoice() *PredInputMessagesFilterVoice

func (*TypeMessagesFilter) GetValue

func (m *TypeMessagesFilter) GetValue() isTypeMessagesFilter_Value

func (*TypeMessagesFilter) ProtoMessage

func (*TypeMessagesFilter) ProtoMessage()

func (*TypeMessagesFilter) Reset

func (m *TypeMessagesFilter) Reset()

func (*TypeMessagesFilter) String

func (m *TypeMessagesFilter) String() string

func (*TypeMessagesFilter) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesFilter) XXX_DiscardUnknown()

func (*TypeMessagesFilter) XXX_Marshal added in v0.4.1

func (m *TypeMessagesFilter) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesFilter) XXX_Merge added in v0.4.1

func (dst *TypeMessagesFilter) XXX_Merge(src proto.Message)

func (*TypeMessagesFilter) XXX_OneofFuncs

func (*TypeMessagesFilter) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesFilter) XXX_Size added in v0.4.1

func (m *TypeMessagesFilter) XXX_Size() int

func (*TypeMessagesFilter) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesFilter) XXX_Unmarshal(b []byte) error

type TypeMessagesFilter_InputMessagesFilterChatPhotos

type TypeMessagesFilter_InputMessagesFilterChatPhotos struct {
	InputMessagesFilterChatPhotos *PredInputMessagesFilterChatPhotos `protobuf:"bytes,11,opt,name=InputMessagesFilterChatPhotos,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterDocument

type TypeMessagesFilter_InputMessagesFilterDocument struct {
	InputMessagesFilterDocument *PredInputMessagesFilterDocument `protobuf:"bytes,5,opt,name=InputMessagesFilterDocument,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterEmpty

type TypeMessagesFilter_InputMessagesFilterEmpty struct {
	InputMessagesFilterEmpty *PredInputMessagesFilterEmpty `protobuf:"bytes,1,opt,name=InputMessagesFilterEmpty,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterGif

type TypeMessagesFilter_InputMessagesFilterGif struct {
	InputMessagesFilterGif *PredInputMessagesFilterGif `protobuf:"bytes,8,opt,name=InputMessagesFilterGif,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterMusic

type TypeMessagesFilter_InputMessagesFilterMusic struct {
	InputMessagesFilterMusic *PredInputMessagesFilterMusic `protobuf:"bytes,10,opt,name=InputMessagesFilterMusic,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterMyMentions

type TypeMessagesFilter_InputMessagesFilterMyMentions struct {
	InputMessagesFilterMyMentions *PredInputMessagesFilterMyMentions `protobuf:"bytes,15,opt,name=InputMessagesFilterMyMentions,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterMyMentionsUnread

type TypeMessagesFilter_InputMessagesFilterMyMentionsUnread struct {
	InputMessagesFilterMyMentionsUnread *PredInputMessagesFilterMyMentionsUnread `protobuf:"bytes,16,opt,name=InputMessagesFilterMyMentionsUnread,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterPhoneCalls

type TypeMessagesFilter_InputMessagesFilterPhoneCalls struct {
	InputMessagesFilterPhoneCalls *PredInputMessagesFilterPhoneCalls `protobuf:"bytes,12,opt,name=InputMessagesFilterPhoneCalls,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterPhotoVideo

type TypeMessagesFilter_InputMessagesFilterPhotoVideo struct {
	InputMessagesFilterPhotoVideo *PredInputMessagesFilterPhotoVideo `protobuf:"bytes,4,opt,name=InputMessagesFilterPhotoVideo,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterPhotoVideoDocuments

type TypeMessagesFilter_InputMessagesFilterPhotoVideoDocuments struct {
	InputMessagesFilterPhotoVideoDocuments *PredInputMessagesFilterPhotoVideoDocuments `protobuf:"bytes,6,opt,name=InputMessagesFilterPhotoVideoDocuments,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterPhotos

type TypeMessagesFilter_InputMessagesFilterPhotos struct {
	InputMessagesFilterPhotos *PredInputMessagesFilterPhotos `protobuf:"bytes,2,opt,name=InputMessagesFilterPhotos,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterRoundVideo

type TypeMessagesFilter_InputMessagesFilterRoundVideo struct {
	InputMessagesFilterRoundVideo *PredInputMessagesFilterRoundVideo `protobuf:"bytes,14,opt,name=InputMessagesFilterRoundVideo,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterRoundVoice

type TypeMessagesFilter_InputMessagesFilterRoundVoice struct {
	InputMessagesFilterRoundVoice *PredInputMessagesFilterRoundVoice `protobuf:"bytes,13,opt,name=InputMessagesFilterRoundVoice,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterUrl

type TypeMessagesFilter_InputMessagesFilterUrl struct {
	InputMessagesFilterUrl *PredInputMessagesFilterUrl `protobuf:"bytes,7,opt,name=InputMessagesFilterUrl,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterVideo

type TypeMessagesFilter_InputMessagesFilterVideo struct {
	InputMessagesFilterVideo *PredInputMessagesFilterVideo `protobuf:"bytes,3,opt,name=InputMessagesFilterVideo,oneof"`
}

type TypeMessagesFilter_InputMessagesFilterVoice

type TypeMessagesFilter_InputMessagesFilterVoice struct {
	InputMessagesFilterVoice *PredInputMessagesFilterVoice `protobuf:"bytes,9,opt,name=InputMessagesFilterVoice,oneof"`
}

type TypeMessagesFoundGifs

type TypeMessagesFoundGifs struct {
	Value                *PredMessagesFoundGifs `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeMessagesFoundGifs) Descriptor

func (*TypeMessagesFoundGifs) Descriptor() ([]byte, []int)

func (*TypeMessagesFoundGifs) GetValue

func (*TypeMessagesFoundGifs) ProtoMessage

func (*TypeMessagesFoundGifs) ProtoMessage()

func (*TypeMessagesFoundGifs) Reset

func (m *TypeMessagesFoundGifs) Reset()

func (*TypeMessagesFoundGifs) String

func (m *TypeMessagesFoundGifs) String() string

func (*TypeMessagesFoundGifs) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesFoundGifs) XXX_DiscardUnknown()

func (*TypeMessagesFoundGifs) XXX_Marshal added in v0.4.1

func (m *TypeMessagesFoundGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesFoundGifs) XXX_Merge added in v0.4.1

func (dst *TypeMessagesFoundGifs) XXX_Merge(src proto.Message)

func (*TypeMessagesFoundGifs) XXX_Size added in v0.4.1

func (m *TypeMessagesFoundGifs) XXX_Size() int

func (*TypeMessagesFoundGifs) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesFoundGifs) XXX_Unmarshal(b []byte) error

type TypeMessagesHighScores

type TypeMessagesHighScores struct {
	Value                *PredMessagesHighScores `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeMessagesHighScores) Descriptor

func (*TypeMessagesHighScores) Descriptor() ([]byte, []int)

func (*TypeMessagesHighScores) GetValue

func (*TypeMessagesHighScores) ProtoMessage

func (*TypeMessagesHighScores) ProtoMessage()

func (*TypeMessagesHighScores) Reset

func (m *TypeMessagesHighScores) Reset()

func (*TypeMessagesHighScores) String

func (m *TypeMessagesHighScores) String() string

func (*TypeMessagesHighScores) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesHighScores) XXX_DiscardUnknown()

func (*TypeMessagesHighScores) XXX_Marshal added in v0.4.1

func (m *TypeMessagesHighScores) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesHighScores) XXX_Merge added in v0.4.1

func (dst *TypeMessagesHighScores) XXX_Merge(src proto.Message)

func (*TypeMessagesHighScores) XXX_Size added in v0.4.1

func (m *TypeMessagesHighScores) XXX_Size() int

func (*TypeMessagesHighScores) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesHighScores) XXX_Unmarshal(b []byte) error

type TypeMessagesMessageEditData

type TypeMessagesMessageEditData struct {
	Value                *PredMessagesMessageEditData `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeMessagesMessageEditData) Descriptor

func (*TypeMessagesMessageEditData) Descriptor() ([]byte, []int)

func (*TypeMessagesMessageEditData) GetValue

func (*TypeMessagesMessageEditData) ProtoMessage

func (*TypeMessagesMessageEditData) ProtoMessage()

func (*TypeMessagesMessageEditData) Reset

func (m *TypeMessagesMessageEditData) Reset()

func (*TypeMessagesMessageEditData) String

func (m *TypeMessagesMessageEditData) String() string

func (*TypeMessagesMessageEditData) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesMessageEditData) XXX_DiscardUnknown()

func (*TypeMessagesMessageEditData) XXX_Marshal added in v0.4.1

func (m *TypeMessagesMessageEditData) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesMessageEditData) XXX_Merge added in v0.4.1

func (dst *TypeMessagesMessageEditData) XXX_Merge(src proto.Message)

func (*TypeMessagesMessageEditData) XXX_Size added in v0.4.1

func (m *TypeMessagesMessageEditData) XXX_Size() int

func (*TypeMessagesMessageEditData) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesMessageEditData) XXX_Unmarshal(b []byte) error

type TypeMessagesMessages

type TypeMessagesMessages struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesMessages_MessagesMessages
	//	*TypeMessagesMessages_MessagesMessagesSlice
	//	*TypeMessagesMessages_MessagesChannelMessages
	Value                isTypeMessagesMessages_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeMessagesMessages) Descriptor

func (*TypeMessagesMessages) Descriptor() ([]byte, []int)

func (*TypeMessagesMessages) GetMessagesChannelMessages

func (m *TypeMessagesMessages) GetMessagesChannelMessages() *PredMessagesChannelMessages

func (*TypeMessagesMessages) GetMessagesMessages

func (m *TypeMessagesMessages) GetMessagesMessages() *PredMessagesMessages

func (*TypeMessagesMessages) GetMessagesMessagesSlice

func (m *TypeMessagesMessages) GetMessagesMessagesSlice() *PredMessagesMessagesSlice

func (*TypeMessagesMessages) GetValue

func (m *TypeMessagesMessages) GetValue() isTypeMessagesMessages_Value

func (*TypeMessagesMessages) ProtoMessage

func (*TypeMessagesMessages) ProtoMessage()

func (*TypeMessagesMessages) Reset

func (m *TypeMessagesMessages) Reset()

func (*TypeMessagesMessages) String

func (m *TypeMessagesMessages) String() string

func (*TypeMessagesMessages) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesMessages) XXX_DiscardUnknown()

func (*TypeMessagesMessages) XXX_Marshal added in v0.4.1

func (m *TypeMessagesMessages) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesMessages) XXX_Merge added in v0.4.1

func (dst *TypeMessagesMessages) XXX_Merge(src proto.Message)

func (*TypeMessagesMessages) XXX_OneofFuncs

func (*TypeMessagesMessages) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesMessages) XXX_Size added in v0.4.1

func (m *TypeMessagesMessages) XXX_Size() int

func (*TypeMessagesMessages) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesMessages) XXX_Unmarshal(b []byte) error

type TypeMessagesMessages_MessagesChannelMessages

type TypeMessagesMessages_MessagesChannelMessages struct {
	MessagesChannelMessages *PredMessagesChannelMessages `protobuf:"bytes,3,opt,name=MessagesChannelMessages,oneof"`
}

type TypeMessagesMessages_MessagesMessages

type TypeMessagesMessages_MessagesMessages struct {
	MessagesMessages *PredMessagesMessages `protobuf:"bytes,1,opt,name=MessagesMessages,oneof"`
}

type TypeMessagesMessages_MessagesMessagesSlice

type TypeMessagesMessages_MessagesMessagesSlice struct {
	MessagesMessagesSlice *PredMessagesMessagesSlice `protobuf:"bytes,2,opt,name=MessagesMessagesSlice,oneof"`
}

type TypeMessagesPeerDialogs

type TypeMessagesPeerDialogs struct {
	Value                *PredMessagesPeerDialogs `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeMessagesPeerDialogs) Descriptor

func (*TypeMessagesPeerDialogs) Descriptor() ([]byte, []int)

func (*TypeMessagesPeerDialogs) GetValue

func (*TypeMessagesPeerDialogs) ProtoMessage

func (*TypeMessagesPeerDialogs) ProtoMessage()

func (*TypeMessagesPeerDialogs) Reset

func (m *TypeMessagesPeerDialogs) Reset()

func (*TypeMessagesPeerDialogs) String

func (m *TypeMessagesPeerDialogs) String() string

func (*TypeMessagesPeerDialogs) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesPeerDialogs) XXX_DiscardUnknown()

func (*TypeMessagesPeerDialogs) XXX_Marshal added in v0.4.1

func (m *TypeMessagesPeerDialogs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesPeerDialogs) XXX_Merge added in v0.4.1

func (dst *TypeMessagesPeerDialogs) XXX_Merge(src proto.Message)

func (*TypeMessagesPeerDialogs) XXX_Size added in v0.4.1

func (m *TypeMessagesPeerDialogs) XXX_Size() int

func (*TypeMessagesPeerDialogs) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesPeerDialogs) XXX_Unmarshal(b []byte) error

type TypeMessagesRecentStickers

type TypeMessagesRecentStickers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesRecentStickers_MessagesRecentStickersNotModified
	//	*TypeMessagesRecentStickers_MessagesRecentStickers
	Value                isTypeMessagesRecentStickers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                           `json:"-"`
	XXX_unrecognized     []byte                             `json:"-"`
	XXX_sizecache        int32                              `json:"-"`
}

func (*TypeMessagesRecentStickers) Descriptor

func (*TypeMessagesRecentStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesRecentStickers) GetMessagesRecentStickers

func (m *TypeMessagesRecentStickers) GetMessagesRecentStickers() *PredMessagesRecentStickers

func (*TypeMessagesRecentStickers) GetMessagesRecentStickersNotModified

func (m *TypeMessagesRecentStickers) GetMessagesRecentStickersNotModified() *PredMessagesRecentStickersNotModified

func (*TypeMessagesRecentStickers) GetValue

func (m *TypeMessagesRecentStickers) GetValue() isTypeMessagesRecentStickers_Value

func (*TypeMessagesRecentStickers) ProtoMessage

func (*TypeMessagesRecentStickers) ProtoMessage()

func (*TypeMessagesRecentStickers) Reset

func (m *TypeMessagesRecentStickers) Reset()

func (*TypeMessagesRecentStickers) String

func (m *TypeMessagesRecentStickers) String() string

func (*TypeMessagesRecentStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesRecentStickers) XXX_DiscardUnknown()

func (*TypeMessagesRecentStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesRecentStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesRecentStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesRecentStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesRecentStickers) XXX_OneofFuncs

func (*TypeMessagesRecentStickers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesRecentStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesRecentStickers) XXX_Size() int

func (*TypeMessagesRecentStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesRecentStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesRecentStickers_MessagesRecentStickers

type TypeMessagesRecentStickers_MessagesRecentStickers struct {
	MessagesRecentStickers *PredMessagesRecentStickers `protobuf:"bytes,2,opt,name=MessagesRecentStickers,oneof"`
}

type TypeMessagesRecentStickers_MessagesRecentStickersNotModified

type TypeMessagesRecentStickers_MessagesRecentStickersNotModified struct {
	MessagesRecentStickersNotModified *PredMessagesRecentStickersNotModified `protobuf:"bytes,1,opt,name=MessagesRecentStickersNotModified,oneof"`
}

type TypeMessagesSavedGifs

type TypeMessagesSavedGifs struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesSavedGifs_MessagesSavedGifsNotModified
	//	*TypeMessagesSavedGifs_MessagesSavedGifs
	Value                isTypeMessagesSavedGifs_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeMessagesSavedGifs) Descriptor

func (*TypeMessagesSavedGifs) Descriptor() ([]byte, []int)

func (*TypeMessagesSavedGifs) GetMessagesSavedGifs

func (m *TypeMessagesSavedGifs) GetMessagesSavedGifs() *PredMessagesSavedGifs

func (*TypeMessagesSavedGifs) GetMessagesSavedGifsNotModified

func (m *TypeMessagesSavedGifs) GetMessagesSavedGifsNotModified() *PredMessagesSavedGifsNotModified

func (*TypeMessagesSavedGifs) GetValue

func (m *TypeMessagesSavedGifs) GetValue() isTypeMessagesSavedGifs_Value

func (*TypeMessagesSavedGifs) ProtoMessage

func (*TypeMessagesSavedGifs) ProtoMessage()

func (*TypeMessagesSavedGifs) Reset

func (m *TypeMessagesSavedGifs) Reset()

func (*TypeMessagesSavedGifs) String

func (m *TypeMessagesSavedGifs) String() string

func (*TypeMessagesSavedGifs) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesSavedGifs) XXX_DiscardUnknown()

func (*TypeMessagesSavedGifs) XXX_Marshal added in v0.4.1

func (m *TypeMessagesSavedGifs) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesSavedGifs) XXX_Merge added in v0.4.1

func (dst *TypeMessagesSavedGifs) XXX_Merge(src proto.Message)

func (*TypeMessagesSavedGifs) XXX_OneofFuncs

func (*TypeMessagesSavedGifs) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesSavedGifs) XXX_Size added in v0.4.1

func (m *TypeMessagesSavedGifs) XXX_Size() int

func (*TypeMessagesSavedGifs) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesSavedGifs) XXX_Unmarshal(b []byte) error

type TypeMessagesSavedGifs_MessagesSavedGifs

type TypeMessagesSavedGifs_MessagesSavedGifs struct {
	MessagesSavedGifs *PredMessagesSavedGifs `protobuf:"bytes,2,opt,name=MessagesSavedGifs,oneof"`
}

type TypeMessagesSavedGifs_MessagesSavedGifsNotModified

type TypeMessagesSavedGifs_MessagesSavedGifsNotModified struct {
	MessagesSavedGifsNotModified *PredMessagesSavedGifsNotModified `protobuf:"bytes,1,opt,name=MessagesSavedGifsNotModified,oneof"`
}

type TypeMessagesSentEncryptedMessage

type TypeMessagesSentEncryptedMessage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesSentEncryptedMessage_MessagesSentEncryptedMessage
	//	*TypeMessagesSentEncryptedMessage_MessagesSentEncryptedFile
	Value                isTypeMessagesSentEncryptedMessage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                                 `json:"-"`
	XXX_unrecognized     []byte                                   `json:"-"`
	XXX_sizecache        int32                                    `json:"-"`
}

func (*TypeMessagesSentEncryptedMessage) Descriptor

func (*TypeMessagesSentEncryptedMessage) Descriptor() ([]byte, []int)

func (*TypeMessagesSentEncryptedMessage) GetMessagesSentEncryptedFile

func (m *TypeMessagesSentEncryptedMessage) GetMessagesSentEncryptedFile() *PredMessagesSentEncryptedFile

func (*TypeMessagesSentEncryptedMessage) GetMessagesSentEncryptedMessage

func (m *TypeMessagesSentEncryptedMessage) GetMessagesSentEncryptedMessage() *PredMessagesSentEncryptedMessage

func (*TypeMessagesSentEncryptedMessage) GetValue

func (m *TypeMessagesSentEncryptedMessage) GetValue() isTypeMessagesSentEncryptedMessage_Value

func (*TypeMessagesSentEncryptedMessage) ProtoMessage

func (*TypeMessagesSentEncryptedMessage) ProtoMessage()

func (*TypeMessagesSentEncryptedMessage) Reset

func (*TypeMessagesSentEncryptedMessage) String

func (*TypeMessagesSentEncryptedMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesSentEncryptedMessage) XXX_DiscardUnknown()

func (*TypeMessagesSentEncryptedMessage) XXX_Marshal added in v0.4.1

func (m *TypeMessagesSentEncryptedMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesSentEncryptedMessage) XXX_Merge added in v0.4.1

func (dst *TypeMessagesSentEncryptedMessage) XXX_Merge(src proto.Message)

func (*TypeMessagesSentEncryptedMessage) XXX_OneofFuncs

func (*TypeMessagesSentEncryptedMessage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesSentEncryptedMessage) XXX_Size added in v0.4.1

func (m *TypeMessagesSentEncryptedMessage) XXX_Size() int

func (*TypeMessagesSentEncryptedMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesSentEncryptedMessage) XXX_Unmarshal(b []byte) error

type TypeMessagesSentEncryptedMessage_MessagesSentEncryptedFile

type TypeMessagesSentEncryptedMessage_MessagesSentEncryptedFile struct {
	MessagesSentEncryptedFile *PredMessagesSentEncryptedFile `protobuf:"bytes,2,opt,name=MessagesSentEncryptedFile,oneof"`
}

type TypeMessagesSentEncryptedMessage_MessagesSentEncryptedMessage

type TypeMessagesSentEncryptedMessage_MessagesSentEncryptedMessage struct {
	MessagesSentEncryptedMessage *PredMessagesSentEncryptedMessage `protobuf:"bytes,1,opt,name=MessagesSentEncryptedMessage,oneof"`
}

type TypeMessagesStickerSet

type TypeMessagesStickerSet struct {
	Value                *PredMessagesStickerSet `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeMessagesStickerSet) Descriptor

func (*TypeMessagesStickerSet) Descriptor() ([]byte, []int)

func (*TypeMessagesStickerSet) GetValue

func (*TypeMessagesStickerSet) ProtoMessage

func (*TypeMessagesStickerSet) ProtoMessage()

func (*TypeMessagesStickerSet) Reset

func (m *TypeMessagesStickerSet) Reset()

func (*TypeMessagesStickerSet) String

func (m *TypeMessagesStickerSet) String() string

func (*TypeMessagesStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesStickerSet) XXX_DiscardUnknown()

func (*TypeMessagesStickerSet) XXX_Marshal added in v0.4.1

func (m *TypeMessagesStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesStickerSet) XXX_Merge added in v0.4.1

func (dst *TypeMessagesStickerSet) XXX_Merge(src proto.Message)

func (*TypeMessagesStickerSet) XXX_Size added in v0.4.1

func (m *TypeMessagesStickerSet) XXX_Size() int

func (*TypeMessagesStickerSet) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesStickerSet) XXX_Unmarshal(b []byte) error

type TypeMessagesStickerSetInstallResult

type TypeMessagesStickerSetInstallResult struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultSuccess
	//	*TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultArchive
	Value                isTypeMessagesStickerSetInstallResult_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                                    `json:"-"`
	XXX_unrecognized     []byte                                      `json:"-"`
	XXX_sizecache        int32                                       `json:"-"`
}

func (*TypeMessagesStickerSetInstallResult) Descriptor

func (*TypeMessagesStickerSetInstallResult) Descriptor() ([]byte, []int)

func (*TypeMessagesStickerSetInstallResult) GetMessagesStickerSetInstallResultArchive

func (m *TypeMessagesStickerSetInstallResult) GetMessagesStickerSetInstallResultArchive() *PredMessagesStickerSetInstallResultArchive

func (*TypeMessagesStickerSetInstallResult) GetMessagesStickerSetInstallResultSuccess

func (m *TypeMessagesStickerSetInstallResult) GetMessagesStickerSetInstallResultSuccess() *PredMessagesStickerSetInstallResultSuccess

func (*TypeMessagesStickerSetInstallResult) GetValue

func (m *TypeMessagesStickerSetInstallResult) GetValue() isTypeMessagesStickerSetInstallResult_Value

func (*TypeMessagesStickerSetInstallResult) ProtoMessage

func (*TypeMessagesStickerSetInstallResult) ProtoMessage()

func (*TypeMessagesStickerSetInstallResult) Reset

func (*TypeMessagesStickerSetInstallResult) String

func (*TypeMessagesStickerSetInstallResult) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesStickerSetInstallResult) XXX_DiscardUnknown()

func (*TypeMessagesStickerSetInstallResult) XXX_Marshal added in v0.4.1

func (m *TypeMessagesStickerSetInstallResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesStickerSetInstallResult) XXX_Merge added in v0.4.1

func (*TypeMessagesStickerSetInstallResult) XXX_OneofFuncs

func (*TypeMessagesStickerSetInstallResult) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesStickerSetInstallResult) XXX_Size added in v0.4.1

func (*TypeMessagesStickerSetInstallResult) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesStickerSetInstallResult) XXX_Unmarshal(b []byte) error

type TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultArchive

type TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultArchive struct {
	MessagesStickerSetInstallResultArchive *PredMessagesStickerSetInstallResultArchive `protobuf:"bytes,2,opt,name=MessagesStickerSetInstallResultArchive,oneof"`
}

type TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultSuccess

type TypeMessagesStickerSetInstallResult_MessagesStickerSetInstallResultSuccess struct {
	MessagesStickerSetInstallResultSuccess *PredMessagesStickerSetInstallResultSuccess `protobuf:"bytes,1,opt,name=MessagesStickerSetInstallResultSuccess,oneof"`
}

type TypeMessagesStickers

type TypeMessagesStickers struct {
	// Types that are valid to be assigned to Value:
	//	*TypeMessagesStickers_MessagesStickersNotModified
	//	*TypeMessagesStickers_MessagesStickers
	Value                isTypeMessagesStickers_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeMessagesStickers) Descriptor

func (*TypeMessagesStickers) Descriptor() ([]byte, []int)

func (*TypeMessagesStickers) GetMessagesStickers

func (m *TypeMessagesStickers) GetMessagesStickers() *PredMessagesStickers

func (*TypeMessagesStickers) GetMessagesStickersNotModified

func (m *TypeMessagesStickers) GetMessagesStickersNotModified() *PredMessagesStickersNotModified

func (*TypeMessagesStickers) GetValue

func (m *TypeMessagesStickers) GetValue() isTypeMessagesStickers_Value

func (*TypeMessagesStickers) ProtoMessage

func (*TypeMessagesStickers) ProtoMessage()

func (*TypeMessagesStickers) Reset

func (m *TypeMessagesStickers) Reset()

func (*TypeMessagesStickers) String

func (m *TypeMessagesStickers) String() string

func (*TypeMessagesStickers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeMessagesStickers) XXX_DiscardUnknown()

func (*TypeMessagesStickers) XXX_Marshal added in v0.4.1

func (m *TypeMessagesStickers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeMessagesStickers) XXX_Merge added in v0.4.1

func (dst *TypeMessagesStickers) XXX_Merge(src proto.Message)

func (*TypeMessagesStickers) XXX_OneofFuncs

func (*TypeMessagesStickers) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeMessagesStickers) XXX_Size added in v0.4.1

func (m *TypeMessagesStickers) XXX_Size() int

func (*TypeMessagesStickers) XXX_Unmarshal added in v0.4.1

func (m *TypeMessagesStickers) XXX_Unmarshal(b []byte) error

type TypeMessagesStickers_MessagesStickers

type TypeMessagesStickers_MessagesStickers struct {
	MessagesStickers *PredMessagesStickers `protobuf:"bytes,2,opt,name=MessagesStickers,oneof"`
}

type TypeMessagesStickers_MessagesStickersNotModified

type TypeMessagesStickers_MessagesStickersNotModified struct {
	MessagesStickersNotModified *PredMessagesStickersNotModified `protobuf:"bytes,1,opt,name=MessagesStickersNotModified,oneof"`
}

type TypeNearestDc

type TypeNearestDc struct {
	Value                *PredNearestDc `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}       `json:"-"`
	XXX_unrecognized     []byte         `json:"-"`
	XXX_sizecache        int32          `json:"-"`
}

func (*TypeNearestDc) Descriptor

func (*TypeNearestDc) Descriptor() ([]byte, []int)

func (*TypeNearestDc) GetValue

func (m *TypeNearestDc) GetValue() *PredNearestDc

func (*TypeNearestDc) ProtoMessage

func (*TypeNearestDc) ProtoMessage()

func (*TypeNearestDc) Reset

func (m *TypeNearestDc) Reset()

func (*TypeNearestDc) String

func (m *TypeNearestDc) String() string

func (*TypeNearestDc) XXX_DiscardUnknown added in v0.4.1

func (m *TypeNearestDc) XXX_DiscardUnknown()

func (*TypeNearestDc) XXX_Marshal added in v0.4.1

func (m *TypeNearestDc) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeNearestDc) XXX_Merge added in v0.4.1

func (dst *TypeNearestDc) XXX_Merge(src proto.Message)

func (*TypeNearestDc) XXX_Size added in v0.4.1

func (m *TypeNearestDc) XXX_Size() int

func (*TypeNearestDc) XXX_Unmarshal added in v0.4.1

func (m *TypeNearestDc) XXX_Unmarshal(b []byte) error

type TypeNotifyPeer

type TypeNotifyPeer struct {
	// Types that are valid to be assigned to Value:
	//	*TypeNotifyPeer_NotifyAll
	//	*TypeNotifyPeer_NotifyChats
	//	*TypeNotifyPeer_NotifyPeer
	//	*TypeNotifyPeer_NotifyUsers
	Value                isTypeNotifyPeer_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeNotifyPeer) Descriptor

func (*TypeNotifyPeer) Descriptor() ([]byte, []int)

func (*TypeNotifyPeer) GetNotifyAll

func (m *TypeNotifyPeer) GetNotifyAll() *PredNotifyAll

func (*TypeNotifyPeer) GetNotifyChats

func (m *TypeNotifyPeer) GetNotifyChats() *PredNotifyChats

func (*TypeNotifyPeer) GetNotifyPeer

func (m *TypeNotifyPeer) GetNotifyPeer() *PredNotifyPeer

func (*TypeNotifyPeer) GetNotifyUsers

func (m *TypeNotifyPeer) GetNotifyUsers() *PredNotifyUsers

func (*TypeNotifyPeer) GetValue

func (m *TypeNotifyPeer) GetValue() isTypeNotifyPeer_Value

func (*TypeNotifyPeer) ProtoMessage

func (*TypeNotifyPeer) ProtoMessage()

func (*TypeNotifyPeer) Reset

func (m *TypeNotifyPeer) Reset()

func (*TypeNotifyPeer) String

func (m *TypeNotifyPeer) String() string

func (*TypeNotifyPeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeNotifyPeer) XXX_DiscardUnknown()

func (*TypeNotifyPeer) XXX_Marshal added in v0.4.1

func (m *TypeNotifyPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeNotifyPeer) XXX_Merge added in v0.4.1

func (dst *TypeNotifyPeer) XXX_Merge(src proto.Message)

func (*TypeNotifyPeer) XXX_OneofFuncs

func (*TypeNotifyPeer) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeNotifyPeer) XXX_Size added in v0.4.1

func (m *TypeNotifyPeer) XXX_Size() int

func (*TypeNotifyPeer) XXX_Unmarshal added in v0.4.1

func (m *TypeNotifyPeer) XXX_Unmarshal(b []byte) error

type TypeNotifyPeer_NotifyAll

type TypeNotifyPeer_NotifyAll struct {
	NotifyAll *PredNotifyAll `protobuf:"bytes,1,opt,name=NotifyAll,oneof"`
}

type TypeNotifyPeer_NotifyChats

type TypeNotifyPeer_NotifyChats struct {
	NotifyChats *PredNotifyChats `protobuf:"bytes,2,opt,name=NotifyChats,oneof"`
}

type TypeNotifyPeer_NotifyPeer

type TypeNotifyPeer_NotifyPeer struct {
	NotifyPeer *PredNotifyPeer `protobuf:"bytes,3,opt,name=NotifyPeer,oneof"`
}

type TypeNotifyPeer_NotifyUsers

type TypeNotifyPeer_NotifyUsers struct {
	NotifyUsers *PredNotifyUsers `protobuf:"bytes,4,opt,name=NotifyUsers,oneof"`
}

type TypeNull

type TypeNull struct {
	Value                *PredNull `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*TypeNull) Descriptor

func (*TypeNull) Descriptor() ([]byte, []int)

func (*TypeNull) GetValue

func (m *TypeNull) GetValue() *PredNull

func (*TypeNull) ProtoMessage

func (*TypeNull) ProtoMessage()

func (*TypeNull) Reset

func (m *TypeNull) Reset()

func (*TypeNull) String

func (m *TypeNull) String() string

func (*TypeNull) XXX_DiscardUnknown added in v0.4.1

func (m *TypeNull) XXX_DiscardUnknown()

func (*TypeNull) XXX_Marshal added in v0.4.1

func (m *TypeNull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeNull) XXX_Merge added in v0.4.1

func (dst *TypeNull) XXX_Merge(src proto.Message)

func (*TypeNull) XXX_Size added in v0.4.1

func (m *TypeNull) XXX_Size() int

func (*TypeNull) XXX_Unmarshal added in v0.4.1

func (m *TypeNull) XXX_Unmarshal(b []byte) error

type TypePage

type TypePage struct {
	// Types that are valid to be assigned to Value:
	//	*TypePage_PagePart
	//	*TypePage_PageFull
	Value                isTypePage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypePage) Descriptor

func (*TypePage) Descriptor() ([]byte, []int)

func (*TypePage) GetPageFull

func (m *TypePage) GetPageFull() *PredPageFull

func (*TypePage) GetPagePart

func (m *TypePage) GetPagePart() *PredPagePart

func (*TypePage) GetValue

func (m *TypePage) GetValue() isTypePage_Value

func (*TypePage) ProtoMessage

func (*TypePage) ProtoMessage()

func (*TypePage) Reset

func (m *TypePage) Reset()

func (*TypePage) String

func (m *TypePage) String() string

func (*TypePage) XXX_DiscardUnknown added in v0.4.1

func (m *TypePage) XXX_DiscardUnknown()

func (*TypePage) XXX_Marshal added in v0.4.1

func (m *TypePage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePage) XXX_Merge added in v0.4.1

func (dst *TypePage) XXX_Merge(src proto.Message)

func (*TypePage) XXX_OneofFuncs

func (*TypePage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePage) XXX_Size added in v0.4.1

func (m *TypePage) XXX_Size() int

func (*TypePage) XXX_Unmarshal added in v0.4.1

func (m *TypePage) XXX_Unmarshal(b []byte) error

type TypePageBlock

type TypePageBlock struct {
	// Types that are valid to be assigned to Value:
	//	*TypePageBlock_PageBlockTitle
	//	*TypePageBlock_PageBlockSubtitle
	//	*TypePageBlock_PageBlockAuthorDate
	//	*TypePageBlock_PageBlockHeader
	//	*TypePageBlock_PageBlockSubheader
	//	*TypePageBlock_PageBlockParagraph
	//	*TypePageBlock_PageBlockPreformatted
	//	*TypePageBlock_PageBlockFooter
	//	*TypePageBlock_PageBlockDivider
	//	*TypePageBlock_PageBlockList
	//	*TypePageBlock_PageBlockBlockquote
	//	*TypePageBlock_PageBlockPullquote
	//	*TypePageBlock_PageBlockPhoto
	//	*TypePageBlock_PageBlockVideo
	//	*TypePageBlock_PageBlockCover
	//	*TypePageBlock_PageBlockEmbed
	//	*TypePageBlock_PageBlockEmbedPost
	//	*TypePageBlock_PageBlockSlideshow
	//	*TypePageBlock_PageBlockUnsupported
	//	*TypePageBlock_PageBlockAnchor
	//	*TypePageBlock_PageBlockCollage
	//	*TypePageBlock_PageBlockChannel
	//	*TypePageBlock_PageBlockAudio
	Value                isTypePageBlock_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypePageBlock) Descriptor

func (*TypePageBlock) Descriptor() ([]byte, []int)

func (*TypePageBlock) GetPageBlockAnchor

func (m *TypePageBlock) GetPageBlockAnchor() *PredPageBlockAnchor

func (*TypePageBlock) GetPageBlockAudio

func (m *TypePageBlock) GetPageBlockAudio() *PredPageBlockAudio

func (*TypePageBlock) GetPageBlockAuthorDate

func (m *TypePageBlock) GetPageBlockAuthorDate() *PredPageBlockAuthorDate

func (*TypePageBlock) GetPageBlockBlockquote

func (m *TypePageBlock) GetPageBlockBlockquote() *PredPageBlockBlockquote

func (*TypePageBlock) GetPageBlockChannel

func (m *TypePageBlock) GetPageBlockChannel() *PredPageBlockChannel

func (*TypePageBlock) GetPageBlockCollage

func (m *TypePageBlock) GetPageBlockCollage() *PredPageBlockCollage

func (*TypePageBlock) GetPageBlockCover

func (m *TypePageBlock) GetPageBlockCover() *PredPageBlockCover

func (*TypePageBlock) GetPageBlockDivider

func (m *TypePageBlock) GetPageBlockDivider() *PredPageBlockDivider

func (*TypePageBlock) GetPageBlockEmbed

func (m *TypePageBlock) GetPageBlockEmbed() *PredPageBlockEmbed

func (*TypePageBlock) GetPageBlockEmbedPost

func (m *TypePageBlock) GetPageBlockEmbedPost() *PredPageBlockEmbedPost

func (*TypePageBlock) GetPageBlockFooter

func (m *TypePageBlock) GetPageBlockFooter() *PredPageBlockFooter

func (*TypePageBlock) GetPageBlockHeader

func (m *TypePageBlock) GetPageBlockHeader() *PredPageBlockHeader

func (*TypePageBlock) GetPageBlockList

func (m *TypePageBlock) GetPageBlockList() *PredPageBlockList

func (*TypePageBlock) GetPageBlockParagraph

func (m *TypePageBlock) GetPageBlockParagraph() *PredPageBlockParagraph

func (*TypePageBlock) GetPageBlockPhoto

func (m *TypePageBlock) GetPageBlockPhoto() *PredPageBlockPhoto

func (*TypePageBlock) GetPageBlockPreformatted

func (m *TypePageBlock) GetPageBlockPreformatted() *PredPageBlockPreformatted

func (*TypePageBlock) GetPageBlockPullquote

func (m *TypePageBlock) GetPageBlockPullquote() *PredPageBlockPullquote

func (*TypePageBlock) GetPageBlockSlideshow

func (m *TypePageBlock) GetPageBlockSlideshow() *PredPageBlockSlideshow

func (*TypePageBlock) GetPageBlockSubheader

func (m *TypePageBlock) GetPageBlockSubheader() *PredPageBlockSubheader

func (*TypePageBlock) GetPageBlockSubtitle

func (m *TypePageBlock) GetPageBlockSubtitle() *PredPageBlockSubtitle

func (*TypePageBlock) GetPageBlockTitle

func (m *TypePageBlock) GetPageBlockTitle() *PredPageBlockTitle

func (*TypePageBlock) GetPageBlockUnsupported

func (m *TypePageBlock) GetPageBlockUnsupported() *PredPageBlockUnsupported

func (*TypePageBlock) GetPageBlockVideo

func (m *TypePageBlock) GetPageBlockVideo() *PredPageBlockVideo

func (*TypePageBlock) GetValue

func (m *TypePageBlock) GetValue() isTypePageBlock_Value

func (*TypePageBlock) ProtoMessage

func (*TypePageBlock) ProtoMessage()

func (*TypePageBlock) Reset

func (m *TypePageBlock) Reset()

func (*TypePageBlock) String

func (m *TypePageBlock) String() string

func (*TypePageBlock) XXX_DiscardUnknown added in v0.4.1

func (m *TypePageBlock) XXX_DiscardUnknown()

func (*TypePageBlock) XXX_Marshal added in v0.4.1

func (m *TypePageBlock) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePageBlock) XXX_Merge added in v0.4.1

func (dst *TypePageBlock) XXX_Merge(src proto.Message)

func (*TypePageBlock) XXX_OneofFuncs

func (*TypePageBlock) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePageBlock) XXX_Size added in v0.4.1

func (m *TypePageBlock) XXX_Size() int

func (*TypePageBlock) XXX_Unmarshal added in v0.4.1

func (m *TypePageBlock) XXX_Unmarshal(b []byte) error

type TypePageBlock_PageBlockAnchor

type TypePageBlock_PageBlockAnchor struct {
	PageBlockAnchor *PredPageBlockAnchor `protobuf:"bytes,20,opt,name=PageBlockAnchor,oneof"`
}

type TypePageBlock_PageBlockAudio

type TypePageBlock_PageBlockAudio struct {
	PageBlockAudio *PredPageBlockAudio `protobuf:"bytes,23,opt,name=PageBlockAudio,oneof"`
}

type TypePageBlock_PageBlockAuthorDate

type TypePageBlock_PageBlockAuthorDate struct {
	PageBlockAuthorDate *PredPageBlockAuthorDate `protobuf:"bytes,3,opt,name=PageBlockAuthorDate,oneof"`
}

type TypePageBlock_PageBlockBlockquote

type TypePageBlock_PageBlockBlockquote struct {
	PageBlockBlockquote *PredPageBlockBlockquote `protobuf:"bytes,11,opt,name=PageBlockBlockquote,oneof"`
}

type TypePageBlock_PageBlockChannel

type TypePageBlock_PageBlockChannel struct {
	PageBlockChannel *PredPageBlockChannel `protobuf:"bytes,22,opt,name=PageBlockChannel,oneof"`
}

type TypePageBlock_PageBlockCollage

type TypePageBlock_PageBlockCollage struct {
	PageBlockCollage *PredPageBlockCollage `protobuf:"bytes,21,opt,name=PageBlockCollage,oneof"`
}

type TypePageBlock_PageBlockCover

type TypePageBlock_PageBlockCover struct {
	PageBlockCover *PredPageBlockCover `protobuf:"bytes,15,opt,name=PageBlockCover,oneof"`
}

type TypePageBlock_PageBlockDivider

type TypePageBlock_PageBlockDivider struct {
	PageBlockDivider *PredPageBlockDivider `protobuf:"bytes,9,opt,name=PageBlockDivider,oneof"`
}

type TypePageBlock_PageBlockEmbed

type TypePageBlock_PageBlockEmbed struct {
	PageBlockEmbed *PredPageBlockEmbed `protobuf:"bytes,16,opt,name=PageBlockEmbed,oneof"`
}

type TypePageBlock_PageBlockEmbedPost

type TypePageBlock_PageBlockEmbedPost struct {
	PageBlockEmbedPost *PredPageBlockEmbedPost `protobuf:"bytes,17,opt,name=PageBlockEmbedPost,oneof"`
}

type TypePageBlock_PageBlockFooter

type TypePageBlock_PageBlockFooter struct {
	PageBlockFooter *PredPageBlockFooter `protobuf:"bytes,8,opt,name=PageBlockFooter,oneof"`
}

type TypePageBlock_PageBlockHeader

type TypePageBlock_PageBlockHeader struct {
	PageBlockHeader *PredPageBlockHeader `protobuf:"bytes,4,opt,name=PageBlockHeader,oneof"`
}

type TypePageBlock_PageBlockList

type TypePageBlock_PageBlockList struct {
	PageBlockList *PredPageBlockList `protobuf:"bytes,10,opt,name=PageBlockList,oneof"`
}

type TypePageBlock_PageBlockParagraph

type TypePageBlock_PageBlockParagraph struct {
	PageBlockParagraph *PredPageBlockParagraph `protobuf:"bytes,6,opt,name=PageBlockParagraph,oneof"`
}

type TypePageBlock_PageBlockPhoto

type TypePageBlock_PageBlockPhoto struct {
	PageBlockPhoto *PredPageBlockPhoto `protobuf:"bytes,13,opt,name=PageBlockPhoto,oneof"`
}

type TypePageBlock_PageBlockPreformatted

type TypePageBlock_PageBlockPreformatted struct {
	PageBlockPreformatted *PredPageBlockPreformatted `protobuf:"bytes,7,opt,name=PageBlockPreformatted,oneof"`
}

type TypePageBlock_PageBlockPullquote

type TypePageBlock_PageBlockPullquote struct {
	PageBlockPullquote *PredPageBlockPullquote `protobuf:"bytes,12,opt,name=PageBlockPullquote,oneof"`
}

type TypePageBlock_PageBlockSlideshow

type TypePageBlock_PageBlockSlideshow struct {
	PageBlockSlideshow *PredPageBlockSlideshow `protobuf:"bytes,18,opt,name=PageBlockSlideshow,oneof"`
}

type TypePageBlock_PageBlockSubheader

type TypePageBlock_PageBlockSubheader struct {
	PageBlockSubheader *PredPageBlockSubheader `protobuf:"bytes,5,opt,name=PageBlockSubheader,oneof"`
}

type TypePageBlock_PageBlockSubtitle

type TypePageBlock_PageBlockSubtitle struct {
	PageBlockSubtitle *PredPageBlockSubtitle `protobuf:"bytes,2,opt,name=PageBlockSubtitle,oneof"`
}

type TypePageBlock_PageBlockTitle

type TypePageBlock_PageBlockTitle struct {
	PageBlockTitle *PredPageBlockTitle `protobuf:"bytes,1,opt,name=PageBlockTitle,oneof"`
}

type TypePageBlock_PageBlockUnsupported

type TypePageBlock_PageBlockUnsupported struct {
	PageBlockUnsupported *PredPageBlockUnsupported `protobuf:"bytes,19,opt,name=PageBlockUnsupported,oneof"`
}

type TypePageBlock_PageBlockVideo

type TypePageBlock_PageBlockVideo struct {
	PageBlockVideo *PredPageBlockVideo `protobuf:"bytes,14,opt,name=PageBlockVideo,oneof"`
}

type TypePage_PageFull

type TypePage_PageFull struct {
	PageFull *PredPageFull `protobuf:"bytes,2,opt,name=PageFull,oneof"`
}

type TypePage_PagePart

type TypePage_PagePart struct {
	PagePart *PredPagePart `protobuf:"bytes,1,opt,name=PagePart,oneof"`
}

type TypePaymentCharge

type TypePaymentCharge struct {
	Value                *PredPaymentCharge `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypePaymentCharge) Descriptor

func (*TypePaymentCharge) Descriptor() ([]byte, []int)

func (*TypePaymentCharge) GetValue

func (m *TypePaymentCharge) GetValue() *PredPaymentCharge

func (*TypePaymentCharge) ProtoMessage

func (*TypePaymentCharge) ProtoMessage()

func (*TypePaymentCharge) Reset

func (m *TypePaymentCharge) Reset()

func (*TypePaymentCharge) String

func (m *TypePaymentCharge) String() string

func (*TypePaymentCharge) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentCharge) XXX_DiscardUnknown()

func (*TypePaymentCharge) XXX_Marshal added in v0.4.1

func (m *TypePaymentCharge) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentCharge) XXX_Merge added in v0.4.1

func (dst *TypePaymentCharge) XXX_Merge(src proto.Message)

func (*TypePaymentCharge) XXX_Size added in v0.4.1

func (m *TypePaymentCharge) XXX_Size() int

func (*TypePaymentCharge) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentCharge) XXX_Unmarshal(b []byte) error

type TypePaymentRequestedInfo

type TypePaymentRequestedInfo struct {
	Value                *PredPaymentRequestedInfo `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypePaymentRequestedInfo) Descriptor

func (*TypePaymentRequestedInfo) Descriptor() ([]byte, []int)

func (*TypePaymentRequestedInfo) GetValue

func (*TypePaymentRequestedInfo) ProtoMessage

func (*TypePaymentRequestedInfo) ProtoMessage()

func (*TypePaymentRequestedInfo) Reset

func (m *TypePaymentRequestedInfo) Reset()

func (*TypePaymentRequestedInfo) String

func (m *TypePaymentRequestedInfo) String() string

func (*TypePaymentRequestedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentRequestedInfo) XXX_DiscardUnknown()

func (*TypePaymentRequestedInfo) XXX_Marshal added in v0.4.1

func (m *TypePaymentRequestedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentRequestedInfo) XXX_Merge added in v0.4.1

func (dst *TypePaymentRequestedInfo) XXX_Merge(src proto.Message)

func (*TypePaymentRequestedInfo) XXX_Size added in v0.4.1

func (m *TypePaymentRequestedInfo) XXX_Size() int

func (*TypePaymentRequestedInfo) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentRequestedInfo) XXX_Unmarshal(b []byte) error

type TypePaymentSavedCredentials

type TypePaymentSavedCredentials struct {
	Value                *PredPaymentSavedCredentialsCard `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                         `json:"-"`
	XXX_unrecognized     []byte                           `json:"-"`
	XXX_sizecache        int32                            `json:"-"`
}

func (*TypePaymentSavedCredentials) Descriptor

func (*TypePaymentSavedCredentials) Descriptor() ([]byte, []int)

func (*TypePaymentSavedCredentials) GetValue

func (*TypePaymentSavedCredentials) ProtoMessage

func (*TypePaymentSavedCredentials) ProtoMessage()

func (*TypePaymentSavedCredentials) Reset

func (m *TypePaymentSavedCredentials) Reset()

func (*TypePaymentSavedCredentials) String

func (m *TypePaymentSavedCredentials) String() string

func (*TypePaymentSavedCredentials) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentSavedCredentials) XXX_DiscardUnknown()

func (*TypePaymentSavedCredentials) XXX_Marshal added in v0.4.1

func (m *TypePaymentSavedCredentials) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentSavedCredentials) XXX_Merge added in v0.4.1

func (dst *TypePaymentSavedCredentials) XXX_Merge(src proto.Message)

func (*TypePaymentSavedCredentials) XXX_Size added in v0.4.1

func (m *TypePaymentSavedCredentials) XXX_Size() int

func (*TypePaymentSavedCredentials) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentSavedCredentials) XXX_Unmarshal(b []byte) error

type TypePaymentsPaymentForm

type TypePaymentsPaymentForm struct {
	Value                *PredPaymentsPaymentForm `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypePaymentsPaymentForm) Descriptor

func (*TypePaymentsPaymentForm) Descriptor() ([]byte, []int)

func (*TypePaymentsPaymentForm) GetValue

func (*TypePaymentsPaymentForm) ProtoMessage

func (*TypePaymentsPaymentForm) ProtoMessage()

func (*TypePaymentsPaymentForm) Reset

func (m *TypePaymentsPaymentForm) Reset()

func (*TypePaymentsPaymentForm) String

func (m *TypePaymentsPaymentForm) String() string

func (*TypePaymentsPaymentForm) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentsPaymentForm) XXX_DiscardUnknown()

func (*TypePaymentsPaymentForm) XXX_Marshal added in v0.4.1

func (m *TypePaymentsPaymentForm) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentsPaymentForm) XXX_Merge added in v0.4.1

func (dst *TypePaymentsPaymentForm) XXX_Merge(src proto.Message)

func (*TypePaymentsPaymentForm) XXX_Size added in v0.4.1

func (m *TypePaymentsPaymentForm) XXX_Size() int

func (*TypePaymentsPaymentForm) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentsPaymentForm) XXX_Unmarshal(b []byte) error

type TypePaymentsPaymentReceipt

type TypePaymentsPaymentReceipt struct {
	Value                *PredPaymentsPaymentReceipt `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypePaymentsPaymentReceipt) Descriptor

func (*TypePaymentsPaymentReceipt) Descriptor() ([]byte, []int)

func (*TypePaymentsPaymentReceipt) GetValue

func (*TypePaymentsPaymentReceipt) ProtoMessage

func (*TypePaymentsPaymentReceipt) ProtoMessage()

func (*TypePaymentsPaymentReceipt) Reset

func (m *TypePaymentsPaymentReceipt) Reset()

func (*TypePaymentsPaymentReceipt) String

func (m *TypePaymentsPaymentReceipt) String() string

func (*TypePaymentsPaymentReceipt) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentsPaymentReceipt) XXX_DiscardUnknown()

func (*TypePaymentsPaymentReceipt) XXX_Marshal added in v0.4.1

func (m *TypePaymentsPaymentReceipt) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentsPaymentReceipt) XXX_Merge added in v0.4.1

func (dst *TypePaymentsPaymentReceipt) XXX_Merge(src proto.Message)

func (*TypePaymentsPaymentReceipt) XXX_Size added in v0.4.1

func (m *TypePaymentsPaymentReceipt) XXX_Size() int

func (*TypePaymentsPaymentReceipt) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentsPaymentReceipt) XXX_Unmarshal(b []byte) error

type TypePaymentsPaymentResult

type TypePaymentsPaymentResult struct {
	// Types that are valid to be assigned to Value:
	//	*TypePaymentsPaymentResult_PaymentsPaymentResult
	//	*TypePaymentsPaymentResult_PaymentsPaymentVerficationNeeded
	Value                isTypePaymentsPaymentResult_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                          `json:"-"`
	XXX_unrecognized     []byte                            `json:"-"`
	XXX_sizecache        int32                             `json:"-"`
}

func (*TypePaymentsPaymentResult) Descriptor

func (*TypePaymentsPaymentResult) Descriptor() ([]byte, []int)

func (*TypePaymentsPaymentResult) GetPaymentsPaymentResult

func (m *TypePaymentsPaymentResult) GetPaymentsPaymentResult() *PredPaymentsPaymentResult

func (*TypePaymentsPaymentResult) GetPaymentsPaymentVerficationNeeded

func (m *TypePaymentsPaymentResult) GetPaymentsPaymentVerficationNeeded() *PredPaymentsPaymentVerficationNeeded

func (*TypePaymentsPaymentResult) GetValue

func (m *TypePaymentsPaymentResult) GetValue() isTypePaymentsPaymentResult_Value

func (*TypePaymentsPaymentResult) ProtoMessage

func (*TypePaymentsPaymentResult) ProtoMessage()

func (*TypePaymentsPaymentResult) Reset

func (m *TypePaymentsPaymentResult) Reset()

func (*TypePaymentsPaymentResult) String

func (m *TypePaymentsPaymentResult) String() string

func (*TypePaymentsPaymentResult) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentsPaymentResult) XXX_DiscardUnknown()

func (*TypePaymentsPaymentResult) XXX_Marshal added in v0.4.1

func (m *TypePaymentsPaymentResult) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentsPaymentResult) XXX_Merge added in v0.4.1

func (dst *TypePaymentsPaymentResult) XXX_Merge(src proto.Message)

func (*TypePaymentsPaymentResult) XXX_OneofFuncs

func (*TypePaymentsPaymentResult) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePaymentsPaymentResult) XXX_Size added in v0.4.1

func (m *TypePaymentsPaymentResult) XXX_Size() int

func (*TypePaymentsPaymentResult) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentsPaymentResult) XXX_Unmarshal(b []byte) error

type TypePaymentsPaymentResult_PaymentsPaymentResult

type TypePaymentsPaymentResult_PaymentsPaymentResult struct {
	PaymentsPaymentResult *PredPaymentsPaymentResult `protobuf:"bytes,1,opt,name=PaymentsPaymentResult,oneof"`
}

type TypePaymentsPaymentResult_PaymentsPaymentVerficationNeeded

type TypePaymentsPaymentResult_PaymentsPaymentVerficationNeeded struct {
	PaymentsPaymentVerficationNeeded *PredPaymentsPaymentVerficationNeeded `protobuf:"bytes,2,opt,name=PaymentsPaymentVerficationNeeded,oneof"`
}

type TypePaymentsSavedInfo

type TypePaymentsSavedInfo struct {
	Value                *PredPaymentsSavedInfo `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypePaymentsSavedInfo) Descriptor

func (*TypePaymentsSavedInfo) Descriptor() ([]byte, []int)

func (*TypePaymentsSavedInfo) GetValue

func (*TypePaymentsSavedInfo) ProtoMessage

func (*TypePaymentsSavedInfo) ProtoMessage()

func (*TypePaymentsSavedInfo) Reset

func (m *TypePaymentsSavedInfo) Reset()

func (*TypePaymentsSavedInfo) String

func (m *TypePaymentsSavedInfo) String() string

func (*TypePaymentsSavedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentsSavedInfo) XXX_DiscardUnknown()

func (*TypePaymentsSavedInfo) XXX_Marshal added in v0.4.1

func (m *TypePaymentsSavedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentsSavedInfo) XXX_Merge added in v0.4.1

func (dst *TypePaymentsSavedInfo) XXX_Merge(src proto.Message)

func (*TypePaymentsSavedInfo) XXX_Size added in v0.4.1

func (m *TypePaymentsSavedInfo) XXX_Size() int

func (*TypePaymentsSavedInfo) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentsSavedInfo) XXX_Unmarshal(b []byte) error

type TypePaymentsValidatedRequestedInfo

type TypePaymentsValidatedRequestedInfo struct {
	Value                *PredPaymentsValidatedRequestedInfo `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                            `json:"-"`
	XXX_unrecognized     []byte                              `json:"-"`
	XXX_sizecache        int32                               `json:"-"`
}

func (*TypePaymentsValidatedRequestedInfo) Descriptor

func (*TypePaymentsValidatedRequestedInfo) Descriptor() ([]byte, []int)

func (*TypePaymentsValidatedRequestedInfo) GetValue

func (*TypePaymentsValidatedRequestedInfo) ProtoMessage

func (*TypePaymentsValidatedRequestedInfo) ProtoMessage()

func (*TypePaymentsValidatedRequestedInfo) Reset

func (*TypePaymentsValidatedRequestedInfo) String

func (*TypePaymentsValidatedRequestedInfo) XXX_DiscardUnknown added in v0.4.1

func (m *TypePaymentsValidatedRequestedInfo) XXX_DiscardUnknown()

func (*TypePaymentsValidatedRequestedInfo) XXX_Marshal added in v0.4.1

func (m *TypePaymentsValidatedRequestedInfo) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePaymentsValidatedRequestedInfo) XXX_Merge added in v0.4.1

func (dst *TypePaymentsValidatedRequestedInfo) XXX_Merge(src proto.Message)

func (*TypePaymentsValidatedRequestedInfo) XXX_Size added in v0.4.1

func (*TypePaymentsValidatedRequestedInfo) XXX_Unmarshal added in v0.4.1

func (m *TypePaymentsValidatedRequestedInfo) XXX_Unmarshal(b []byte) error

type TypePeer

type TypePeer struct {
	// Types that are valid to be assigned to Value:
	//	*TypePeer_PeerUser
	//	*TypePeer_PeerChat
	//	*TypePeer_PeerChannel
	Value                isTypePeer_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypePeer) Descriptor

func (*TypePeer) Descriptor() ([]byte, []int)

func (*TypePeer) GetPeerChannel

func (m *TypePeer) GetPeerChannel() *PredPeerChannel

func (*TypePeer) GetPeerChat

func (m *TypePeer) GetPeerChat() *PredPeerChat

func (*TypePeer) GetPeerUser

func (m *TypePeer) GetPeerUser() *PredPeerUser

func (*TypePeer) GetValue

func (m *TypePeer) GetValue() isTypePeer_Value

func (*TypePeer) ProtoMessage

func (*TypePeer) ProtoMessage()

func (*TypePeer) Reset

func (m *TypePeer) Reset()

func (*TypePeer) String

func (m *TypePeer) String() string

func (*TypePeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypePeer) XXX_DiscardUnknown()

func (*TypePeer) XXX_Marshal added in v0.4.1

func (m *TypePeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePeer) XXX_Merge added in v0.4.1

func (dst *TypePeer) XXX_Merge(src proto.Message)

func (*TypePeer) XXX_OneofFuncs

func (*TypePeer) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePeer) XXX_Size added in v0.4.1

func (m *TypePeer) XXX_Size() int

func (*TypePeer) XXX_Unmarshal added in v0.4.1

func (m *TypePeer) XXX_Unmarshal(b []byte) error

type TypePeerNotifyEvents

type TypePeerNotifyEvents struct {
	// Types that are valid to be assigned to Value:
	//	*TypePeerNotifyEvents_PeerNotifyEventsEmpty
	//	*TypePeerNotifyEvents_PeerNotifyEventsAll
	Value                isTypePeerNotifyEvents_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypePeerNotifyEvents) Descriptor

func (*TypePeerNotifyEvents) Descriptor() ([]byte, []int)

func (*TypePeerNotifyEvents) GetPeerNotifyEventsAll

func (m *TypePeerNotifyEvents) GetPeerNotifyEventsAll() *PredPeerNotifyEventsAll

func (*TypePeerNotifyEvents) GetPeerNotifyEventsEmpty

func (m *TypePeerNotifyEvents) GetPeerNotifyEventsEmpty() *PredPeerNotifyEventsEmpty

func (*TypePeerNotifyEvents) GetValue

func (m *TypePeerNotifyEvents) GetValue() isTypePeerNotifyEvents_Value

func (*TypePeerNotifyEvents) ProtoMessage

func (*TypePeerNotifyEvents) ProtoMessage()

func (*TypePeerNotifyEvents) Reset

func (m *TypePeerNotifyEvents) Reset()

func (*TypePeerNotifyEvents) String

func (m *TypePeerNotifyEvents) String() string

func (*TypePeerNotifyEvents) XXX_DiscardUnknown added in v0.4.1

func (m *TypePeerNotifyEvents) XXX_DiscardUnknown()

func (*TypePeerNotifyEvents) XXX_Marshal added in v0.4.1

func (m *TypePeerNotifyEvents) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePeerNotifyEvents) XXX_Merge added in v0.4.1

func (dst *TypePeerNotifyEvents) XXX_Merge(src proto.Message)

func (*TypePeerNotifyEvents) XXX_OneofFuncs

func (*TypePeerNotifyEvents) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePeerNotifyEvents) XXX_Size added in v0.4.1

func (m *TypePeerNotifyEvents) XXX_Size() int

func (*TypePeerNotifyEvents) XXX_Unmarshal added in v0.4.1

func (m *TypePeerNotifyEvents) XXX_Unmarshal(b []byte) error

type TypePeerNotifyEvents_PeerNotifyEventsAll

type TypePeerNotifyEvents_PeerNotifyEventsAll struct {
	PeerNotifyEventsAll *PredPeerNotifyEventsAll `protobuf:"bytes,2,opt,name=PeerNotifyEventsAll,oneof"`
}

type TypePeerNotifyEvents_PeerNotifyEventsEmpty

type TypePeerNotifyEvents_PeerNotifyEventsEmpty struct {
	PeerNotifyEventsEmpty *PredPeerNotifyEventsEmpty `protobuf:"bytes,1,opt,name=PeerNotifyEventsEmpty,oneof"`
}

type TypePeerNotifySettings

type TypePeerNotifySettings struct {
	// Types that are valid to be assigned to Value:
	//	*TypePeerNotifySettings_PeerNotifySettingsEmpty
	//	*TypePeerNotifySettings_PeerNotifySettings
	Value                isTypePeerNotifySettings_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                       `json:"-"`
	XXX_unrecognized     []byte                         `json:"-"`
	XXX_sizecache        int32                          `json:"-"`
}

func (*TypePeerNotifySettings) Descriptor

func (*TypePeerNotifySettings) Descriptor() ([]byte, []int)

func (*TypePeerNotifySettings) GetPeerNotifySettings

func (m *TypePeerNotifySettings) GetPeerNotifySettings() *PredPeerNotifySettings

func (*TypePeerNotifySettings) GetPeerNotifySettingsEmpty

func (m *TypePeerNotifySettings) GetPeerNotifySettingsEmpty() *PredPeerNotifySettingsEmpty

func (*TypePeerNotifySettings) GetValue

func (m *TypePeerNotifySettings) GetValue() isTypePeerNotifySettings_Value

func (*TypePeerNotifySettings) ProtoMessage

func (*TypePeerNotifySettings) ProtoMessage()

func (*TypePeerNotifySettings) Reset

func (m *TypePeerNotifySettings) Reset()

func (*TypePeerNotifySettings) String

func (m *TypePeerNotifySettings) String() string

func (*TypePeerNotifySettings) XXX_DiscardUnknown added in v0.4.1

func (m *TypePeerNotifySettings) XXX_DiscardUnknown()

func (*TypePeerNotifySettings) XXX_Marshal added in v0.4.1

func (m *TypePeerNotifySettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePeerNotifySettings) XXX_Merge added in v0.4.1

func (dst *TypePeerNotifySettings) XXX_Merge(src proto.Message)

func (*TypePeerNotifySettings) XXX_OneofFuncs

func (*TypePeerNotifySettings) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePeerNotifySettings) XXX_Size added in v0.4.1

func (m *TypePeerNotifySettings) XXX_Size() int

func (*TypePeerNotifySettings) XXX_Unmarshal added in v0.4.1

func (m *TypePeerNotifySettings) XXX_Unmarshal(b []byte) error

type TypePeerNotifySettings_PeerNotifySettings

type TypePeerNotifySettings_PeerNotifySettings struct {
	PeerNotifySettings *PredPeerNotifySettings `protobuf:"bytes,2,opt,name=PeerNotifySettings,oneof"`
}

type TypePeerNotifySettings_PeerNotifySettingsEmpty

type TypePeerNotifySettings_PeerNotifySettingsEmpty struct {
	PeerNotifySettingsEmpty *PredPeerNotifySettingsEmpty `protobuf:"bytes,1,opt,name=PeerNotifySettingsEmpty,oneof"`
}

type TypePeerSettings

type TypePeerSettings struct {
	Value                *PredPeerSettings `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypePeerSettings) Descriptor

func (*TypePeerSettings) Descriptor() ([]byte, []int)

func (*TypePeerSettings) GetValue

func (m *TypePeerSettings) GetValue() *PredPeerSettings

func (*TypePeerSettings) ProtoMessage

func (*TypePeerSettings) ProtoMessage()

func (*TypePeerSettings) Reset

func (m *TypePeerSettings) Reset()

func (*TypePeerSettings) String

func (m *TypePeerSettings) String() string

func (*TypePeerSettings) XXX_DiscardUnknown added in v0.4.1

func (m *TypePeerSettings) XXX_DiscardUnknown()

func (*TypePeerSettings) XXX_Marshal added in v0.4.1

func (m *TypePeerSettings) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePeerSettings) XXX_Merge added in v0.4.1

func (dst *TypePeerSettings) XXX_Merge(src proto.Message)

func (*TypePeerSettings) XXX_Size added in v0.4.1

func (m *TypePeerSettings) XXX_Size() int

func (*TypePeerSettings) XXX_Unmarshal added in v0.4.1

func (m *TypePeerSettings) XXX_Unmarshal(b []byte) error

type TypePeer_PeerChannel

type TypePeer_PeerChannel struct {
	PeerChannel *PredPeerChannel `protobuf:"bytes,3,opt,name=PeerChannel,oneof"`
}

type TypePeer_PeerChat

type TypePeer_PeerChat struct {
	PeerChat *PredPeerChat `protobuf:"bytes,2,opt,name=PeerChat,oneof"`
}

type TypePeer_PeerUser

type TypePeer_PeerUser struct {
	PeerUser *PredPeerUser `protobuf:"bytes,1,opt,name=PeerUser,oneof"`
}

type TypePhoneCall

type TypePhoneCall struct {
	// Types that are valid to be assigned to Value:
	//	*TypePhoneCall_PhoneCallEmpty
	//	*TypePhoneCall_PhoneCallWaiting
	//	*TypePhoneCall_PhoneCallRequested
	//	*TypePhoneCall_PhoneCall
	//	*TypePhoneCall_PhoneCallDiscarded
	//	*TypePhoneCall_PhoneCallAccepted
	Value                isTypePhoneCall_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypePhoneCall) Descriptor

func (*TypePhoneCall) Descriptor() ([]byte, []int)

func (*TypePhoneCall) GetPhoneCall

func (m *TypePhoneCall) GetPhoneCall() *PredPhoneCall

func (*TypePhoneCall) GetPhoneCallAccepted

func (m *TypePhoneCall) GetPhoneCallAccepted() *PredPhoneCallAccepted

func (*TypePhoneCall) GetPhoneCallDiscarded

func (m *TypePhoneCall) GetPhoneCallDiscarded() *PredPhoneCallDiscarded

func (*TypePhoneCall) GetPhoneCallEmpty

func (m *TypePhoneCall) GetPhoneCallEmpty() *PredPhoneCallEmpty

func (*TypePhoneCall) GetPhoneCallRequested

func (m *TypePhoneCall) GetPhoneCallRequested() *PredPhoneCallRequested

func (*TypePhoneCall) GetPhoneCallWaiting

func (m *TypePhoneCall) GetPhoneCallWaiting() *PredPhoneCallWaiting

func (*TypePhoneCall) GetValue

func (m *TypePhoneCall) GetValue() isTypePhoneCall_Value

func (*TypePhoneCall) ProtoMessage

func (*TypePhoneCall) ProtoMessage()

func (*TypePhoneCall) Reset

func (m *TypePhoneCall) Reset()

func (*TypePhoneCall) String

func (m *TypePhoneCall) String() string

func (*TypePhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhoneCall) XXX_DiscardUnknown()

func (*TypePhoneCall) XXX_Marshal added in v0.4.1

func (m *TypePhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhoneCall) XXX_Merge added in v0.4.1

func (dst *TypePhoneCall) XXX_Merge(src proto.Message)

func (*TypePhoneCall) XXX_OneofFuncs

func (*TypePhoneCall) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePhoneCall) XXX_Size added in v0.4.1

func (m *TypePhoneCall) XXX_Size() int

func (*TypePhoneCall) XXX_Unmarshal added in v0.4.1

func (m *TypePhoneCall) XXX_Unmarshal(b []byte) error

type TypePhoneCallDiscardReason

type TypePhoneCallDiscardReason struct {
	// Types that are valid to be assigned to Value:
	//	*TypePhoneCallDiscardReason_PhoneCallDiscardReasonMissed
	//	*TypePhoneCallDiscardReason_PhoneCallDiscardReasonDisconnect
	//	*TypePhoneCallDiscardReason_PhoneCallDiscardReasonHangup
	//	*TypePhoneCallDiscardReason_PhoneCallDiscardReasonBusy
	Value                isTypePhoneCallDiscardReason_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                           `json:"-"`
	XXX_unrecognized     []byte                             `json:"-"`
	XXX_sizecache        int32                              `json:"-"`
}

func (*TypePhoneCallDiscardReason) Descriptor

func (*TypePhoneCallDiscardReason) Descriptor() ([]byte, []int)

func (*TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonBusy

func (m *TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonBusy() *PredPhoneCallDiscardReasonBusy

func (*TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonDisconnect

func (m *TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonDisconnect() *PredPhoneCallDiscardReasonDisconnect

func (*TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonHangup

func (m *TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonHangup() *PredPhoneCallDiscardReasonHangup

func (*TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonMissed

func (m *TypePhoneCallDiscardReason) GetPhoneCallDiscardReasonMissed() *PredPhoneCallDiscardReasonMissed

func (*TypePhoneCallDiscardReason) GetValue

func (m *TypePhoneCallDiscardReason) GetValue() isTypePhoneCallDiscardReason_Value

func (*TypePhoneCallDiscardReason) ProtoMessage

func (*TypePhoneCallDiscardReason) ProtoMessage()

func (*TypePhoneCallDiscardReason) Reset

func (m *TypePhoneCallDiscardReason) Reset()

func (*TypePhoneCallDiscardReason) String

func (m *TypePhoneCallDiscardReason) String() string

func (*TypePhoneCallDiscardReason) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhoneCallDiscardReason) XXX_DiscardUnknown()

func (*TypePhoneCallDiscardReason) XXX_Marshal added in v0.4.1

func (m *TypePhoneCallDiscardReason) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhoneCallDiscardReason) XXX_Merge added in v0.4.1

func (dst *TypePhoneCallDiscardReason) XXX_Merge(src proto.Message)

func (*TypePhoneCallDiscardReason) XXX_OneofFuncs

func (*TypePhoneCallDiscardReason) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePhoneCallDiscardReason) XXX_Size added in v0.4.1

func (m *TypePhoneCallDiscardReason) XXX_Size() int

func (*TypePhoneCallDiscardReason) XXX_Unmarshal added in v0.4.1

func (m *TypePhoneCallDiscardReason) XXX_Unmarshal(b []byte) error

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonBusy

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonBusy struct {
	PhoneCallDiscardReasonBusy *PredPhoneCallDiscardReasonBusy `protobuf:"bytes,4,opt,name=PhoneCallDiscardReasonBusy,oneof"`
}

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonDisconnect

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonDisconnect struct {
	PhoneCallDiscardReasonDisconnect *PredPhoneCallDiscardReasonDisconnect `protobuf:"bytes,2,opt,name=PhoneCallDiscardReasonDisconnect,oneof"`
}

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonHangup

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonHangup struct {
	PhoneCallDiscardReasonHangup *PredPhoneCallDiscardReasonHangup `protobuf:"bytes,3,opt,name=PhoneCallDiscardReasonHangup,oneof"`
}

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonMissed

type TypePhoneCallDiscardReason_PhoneCallDiscardReasonMissed struct {
	PhoneCallDiscardReasonMissed *PredPhoneCallDiscardReasonMissed `protobuf:"bytes,1,opt,name=PhoneCallDiscardReasonMissed,oneof"`
}

type TypePhoneCallProtocol

type TypePhoneCallProtocol struct {
	Value                *PredPhoneCallProtocol `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypePhoneCallProtocol) Descriptor

func (*TypePhoneCallProtocol) Descriptor() ([]byte, []int)

func (*TypePhoneCallProtocol) GetValue

func (*TypePhoneCallProtocol) ProtoMessage

func (*TypePhoneCallProtocol) ProtoMessage()

func (*TypePhoneCallProtocol) Reset

func (m *TypePhoneCallProtocol) Reset()

func (*TypePhoneCallProtocol) String

func (m *TypePhoneCallProtocol) String() string

func (*TypePhoneCallProtocol) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhoneCallProtocol) XXX_DiscardUnknown()

func (*TypePhoneCallProtocol) XXX_Marshal added in v0.4.1

func (m *TypePhoneCallProtocol) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhoneCallProtocol) XXX_Merge added in v0.4.1

func (dst *TypePhoneCallProtocol) XXX_Merge(src proto.Message)

func (*TypePhoneCallProtocol) XXX_Size added in v0.4.1

func (m *TypePhoneCallProtocol) XXX_Size() int

func (*TypePhoneCallProtocol) XXX_Unmarshal added in v0.4.1

func (m *TypePhoneCallProtocol) XXX_Unmarshal(b []byte) error

type TypePhoneCall_PhoneCall

type TypePhoneCall_PhoneCall struct {
	PhoneCall *PredPhoneCall `protobuf:"bytes,4,opt,name=PhoneCall,oneof"`
}

type TypePhoneCall_PhoneCallAccepted

type TypePhoneCall_PhoneCallAccepted struct {
	PhoneCallAccepted *PredPhoneCallAccepted `protobuf:"bytes,6,opt,name=PhoneCallAccepted,oneof"`
}

type TypePhoneCall_PhoneCallDiscarded

type TypePhoneCall_PhoneCallDiscarded struct {
	PhoneCallDiscarded *PredPhoneCallDiscarded `protobuf:"bytes,5,opt,name=PhoneCallDiscarded,oneof"`
}

type TypePhoneCall_PhoneCallEmpty

type TypePhoneCall_PhoneCallEmpty struct {
	PhoneCallEmpty *PredPhoneCallEmpty `protobuf:"bytes,1,opt,name=PhoneCallEmpty,oneof"`
}

type TypePhoneCall_PhoneCallRequested

type TypePhoneCall_PhoneCallRequested struct {
	PhoneCallRequested *PredPhoneCallRequested `protobuf:"bytes,3,opt,name=PhoneCallRequested,oneof"`
}

type TypePhoneCall_PhoneCallWaiting

type TypePhoneCall_PhoneCallWaiting struct {
	PhoneCallWaiting *PredPhoneCallWaiting `protobuf:"bytes,2,opt,name=PhoneCallWaiting,oneof"`
}

type TypePhoneConnection

type TypePhoneConnection struct {
	Value                *PredPhoneConnection `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypePhoneConnection) Descriptor

func (*TypePhoneConnection) Descriptor() ([]byte, []int)

func (*TypePhoneConnection) GetValue

func (*TypePhoneConnection) ProtoMessage

func (*TypePhoneConnection) ProtoMessage()

func (*TypePhoneConnection) Reset

func (m *TypePhoneConnection) Reset()

func (*TypePhoneConnection) String

func (m *TypePhoneConnection) String() string

func (*TypePhoneConnection) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhoneConnection) XXX_DiscardUnknown()

func (*TypePhoneConnection) XXX_Marshal added in v0.4.1

func (m *TypePhoneConnection) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhoneConnection) XXX_Merge added in v0.4.1

func (dst *TypePhoneConnection) XXX_Merge(src proto.Message)

func (*TypePhoneConnection) XXX_Size added in v0.4.1

func (m *TypePhoneConnection) XXX_Size() int

func (*TypePhoneConnection) XXX_Unmarshal added in v0.4.1

func (m *TypePhoneConnection) XXX_Unmarshal(b []byte) error

type TypePhonePhoneCall

type TypePhonePhoneCall struct {
	Value                *PredPhonePhoneCall `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypePhonePhoneCall) Descriptor

func (*TypePhonePhoneCall) Descriptor() ([]byte, []int)

func (*TypePhonePhoneCall) GetValue

func (m *TypePhonePhoneCall) GetValue() *PredPhonePhoneCall

func (*TypePhonePhoneCall) ProtoMessage

func (*TypePhonePhoneCall) ProtoMessage()

func (*TypePhonePhoneCall) Reset

func (m *TypePhonePhoneCall) Reset()

func (*TypePhonePhoneCall) String

func (m *TypePhonePhoneCall) String() string

func (*TypePhonePhoneCall) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhonePhoneCall) XXX_DiscardUnknown()

func (*TypePhonePhoneCall) XXX_Marshal added in v0.4.1

func (m *TypePhonePhoneCall) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhonePhoneCall) XXX_Merge added in v0.4.1

func (dst *TypePhonePhoneCall) XXX_Merge(src proto.Message)

func (*TypePhonePhoneCall) XXX_Size added in v0.4.1

func (m *TypePhonePhoneCall) XXX_Size() int

func (*TypePhonePhoneCall) XXX_Unmarshal added in v0.4.1

func (m *TypePhonePhoneCall) XXX_Unmarshal(b []byte) error

type TypePhoto

type TypePhoto struct {
	// Types that are valid to be assigned to Value:
	//	*TypePhoto_PhotoEmpty
	//	*TypePhoto_Photo
	Value                isTypePhoto_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypePhoto) Descriptor

func (*TypePhoto) Descriptor() ([]byte, []int)

func (*TypePhoto) GetPhoto

func (m *TypePhoto) GetPhoto() *PredPhoto

func (*TypePhoto) GetPhotoEmpty

func (m *TypePhoto) GetPhotoEmpty() *PredPhotoEmpty

func (*TypePhoto) GetValue

func (m *TypePhoto) GetValue() isTypePhoto_Value

func (*TypePhoto) ProtoMessage

func (*TypePhoto) ProtoMessage()

func (*TypePhoto) Reset

func (m *TypePhoto) Reset()

func (*TypePhoto) String

func (m *TypePhoto) String() string

func (*TypePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhoto) XXX_DiscardUnknown()

func (*TypePhoto) XXX_Marshal added in v0.4.1

func (m *TypePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhoto) XXX_Merge added in v0.4.1

func (dst *TypePhoto) XXX_Merge(src proto.Message)

func (*TypePhoto) XXX_OneofFuncs

func (*TypePhoto) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePhoto) XXX_Size added in v0.4.1

func (m *TypePhoto) XXX_Size() int

func (*TypePhoto) XXX_Unmarshal added in v0.4.1

func (m *TypePhoto) XXX_Unmarshal(b []byte) error

type TypePhotoSize

type TypePhotoSize struct {
	// Types that are valid to be assigned to Value:
	//	*TypePhotoSize_PhotoSizeEmpty
	//	*TypePhotoSize_PhotoSize
	//	*TypePhotoSize_PhotoCachedSize
	Value                isTypePhotoSize_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypePhotoSize) Descriptor

func (*TypePhotoSize) Descriptor() ([]byte, []int)

func (*TypePhotoSize) GetPhotoCachedSize

func (m *TypePhotoSize) GetPhotoCachedSize() *PredPhotoCachedSize

func (*TypePhotoSize) GetPhotoSize

func (m *TypePhotoSize) GetPhotoSize() *PredPhotoSize

func (*TypePhotoSize) GetPhotoSizeEmpty

func (m *TypePhotoSize) GetPhotoSizeEmpty() *PredPhotoSizeEmpty

func (*TypePhotoSize) GetValue

func (m *TypePhotoSize) GetValue() isTypePhotoSize_Value

func (*TypePhotoSize) ProtoMessage

func (*TypePhotoSize) ProtoMessage()

func (*TypePhotoSize) Reset

func (m *TypePhotoSize) Reset()

func (*TypePhotoSize) String

func (m *TypePhotoSize) String() string

func (*TypePhotoSize) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhotoSize) XXX_DiscardUnknown()

func (*TypePhotoSize) XXX_Marshal added in v0.4.1

func (m *TypePhotoSize) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhotoSize) XXX_Merge added in v0.4.1

func (dst *TypePhotoSize) XXX_Merge(src proto.Message)

func (*TypePhotoSize) XXX_OneofFuncs

func (*TypePhotoSize) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePhotoSize) XXX_Size added in v0.4.1

func (m *TypePhotoSize) XXX_Size() int

func (*TypePhotoSize) XXX_Unmarshal added in v0.4.1

func (m *TypePhotoSize) XXX_Unmarshal(b []byte) error

type TypePhotoSize_PhotoCachedSize

type TypePhotoSize_PhotoCachedSize struct {
	PhotoCachedSize *PredPhotoCachedSize `protobuf:"bytes,3,opt,name=PhotoCachedSize,oneof"`
}

type TypePhotoSize_PhotoSize

type TypePhotoSize_PhotoSize struct {
	PhotoSize *PredPhotoSize `protobuf:"bytes,2,opt,name=PhotoSize,oneof"`
}

type TypePhotoSize_PhotoSizeEmpty

type TypePhotoSize_PhotoSizeEmpty struct {
	PhotoSizeEmpty *PredPhotoSizeEmpty `protobuf:"bytes,1,opt,name=PhotoSizeEmpty,oneof"`
}

type TypePhoto_Photo

type TypePhoto_Photo struct {
	Photo *PredPhoto `protobuf:"bytes,2,opt,name=Photo,oneof"`
}

type TypePhoto_PhotoEmpty

type TypePhoto_PhotoEmpty struct {
	PhotoEmpty *PredPhotoEmpty `protobuf:"bytes,1,opt,name=PhotoEmpty,oneof"`
}

type TypePhotosPhoto

type TypePhotosPhoto struct {
	Value                *PredPhotosPhoto `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypePhotosPhoto) Descriptor

func (*TypePhotosPhoto) Descriptor() ([]byte, []int)

func (*TypePhotosPhoto) GetValue

func (m *TypePhotosPhoto) GetValue() *PredPhotosPhoto

func (*TypePhotosPhoto) ProtoMessage

func (*TypePhotosPhoto) ProtoMessage()

func (*TypePhotosPhoto) Reset

func (m *TypePhotosPhoto) Reset()

func (*TypePhotosPhoto) String

func (m *TypePhotosPhoto) String() string

func (*TypePhotosPhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhotosPhoto) XXX_DiscardUnknown()

func (*TypePhotosPhoto) XXX_Marshal added in v0.4.1

func (m *TypePhotosPhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhotosPhoto) XXX_Merge added in v0.4.1

func (dst *TypePhotosPhoto) XXX_Merge(src proto.Message)

func (*TypePhotosPhoto) XXX_Size added in v0.4.1

func (m *TypePhotosPhoto) XXX_Size() int

func (*TypePhotosPhoto) XXX_Unmarshal added in v0.4.1

func (m *TypePhotosPhoto) XXX_Unmarshal(b []byte) error

type TypePhotosPhotos

type TypePhotosPhotos struct {
	// Types that are valid to be assigned to Value:
	//	*TypePhotosPhotos_PhotosPhotos
	//	*TypePhotosPhotos_PhotosPhotosSlice
	Value                isTypePhotosPhotos_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypePhotosPhotos) Descriptor

func (*TypePhotosPhotos) Descriptor() ([]byte, []int)

func (*TypePhotosPhotos) GetPhotosPhotos

func (m *TypePhotosPhotos) GetPhotosPhotos() *PredPhotosPhotos

func (*TypePhotosPhotos) GetPhotosPhotosSlice

func (m *TypePhotosPhotos) GetPhotosPhotosSlice() *PredPhotosPhotosSlice

func (*TypePhotosPhotos) GetValue

func (m *TypePhotosPhotos) GetValue() isTypePhotosPhotos_Value

func (*TypePhotosPhotos) ProtoMessage

func (*TypePhotosPhotos) ProtoMessage()

func (*TypePhotosPhotos) Reset

func (m *TypePhotosPhotos) Reset()

func (*TypePhotosPhotos) String

func (m *TypePhotosPhotos) String() string

func (*TypePhotosPhotos) XXX_DiscardUnknown added in v0.4.1

func (m *TypePhotosPhotos) XXX_DiscardUnknown()

func (*TypePhotosPhotos) XXX_Marshal added in v0.4.1

func (m *TypePhotosPhotos) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePhotosPhotos) XXX_Merge added in v0.4.1

func (dst *TypePhotosPhotos) XXX_Merge(src proto.Message)

func (*TypePhotosPhotos) XXX_OneofFuncs

func (*TypePhotosPhotos) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePhotosPhotos) XXX_Size added in v0.4.1

func (m *TypePhotosPhotos) XXX_Size() int

func (*TypePhotosPhotos) XXX_Unmarshal added in v0.4.1

func (m *TypePhotosPhotos) XXX_Unmarshal(b []byte) error

type TypePhotosPhotos_PhotosPhotos

type TypePhotosPhotos_PhotosPhotos struct {
	PhotosPhotos *PredPhotosPhotos `protobuf:"bytes,1,opt,name=PhotosPhotos,oneof"`
}

type TypePhotosPhotos_PhotosPhotosSlice

type TypePhotosPhotos_PhotosPhotosSlice struct {
	PhotosPhotosSlice *PredPhotosPhotosSlice `protobuf:"bytes,2,opt,name=PhotosPhotosSlice,oneof"`
}

type TypePopularContact

type TypePopularContact struct {
	Value                *PredPopularContact `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypePopularContact) Descriptor

func (*TypePopularContact) Descriptor() ([]byte, []int)

func (*TypePopularContact) GetValue

func (m *TypePopularContact) GetValue() *PredPopularContact

func (*TypePopularContact) ProtoMessage

func (*TypePopularContact) ProtoMessage()

func (*TypePopularContact) Reset

func (m *TypePopularContact) Reset()

func (*TypePopularContact) String

func (m *TypePopularContact) String() string

func (*TypePopularContact) XXX_DiscardUnknown added in v0.4.1

func (m *TypePopularContact) XXX_DiscardUnknown()

func (*TypePopularContact) XXX_Marshal added in v0.4.1

func (m *TypePopularContact) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePopularContact) XXX_Merge added in v0.4.1

func (dst *TypePopularContact) XXX_Merge(src proto.Message)

func (*TypePopularContact) XXX_Size added in v0.4.1

func (m *TypePopularContact) XXX_Size() int

func (*TypePopularContact) XXX_Unmarshal added in v0.4.1

func (m *TypePopularContact) XXX_Unmarshal(b []byte) error

type TypePostAddress

type TypePostAddress struct {
	Value                *PredPostAddress `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypePostAddress) Descriptor

func (*TypePostAddress) Descriptor() ([]byte, []int)

func (*TypePostAddress) GetValue

func (m *TypePostAddress) GetValue() *PredPostAddress

func (*TypePostAddress) ProtoMessage

func (*TypePostAddress) ProtoMessage()

func (*TypePostAddress) Reset

func (m *TypePostAddress) Reset()

func (*TypePostAddress) String

func (m *TypePostAddress) String() string

func (*TypePostAddress) XXX_DiscardUnknown added in v0.4.1

func (m *TypePostAddress) XXX_DiscardUnknown()

func (*TypePostAddress) XXX_Marshal added in v0.4.1

func (m *TypePostAddress) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePostAddress) XXX_Merge added in v0.4.1

func (dst *TypePostAddress) XXX_Merge(src proto.Message)

func (*TypePostAddress) XXX_Size added in v0.4.1

func (m *TypePostAddress) XXX_Size() int

func (*TypePostAddress) XXX_Unmarshal added in v0.4.1

func (m *TypePostAddress) XXX_Unmarshal(b []byte) error

type TypePrivacyKey

type TypePrivacyKey struct {
	// Types that are valid to be assigned to Value:
	//	*TypePrivacyKey_PrivacyKeyStatusTimestamp
	//	*TypePrivacyKey_PrivacyKeyChatInvite
	//	*TypePrivacyKey_PrivacyKeyPhoneCall
	Value                isTypePrivacyKey_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypePrivacyKey) Descriptor

func (*TypePrivacyKey) Descriptor() ([]byte, []int)

func (*TypePrivacyKey) GetPrivacyKeyChatInvite

func (m *TypePrivacyKey) GetPrivacyKeyChatInvite() *PredPrivacyKeyChatInvite

func (*TypePrivacyKey) GetPrivacyKeyPhoneCall

func (m *TypePrivacyKey) GetPrivacyKeyPhoneCall() *PredPrivacyKeyPhoneCall

func (*TypePrivacyKey) GetPrivacyKeyStatusTimestamp

func (m *TypePrivacyKey) GetPrivacyKeyStatusTimestamp() *PredPrivacyKeyStatusTimestamp

func (*TypePrivacyKey) GetValue

func (m *TypePrivacyKey) GetValue() isTypePrivacyKey_Value

func (*TypePrivacyKey) ProtoMessage

func (*TypePrivacyKey) ProtoMessage()

func (*TypePrivacyKey) Reset

func (m *TypePrivacyKey) Reset()

func (*TypePrivacyKey) String

func (m *TypePrivacyKey) String() string

func (*TypePrivacyKey) XXX_DiscardUnknown added in v0.4.1

func (m *TypePrivacyKey) XXX_DiscardUnknown()

func (*TypePrivacyKey) XXX_Marshal added in v0.4.1

func (m *TypePrivacyKey) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePrivacyKey) XXX_Merge added in v0.4.1

func (dst *TypePrivacyKey) XXX_Merge(src proto.Message)

func (*TypePrivacyKey) XXX_OneofFuncs

func (*TypePrivacyKey) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePrivacyKey) XXX_Size added in v0.4.1

func (m *TypePrivacyKey) XXX_Size() int

func (*TypePrivacyKey) XXX_Unmarshal added in v0.4.1

func (m *TypePrivacyKey) XXX_Unmarshal(b []byte) error

type TypePrivacyKey_PrivacyKeyChatInvite

type TypePrivacyKey_PrivacyKeyChatInvite struct {
	PrivacyKeyChatInvite *PredPrivacyKeyChatInvite `protobuf:"bytes,2,opt,name=PrivacyKeyChatInvite,oneof"`
}

type TypePrivacyKey_PrivacyKeyPhoneCall

type TypePrivacyKey_PrivacyKeyPhoneCall struct {
	PrivacyKeyPhoneCall *PredPrivacyKeyPhoneCall `protobuf:"bytes,3,opt,name=PrivacyKeyPhoneCall,oneof"`
}

type TypePrivacyKey_PrivacyKeyStatusTimestamp

type TypePrivacyKey_PrivacyKeyStatusTimestamp struct {
	PrivacyKeyStatusTimestamp *PredPrivacyKeyStatusTimestamp `protobuf:"bytes,1,opt,name=PrivacyKeyStatusTimestamp,oneof"`
}

type TypePrivacyRule

type TypePrivacyRule struct {
	// Types that are valid to be assigned to Value:
	//	*TypePrivacyRule_PrivacyValueAllowContacts
	//	*TypePrivacyRule_PrivacyValueAllowAll
	//	*TypePrivacyRule_PrivacyValueAllowUsers
	//	*TypePrivacyRule_PrivacyValueDisallowContacts
	//	*TypePrivacyRule_PrivacyValueDisallowAll
	//	*TypePrivacyRule_PrivacyValueDisallowUsers
	Value                isTypePrivacyRule_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypePrivacyRule) Descriptor

func (*TypePrivacyRule) Descriptor() ([]byte, []int)

func (*TypePrivacyRule) GetPrivacyValueAllowAll

func (m *TypePrivacyRule) GetPrivacyValueAllowAll() *PredPrivacyValueAllowAll

func (*TypePrivacyRule) GetPrivacyValueAllowContacts

func (m *TypePrivacyRule) GetPrivacyValueAllowContacts() *PredPrivacyValueAllowContacts

func (*TypePrivacyRule) GetPrivacyValueAllowUsers

func (m *TypePrivacyRule) GetPrivacyValueAllowUsers() *PredPrivacyValueAllowUsers

func (*TypePrivacyRule) GetPrivacyValueDisallowAll

func (m *TypePrivacyRule) GetPrivacyValueDisallowAll() *PredPrivacyValueDisallowAll

func (*TypePrivacyRule) GetPrivacyValueDisallowContacts

func (m *TypePrivacyRule) GetPrivacyValueDisallowContacts() *PredPrivacyValueDisallowContacts

func (*TypePrivacyRule) GetPrivacyValueDisallowUsers

func (m *TypePrivacyRule) GetPrivacyValueDisallowUsers() *PredPrivacyValueDisallowUsers

func (*TypePrivacyRule) GetValue

func (m *TypePrivacyRule) GetValue() isTypePrivacyRule_Value

func (*TypePrivacyRule) ProtoMessage

func (*TypePrivacyRule) ProtoMessage()

func (*TypePrivacyRule) Reset

func (m *TypePrivacyRule) Reset()

func (*TypePrivacyRule) String

func (m *TypePrivacyRule) String() string

func (*TypePrivacyRule) XXX_DiscardUnknown added in v0.4.1

func (m *TypePrivacyRule) XXX_DiscardUnknown()

func (*TypePrivacyRule) XXX_Marshal added in v0.4.1

func (m *TypePrivacyRule) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypePrivacyRule) XXX_Merge added in v0.4.1

func (dst *TypePrivacyRule) XXX_Merge(src proto.Message)

func (*TypePrivacyRule) XXX_OneofFuncs

func (*TypePrivacyRule) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypePrivacyRule) XXX_Size added in v0.4.1

func (m *TypePrivacyRule) XXX_Size() int

func (*TypePrivacyRule) XXX_Unmarshal added in v0.4.1

func (m *TypePrivacyRule) XXX_Unmarshal(b []byte) error

type TypePrivacyRule_PrivacyValueAllowAll

type TypePrivacyRule_PrivacyValueAllowAll struct {
	PrivacyValueAllowAll *PredPrivacyValueAllowAll `protobuf:"bytes,2,opt,name=PrivacyValueAllowAll,oneof"`
}

type TypePrivacyRule_PrivacyValueAllowContacts

type TypePrivacyRule_PrivacyValueAllowContacts struct {
	PrivacyValueAllowContacts *PredPrivacyValueAllowContacts `protobuf:"bytes,1,opt,name=PrivacyValueAllowContacts,oneof"`
}

type TypePrivacyRule_PrivacyValueAllowUsers

type TypePrivacyRule_PrivacyValueAllowUsers struct {
	PrivacyValueAllowUsers *PredPrivacyValueAllowUsers `protobuf:"bytes,3,opt,name=PrivacyValueAllowUsers,oneof"`
}

type TypePrivacyRule_PrivacyValueDisallowAll

type TypePrivacyRule_PrivacyValueDisallowAll struct {
	PrivacyValueDisallowAll *PredPrivacyValueDisallowAll `protobuf:"bytes,5,opt,name=PrivacyValueDisallowAll,oneof"`
}

type TypePrivacyRule_PrivacyValueDisallowContacts

type TypePrivacyRule_PrivacyValueDisallowContacts struct {
	PrivacyValueDisallowContacts *PredPrivacyValueDisallowContacts `protobuf:"bytes,4,opt,name=PrivacyValueDisallowContacts,oneof"`
}

type TypePrivacyRule_PrivacyValueDisallowUsers

type TypePrivacyRule_PrivacyValueDisallowUsers struct {
	PrivacyValueDisallowUsers *PredPrivacyValueDisallowUsers `protobuf:"bytes,6,opt,name=PrivacyValueDisallowUsers,oneof"`
}

type TypeReceivedNotifyMessage

type TypeReceivedNotifyMessage struct {
	Value                *PredReceivedNotifyMessage `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                   `json:"-"`
	XXX_unrecognized     []byte                     `json:"-"`
	XXX_sizecache        int32                      `json:"-"`
}

func (*TypeReceivedNotifyMessage) Descriptor

func (*TypeReceivedNotifyMessage) Descriptor() ([]byte, []int)

func (*TypeReceivedNotifyMessage) GetValue

func (*TypeReceivedNotifyMessage) ProtoMessage

func (*TypeReceivedNotifyMessage) ProtoMessage()

func (*TypeReceivedNotifyMessage) Reset

func (m *TypeReceivedNotifyMessage) Reset()

func (*TypeReceivedNotifyMessage) String

func (m *TypeReceivedNotifyMessage) String() string

func (*TypeReceivedNotifyMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeReceivedNotifyMessage) XXX_DiscardUnknown()

func (*TypeReceivedNotifyMessage) XXX_Marshal added in v0.4.1

func (m *TypeReceivedNotifyMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeReceivedNotifyMessage) XXX_Merge added in v0.4.1

func (dst *TypeReceivedNotifyMessage) XXX_Merge(src proto.Message)

func (*TypeReceivedNotifyMessage) XXX_Size added in v0.4.1

func (m *TypeReceivedNotifyMessage) XXX_Size() int

func (*TypeReceivedNotifyMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeReceivedNotifyMessage) XXX_Unmarshal(b []byte) error

type TypeReplyMarkup

type TypeReplyMarkup struct {
	// Types that are valid to be assigned to Value:
	//	*TypeReplyMarkup_ReplyKeyboardHide
	//	*TypeReplyMarkup_ReplyKeyboardForceReply
	//	*TypeReplyMarkup_ReplyKeyboardMarkup
	//	*TypeReplyMarkup_ReplyInlineMarkup
	Value                isTypeReplyMarkup_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeReplyMarkup) Descriptor

func (*TypeReplyMarkup) Descriptor() ([]byte, []int)

func (*TypeReplyMarkup) GetReplyInlineMarkup

func (m *TypeReplyMarkup) GetReplyInlineMarkup() *PredReplyInlineMarkup

func (*TypeReplyMarkup) GetReplyKeyboardForceReply

func (m *TypeReplyMarkup) GetReplyKeyboardForceReply() *PredReplyKeyboardForceReply

func (*TypeReplyMarkup) GetReplyKeyboardHide

func (m *TypeReplyMarkup) GetReplyKeyboardHide() *PredReplyKeyboardHide

func (*TypeReplyMarkup) GetReplyKeyboardMarkup

func (m *TypeReplyMarkup) GetReplyKeyboardMarkup() *PredReplyKeyboardMarkup

func (*TypeReplyMarkup) GetValue

func (m *TypeReplyMarkup) GetValue() isTypeReplyMarkup_Value

func (*TypeReplyMarkup) ProtoMessage

func (*TypeReplyMarkup) ProtoMessage()

func (*TypeReplyMarkup) Reset

func (m *TypeReplyMarkup) Reset()

func (*TypeReplyMarkup) String

func (m *TypeReplyMarkup) String() string

func (*TypeReplyMarkup) XXX_DiscardUnknown added in v0.4.1

func (m *TypeReplyMarkup) XXX_DiscardUnknown()

func (*TypeReplyMarkup) XXX_Marshal added in v0.4.1

func (m *TypeReplyMarkup) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeReplyMarkup) XXX_Merge added in v0.4.1

func (dst *TypeReplyMarkup) XXX_Merge(src proto.Message)

func (*TypeReplyMarkup) XXX_OneofFuncs

func (*TypeReplyMarkup) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeReplyMarkup) XXX_Size added in v0.4.1

func (m *TypeReplyMarkup) XXX_Size() int

func (*TypeReplyMarkup) XXX_Unmarshal added in v0.4.1

func (m *TypeReplyMarkup) XXX_Unmarshal(b []byte) error

type TypeReplyMarkup_ReplyInlineMarkup

type TypeReplyMarkup_ReplyInlineMarkup struct {
	ReplyInlineMarkup *PredReplyInlineMarkup `protobuf:"bytes,4,opt,name=ReplyInlineMarkup,oneof"`
}

type TypeReplyMarkup_ReplyKeyboardForceReply

type TypeReplyMarkup_ReplyKeyboardForceReply struct {
	ReplyKeyboardForceReply *PredReplyKeyboardForceReply `protobuf:"bytes,2,opt,name=ReplyKeyboardForceReply,oneof"`
}

type TypeReplyMarkup_ReplyKeyboardHide

type TypeReplyMarkup_ReplyKeyboardHide struct {
	ReplyKeyboardHide *PredReplyKeyboardHide `protobuf:"bytes,1,opt,name=ReplyKeyboardHide,oneof"`
}

type TypeReplyMarkup_ReplyKeyboardMarkup

type TypeReplyMarkup_ReplyKeyboardMarkup struct {
	ReplyKeyboardMarkup *PredReplyKeyboardMarkup `protobuf:"bytes,3,opt,name=ReplyKeyboardMarkup,oneof"`
}

type TypeReportReason

type TypeReportReason struct {
	// Types that are valid to be assigned to Value:
	//	*TypeReportReason_InputReportReasonSpam
	//	*TypeReportReason_InputReportReasonViolence
	//	*TypeReportReason_InputReportReasonPornography
	//	*TypeReportReason_InputReportReasonOther
	Value                isTypeReportReason_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeReportReason) Descriptor

func (*TypeReportReason) Descriptor() ([]byte, []int)

func (*TypeReportReason) GetInputReportReasonOther

func (m *TypeReportReason) GetInputReportReasonOther() *PredInputReportReasonOther

func (*TypeReportReason) GetInputReportReasonPornography

func (m *TypeReportReason) GetInputReportReasonPornography() *PredInputReportReasonPornography

func (*TypeReportReason) GetInputReportReasonSpam

func (m *TypeReportReason) GetInputReportReasonSpam() *PredInputReportReasonSpam

func (*TypeReportReason) GetInputReportReasonViolence

func (m *TypeReportReason) GetInputReportReasonViolence() *PredInputReportReasonViolence

func (*TypeReportReason) GetValue

func (m *TypeReportReason) GetValue() isTypeReportReason_Value

func (*TypeReportReason) ProtoMessage

func (*TypeReportReason) ProtoMessage()

func (*TypeReportReason) Reset

func (m *TypeReportReason) Reset()

func (*TypeReportReason) String

func (m *TypeReportReason) String() string

func (*TypeReportReason) XXX_DiscardUnknown added in v0.4.1

func (m *TypeReportReason) XXX_DiscardUnknown()

func (*TypeReportReason) XXX_Marshal added in v0.4.1

func (m *TypeReportReason) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeReportReason) XXX_Merge added in v0.4.1

func (dst *TypeReportReason) XXX_Merge(src proto.Message)

func (*TypeReportReason) XXX_OneofFuncs

func (*TypeReportReason) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeReportReason) XXX_Size added in v0.4.1

func (m *TypeReportReason) XXX_Size() int

func (*TypeReportReason) XXX_Unmarshal added in v0.4.1

func (m *TypeReportReason) XXX_Unmarshal(b []byte) error

type TypeReportReason_InputReportReasonOther

type TypeReportReason_InputReportReasonOther struct {
	InputReportReasonOther *PredInputReportReasonOther `protobuf:"bytes,4,opt,name=InputReportReasonOther,oneof"`
}

type TypeReportReason_InputReportReasonPornography

type TypeReportReason_InputReportReasonPornography struct {
	InputReportReasonPornography *PredInputReportReasonPornography `protobuf:"bytes,3,opt,name=InputReportReasonPornography,oneof"`
}

type TypeReportReason_InputReportReasonSpam

type TypeReportReason_InputReportReasonSpam struct {
	InputReportReasonSpam *PredInputReportReasonSpam `protobuf:"bytes,1,opt,name=InputReportReasonSpam,oneof"`
}

type TypeReportReason_InputReportReasonViolence

type TypeReportReason_InputReportReasonViolence struct {
	InputReportReasonViolence *PredInputReportReasonViolence `protobuf:"bytes,2,opt,name=InputReportReasonViolence,oneof"`
}

type TypeRichText

type TypeRichText struct {
	// Types that are valid to be assigned to Value:
	//	*TypeRichText_TextEmpty
	//	*TypeRichText_TextPlain
	//	*TypeRichText_TextBold
	//	*TypeRichText_TextItalic
	//	*TypeRichText_TextUnderline
	//	*TypeRichText_TextStrike
	//	*TypeRichText_TextFixed
	//	*TypeRichText_TextUrl
	//	*TypeRichText_TextEmail
	//	*TypeRichText_TextConcat
	Value                isTypeRichText_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeRichText) Descriptor

func (*TypeRichText) Descriptor() ([]byte, []int)

func (*TypeRichText) GetTextBold

func (m *TypeRichText) GetTextBold() *PredTextBold

func (*TypeRichText) GetTextConcat

func (m *TypeRichText) GetTextConcat() *PredTextConcat

func (*TypeRichText) GetTextEmail

func (m *TypeRichText) GetTextEmail() *PredTextEmail

func (*TypeRichText) GetTextEmpty

func (m *TypeRichText) GetTextEmpty() *PredTextEmpty

func (*TypeRichText) GetTextFixed

func (m *TypeRichText) GetTextFixed() *PredTextFixed

func (*TypeRichText) GetTextItalic

func (m *TypeRichText) GetTextItalic() *PredTextItalic

func (*TypeRichText) GetTextPlain

func (m *TypeRichText) GetTextPlain() *PredTextPlain

func (*TypeRichText) GetTextStrike

func (m *TypeRichText) GetTextStrike() *PredTextStrike

func (*TypeRichText) GetTextUnderline

func (m *TypeRichText) GetTextUnderline() *PredTextUnderline

func (*TypeRichText) GetTextUrl

func (m *TypeRichText) GetTextUrl() *PredTextUrl

func (*TypeRichText) GetValue

func (m *TypeRichText) GetValue() isTypeRichText_Value

func (*TypeRichText) ProtoMessage

func (*TypeRichText) ProtoMessage()

func (*TypeRichText) Reset

func (m *TypeRichText) Reset()

func (*TypeRichText) String

func (m *TypeRichText) String() string

func (*TypeRichText) XXX_DiscardUnknown added in v0.4.1

func (m *TypeRichText) XXX_DiscardUnknown()

func (*TypeRichText) XXX_Marshal added in v0.4.1

func (m *TypeRichText) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeRichText) XXX_Merge added in v0.4.1

func (dst *TypeRichText) XXX_Merge(src proto.Message)

func (*TypeRichText) XXX_OneofFuncs

func (*TypeRichText) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeRichText) XXX_Size added in v0.4.1

func (m *TypeRichText) XXX_Size() int

func (*TypeRichText) XXX_Unmarshal added in v0.4.1

func (m *TypeRichText) XXX_Unmarshal(b []byte) error

type TypeRichText_TextBold

type TypeRichText_TextBold struct {
	TextBold *PredTextBold `protobuf:"bytes,3,opt,name=TextBold,oneof"`
}

type TypeRichText_TextConcat

type TypeRichText_TextConcat struct {
	TextConcat *PredTextConcat `protobuf:"bytes,10,opt,name=TextConcat,oneof"`
}

type TypeRichText_TextEmail

type TypeRichText_TextEmail struct {
	TextEmail *PredTextEmail `protobuf:"bytes,9,opt,name=TextEmail,oneof"`
}

type TypeRichText_TextEmpty

type TypeRichText_TextEmpty struct {
	TextEmpty *PredTextEmpty `protobuf:"bytes,1,opt,name=TextEmpty,oneof"`
}

type TypeRichText_TextFixed

type TypeRichText_TextFixed struct {
	TextFixed *PredTextFixed `protobuf:"bytes,7,opt,name=TextFixed,oneof"`
}

type TypeRichText_TextItalic

type TypeRichText_TextItalic struct {
	TextItalic *PredTextItalic `protobuf:"bytes,4,opt,name=TextItalic,oneof"`
}

type TypeRichText_TextPlain

type TypeRichText_TextPlain struct {
	TextPlain *PredTextPlain `protobuf:"bytes,2,opt,name=TextPlain,oneof"`
}

type TypeRichText_TextStrike

type TypeRichText_TextStrike struct {
	TextStrike *PredTextStrike `protobuf:"bytes,6,opt,name=TextStrike,oneof"`
}

type TypeRichText_TextUnderline

type TypeRichText_TextUnderline struct {
	TextUnderline *PredTextUnderline `protobuf:"bytes,5,opt,name=TextUnderline,oneof"`
}

type TypeRichText_TextUrl

type TypeRichText_TextUrl struct {
	TextUrl *PredTextUrl `protobuf:"bytes,8,opt,name=TextUrl,oneof"`
}

type TypeSendMessageAction

type TypeSendMessageAction struct {
	// Types that are valid to be assigned to Value:
	//	*TypeSendMessageAction_SendMessageTypingAction
	//	*TypeSendMessageAction_SendMessageCancelAction
	//	*TypeSendMessageAction_SendMessageRecordVideoAction
	//	*TypeSendMessageAction_SendMessageUploadVideoAction
	//	*TypeSendMessageAction_SendMessageRecordAudioAction
	//	*TypeSendMessageAction_SendMessageUploadAudioAction
	//	*TypeSendMessageAction_SendMessageUploadPhotoAction
	//	*TypeSendMessageAction_SendMessageUploadDocumentAction
	//	*TypeSendMessageAction_SendMessageGeoLocationAction
	//	*TypeSendMessageAction_SendMessageChooseContactAction
	//	*TypeSendMessageAction_SendMessageGamePlayAction
	//	*TypeSendMessageAction_SendMessageRecordRoundAction
	//	*TypeSendMessageAction_SendMessageUploadRoundAction
	Value                isTypeSendMessageAction_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeSendMessageAction) Descriptor

func (*TypeSendMessageAction) Descriptor() ([]byte, []int)

func (*TypeSendMessageAction) GetSendMessageCancelAction

func (m *TypeSendMessageAction) GetSendMessageCancelAction() *PredSendMessageCancelAction

func (*TypeSendMessageAction) GetSendMessageChooseContactAction

func (m *TypeSendMessageAction) GetSendMessageChooseContactAction() *PredSendMessageChooseContactAction

func (*TypeSendMessageAction) GetSendMessageGamePlayAction

func (m *TypeSendMessageAction) GetSendMessageGamePlayAction() *PredSendMessageGamePlayAction

func (*TypeSendMessageAction) GetSendMessageGeoLocationAction

func (m *TypeSendMessageAction) GetSendMessageGeoLocationAction() *PredSendMessageGeoLocationAction

func (*TypeSendMessageAction) GetSendMessageRecordAudioAction

func (m *TypeSendMessageAction) GetSendMessageRecordAudioAction() *PredSendMessageRecordAudioAction

func (*TypeSendMessageAction) GetSendMessageRecordRoundAction

func (m *TypeSendMessageAction) GetSendMessageRecordRoundAction() *PredSendMessageRecordRoundAction

func (*TypeSendMessageAction) GetSendMessageRecordVideoAction

func (m *TypeSendMessageAction) GetSendMessageRecordVideoAction() *PredSendMessageRecordVideoAction

func (*TypeSendMessageAction) GetSendMessageTypingAction

func (m *TypeSendMessageAction) GetSendMessageTypingAction() *PredSendMessageTypingAction

func (*TypeSendMessageAction) GetSendMessageUploadAudioAction

func (m *TypeSendMessageAction) GetSendMessageUploadAudioAction() *PredSendMessageUploadAudioAction

func (*TypeSendMessageAction) GetSendMessageUploadDocumentAction

func (m *TypeSendMessageAction) GetSendMessageUploadDocumentAction() *PredSendMessageUploadDocumentAction

func (*TypeSendMessageAction) GetSendMessageUploadPhotoAction

func (m *TypeSendMessageAction) GetSendMessageUploadPhotoAction() *PredSendMessageUploadPhotoAction

func (*TypeSendMessageAction) GetSendMessageUploadRoundAction

func (m *TypeSendMessageAction) GetSendMessageUploadRoundAction() *PredSendMessageUploadRoundAction

func (*TypeSendMessageAction) GetSendMessageUploadVideoAction

func (m *TypeSendMessageAction) GetSendMessageUploadVideoAction() *PredSendMessageUploadVideoAction

func (*TypeSendMessageAction) GetValue

func (m *TypeSendMessageAction) GetValue() isTypeSendMessageAction_Value

func (*TypeSendMessageAction) ProtoMessage

func (*TypeSendMessageAction) ProtoMessage()

func (*TypeSendMessageAction) Reset

func (m *TypeSendMessageAction) Reset()

func (*TypeSendMessageAction) String

func (m *TypeSendMessageAction) String() string

func (*TypeSendMessageAction) XXX_DiscardUnknown added in v0.4.1

func (m *TypeSendMessageAction) XXX_DiscardUnknown()

func (*TypeSendMessageAction) XXX_Marshal added in v0.4.1

func (m *TypeSendMessageAction) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeSendMessageAction) XXX_Merge added in v0.4.1

func (dst *TypeSendMessageAction) XXX_Merge(src proto.Message)

func (*TypeSendMessageAction) XXX_OneofFuncs

func (*TypeSendMessageAction) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeSendMessageAction) XXX_Size added in v0.4.1

func (m *TypeSendMessageAction) XXX_Size() int

func (*TypeSendMessageAction) XXX_Unmarshal added in v0.4.1

func (m *TypeSendMessageAction) XXX_Unmarshal(b []byte) error

type TypeSendMessageAction_SendMessageCancelAction

type TypeSendMessageAction_SendMessageCancelAction struct {
	SendMessageCancelAction *PredSendMessageCancelAction `protobuf:"bytes,2,opt,name=SendMessageCancelAction,oneof"`
}

type TypeSendMessageAction_SendMessageChooseContactAction

type TypeSendMessageAction_SendMessageChooseContactAction struct {
	SendMessageChooseContactAction *PredSendMessageChooseContactAction `protobuf:"bytes,10,opt,name=SendMessageChooseContactAction,oneof"`
}

type TypeSendMessageAction_SendMessageGamePlayAction

type TypeSendMessageAction_SendMessageGamePlayAction struct {
	SendMessageGamePlayAction *PredSendMessageGamePlayAction `protobuf:"bytes,11,opt,name=SendMessageGamePlayAction,oneof"`
}

type TypeSendMessageAction_SendMessageGeoLocationAction

type TypeSendMessageAction_SendMessageGeoLocationAction struct {
	SendMessageGeoLocationAction *PredSendMessageGeoLocationAction `protobuf:"bytes,9,opt,name=SendMessageGeoLocationAction,oneof"`
}

type TypeSendMessageAction_SendMessageRecordAudioAction

type TypeSendMessageAction_SendMessageRecordAudioAction struct {
	SendMessageRecordAudioAction *PredSendMessageRecordAudioAction `protobuf:"bytes,5,opt,name=SendMessageRecordAudioAction,oneof"`
}

type TypeSendMessageAction_SendMessageRecordRoundAction

type TypeSendMessageAction_SendMessageRecordRoundAction struct {
	SendMessageRecordRoundAction *PredSendMessageRecordRoundAction `protobuf:"bytes,12,opt,name=SendMessageRecordRoundAction,oneof"`
}

type TypeSendMessageAction_SendMessageRecordVideoAction

type TypeSendMessageAction_SendMessageRecordVideoAction struct {
	SendMessageRecordVideoAction *PredSendMessageRecordVideoAction `protobuf:"bytes,3,opt,name=SendMessageRecordVideoAction,oneof"`
}

type TypeSendMessageAction_SendMessageTypingAction

type TypeSendMessageAction_SendMessageTypingAction struct {
	SendMessageTypingAction *PredSendMessageTypingAction `protobuf:"bytes,1,opt,name=SendMessageTypingAction,oneof"`
}

type TypeSendMessageAction_SendMessageUploadAudioAction

type TypeSendMessageAction_SendMessageUploadAudioAction struct {
	SendMessageUploadAudioAction *PredSendMessageUploadAudioAction `protobuf:"bytes,6,opt,name=SendMessageUploadAudioAction,oneof"`
}

type TypeSendMessageAction_SendMessageUploadDocumentAction

type TypeSendMessageAction_SendMessageUploadDocumentAction struct {
	SendMessageUploadDocumentAction *PredSendMessageUploadDocumentAction `protobuf:"bytes,8,opt,name=SendMessageUploadDocumentAction,oneof"`
}

type TypeSendMessageAction_SendMessageUploadPhotoAction

type TypeSendMessageAction_SendMessageUploadPhotoAction struct {
	SendMessageUploadPhotoAction *PredSendMessageUploadPhotoAction `protobuf:"bytes,7,opt,name=SendMessageUploadPhotoAction,oneof"`
}

type TypeSendMessageAction_SendMessageUploadRoundAction

type TypeSendMessageAction_SendMessageUploadRoundAction struct {
	SendMessageUploadRoundAction *PredSendMessageUploadRoundAction `protobuf:"bytes,13,opt,name=SendMessageUploadRoundAction,oneof"`
}

type TypeSendMessageAction_SendMessageUploadVideoAction

type TypeSendMessageAction_SendMessageUploadVideoAction struct {
	SendMessageUploadVideoAction *PredSendMessageUploadVideoAction `protobuf:"bytes,4,opt,name=SendMessageUploadVideoAction,oneof"`
}

type TypeShippingOption

type TypeShippingOption struct {
	Value                *PredShippingOption `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeShippingOption) Descriptor

func (*TypeShippingOption) Descriptor() ([]byte, []int)

func (*TypeShippingOption) GetValue

func (m *TypeShippingOption) GetValue() *PredShippingOption

func (*TypeShippingOption) ProtoMessage

func (*TypeShippingOption) ProtoMessage()

func (*TypeShippingOption) Reset

func (m *TypeShippingOption) Reset()

func (*TypeShippingOption) String

func (m *TypeShippingOption) String() string

func (*TypeShippingOption) XXX_DiscardUnknown added in v0.4.1

func (m *TypeShippingOption) XXX_DiscardUnknown()

func (*TypeShippingOption) XXX_Marshal added in v0.4.1

func (m *TypeShippingOption) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeShippingOption) XXX_Merge added in v0.4.1

func (dst *TypeShippingOption) XXX_Merge(src proto.Message)

func (*TypeShippingOption) XXX_Size added in v0.4.1

func (m *TypeShippingOption) XXX_Size() int

func (*TypeShippingOption) XXX_Unmarshal added in v0.4.1

func (m *TypeShippingOption) XXX_Unmarshal(b []byte) error

type TypeStickerPack

type TypeStickerPack struct {
	Value                *PredStickerPack `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeStickerPack) Descriptor

func (*TypeStickerPack) Descriptor() ([]byte, []int)

func (*TypeStickerPack) GetValue

func (m *TypeStickerPack) GetValue() *PredStickerPack

func (*TypeStickerPack) ProtoMessage

func (*TypeStickerPack) ProtoMessage()

func (*TypeStickerPack) Reset

func (m *TypeStickerPack) Reset()

func (*TypeStickerPack) String

func (m *TypeStickerPack) String() string

func (*TypeStickerPack) XXX_DiscardUnknown added in v0.4.1

func (m *TypeStickerPack) XXX_DiscardUnknown()

func (*TypeStickerPack) XXX_Marshal added in v0.4.1

func (m *TypeStickerPack) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeStickerPack) XXX_Merge added in v0.4.1

func (dst *TypeStickerPack) XXX_Merge(src proto.Message)

func (*TypeStickerPack) XXX_Size added in v0.4.1

func (m *TypeStickerPack) XXX_Size() int

func (*TypeStickerPack) XXX_Unmarshal added in v0.4.1

func (m *TypeStickerPack) XXX_Unmarshal(b []byte) error

type TypeStickerSet

type TypeStickerSet struct {
	Value                *PredStickerSet `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}        `json:"-"`
	XXX_unrecognized     []byte          `json:"-"`
	XXX_sizecache        int32           `json:"-"`
}

func (*TypeStickerSet) Descriptor

func (*TypeStickerSet) Descriptor() ([]byte, []int)

func (*TypeStickerSet) GetValue

func (m *TypeStickerSet) GetValue() *PredStickerSet

func (*TypeStickerSet) ProtoMessage

func (*TypeStickerSet) ProtoMessage()

func (*TypeStickerSet) Reset

func (m *TypeStickerSet) Reset()

func (*TypeStickerSet) String

func (m *TypeStickerSet) String() string

func (*TypeStickerSet) XXX_DiscardUnknown added in v0.4.1

func (m *TypeStickerSet) XXX_DiscardUnknown()

func (*TypeStickerSet) XXX_Marshal added in v0.4.1

func (m *TypeStickerSet) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeStickerSet) XXX_Merge added in v0.4.1

func (dst *TypeStickerSet) XXX_Merge(src proto.Message)

func (*TypeStickerSet) XXX_Size added in v0.4.1

func (m *TypeStickerSet) XXX_Size() int

func (*TypeStickerSet) XXX_Unmarshal added in v0.4.1

func (m *TypeStickerSet) XXX_Unmarshal(b []byte) error

type TypeStickerSetCovered

type TypeStickerSetCovered struct {
	// Types that are valid to be assigned to Value:
	//	*TypeStickerSetCovered_StickerSetCovered
	//	*TypeStickerSetCovered_StickerSetMultiCovered
	Value                isTypeStickerSetCovered_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeStickerSetCovered) Descriptor

func (*TypeStickerSetCovered) Descriptor() ([]byte, []int)

func (*TypeStickerSetCovered) GetStickerSetCovered

func (m *TypeStickerSetCovered) GetStickerSetCovered() *PredStickerSetCovered

func (*TypeStickerSetCovered) GetStickerSetMultiCovered

func (m *TypeStickerSetCovered) GetStickerSetMultiCovered() *PredStickerSetMultiCovered

func (*TypeStickerSetCovered) GetValue

func (m *TypeStickerSetCovered) GetValue() isTypeStickerSetCovered_Value

func (*TypeStickerSetCovered) ProtoMessage

func (*TypeStickerSetCovered) ProtoMessage()

func (*TypeStickerSetCovered) Reset

func (m *TypeStickerSetCovered) Reset()

func (*TypeStickerSetCovered) String

func (m *TypeStickerSetCovered) String() string

func (*TypeStickerSetCovered) XXX_DiscardUnknown added in v0.4.1

func (m *TypeStickerSetCovered) XXX_DiscardUnknown()

func (*TypeStickerSetCovered) XXX_Marshal added in v0.4.1

func (m *TypeStickerSetCovered) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeStickerSetCovered) XXX_Merge added in v0.4.1

func (dst *TypeStickerSetCovered) XXX_Merge(src proto.Message)

func (*TypeStickerSetCovered) XXX_OneofFuncs

func (*TypeStickerSetCovered) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeStickerSetCovered) XXX_Size added in v0.4.1

func (m *TypeStickerSetCovered) XXX_Size() int

func (*TypeStickerSetCovered) XXX_Unmarshal added in v0.4.1

func (m *TypeStickerSetCovered) XXX_Unmarshal(b []byte) error

type TypeStickerSetCovered_StickerSetCovered

type TypeStickerSetCovered_StickerSetCovered struct {
	StickerSetCovered *PredStickerSetCovered `protobuf:"bytes,1,opt,name=StickerSetCovered,oneof"`
}

type TypeStickerSetCovered_StickerSetMultiCovered

type TypeStickerSetCovered_StickerSetMultiCovered struct {
	StickerSetMultiCovered *PredStickerSetMultiCovered `protobuf:"bytes,2,opt,name=StickerSetMultiCovered,oneof"`
}

type TypeStorageFileType

type TypeStorageFileType struct {
	// Types that are valid to be assigned to Value:
	//	*TypeStorageFileType_StorageFileUnknown
	//	*TypeStorageFileType_StorageFileJpeg
	//	*TypeStorageFileType_StorageFileGif
	//	*TypeStorageFileType_StorageFilePng
	//	*TypeStorageFileType_StorageFileMp3
	//	*TypeStorageFileType_StorageFileMov
	//	*TypeStorageFileType_StorageFilePartial
	//	*TypeStorageFileType_StorageFileMp4
	//	*TypeStorageFileType_StorageFileWebp
	//	*TypeStorageFileType_StorageFilePdf
	Value                isTypeStorageFileType_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeStorageFileType) Descriptor

func (*TypeStorageFileType) Descriptor() ([]byte, []int)

func (*TypeStorageFileType) GetStorageFileGif

func (m *TypeStorageFileType) GetStorageFileGif() *PredStorageFileGif

func (*TypeStorageFileType) GetStorageFileJpeg

func (m *TypeStorageFileType) GetStorageFileJpeg() *PredStorageFileJpeg

func (*TypeStorageFileType) GetStorageFileMov

func (m *TypeStorageFileType) GetStorageFileMov() *PredStorageFileMov

func (*TypeStorageFileType) GetStorageFileMp3

func (m *TypeStorageFileType) GetStorageFileMp3() *PredStorageFileMp3

func (*TypeStorageFileType) GetStorageFileMp4

func (m *TypeStorageFileType) GetStorageFileMp4() *PredStorageFileMp4

func (*TypeStorageFileType) GetStorageFilePartial

func (m *TypeStorageFileType) GetStorageFilePartial() *PredStorageFilePartial

func (*TypeStorageFileType) GetStorageFilePdf

func (m *TypeStorageFileType) GetStorageFilePdf() *PredStorageFilePdf

func (*TypeStorageFileType) GetStorageFilePng

func (m *TypeStorageFileType) GetStorageFilePng() *PredStorageFilePng

func (*TypeStorageFileType) GetStorageFileUnknown

func (m *TypeStorageFileType) GetStorageFileUnknown() *PredStorageFileUnknown

func (*TypeStorageFileType) GetStorageFileWebp

func (m *TypeStorageFileType) GetStorageFileWebp() *PredStorageFileWebp

func (*TypeStorageFileType) GetValue

func (m *TypeStorageFileType) GetValue() isTypeStorageFileType_Value

func (*TypeStorageFileType) ProtoMessage

func (*TypeStorageFileType) ProtoMessage()

func (*TypeStorageFileType) Reset

func (m *TypeStorageFileType) Reset()

func (*TypeStorageFileType) String

func (m *TypeStorageFileType) String() string

func (*TypeStorageFileType) XXX_DiscardUnknown added in v0.4.1

func (m *TypeStorageFileType) XXX_DiscardUnknown()

func (*TypeStorageFileType) XXX_Marshal added in v0.4.1

func (m *TypeStorageFileType) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeStorageFileType) XXX_Merge added in v0.4.1

func (dst *TypeStorageFileType) XXX_Merge(src proto.Message)

func (*TypeStorageFileType) XXX_OneofFuncs

func (*TypeStorageFileType) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeStorageFileType) XXX_Size added in v0.4.1

func (m *TypeStorageFileType) XXX_Size() int

func (*TypeStorageFileType) XXX_Unmarshal added in v0.4.1

func (m *TypeStorageFileType) XXX_Unmarshal(b []byte) error

type TypeStorageFileType_StorageFileGif

type TypeStorageFileType_StorageFileGif struct {
	StorageFileGif *PredStorageFileGif `protobuf:"bytes,3,opt,name=StorageFileGif,oneof"`
}

type TypeStorageFileType_StorageFileJpeg

type TypeStorageFileType_StorageFileJpeg struct {
	StorageFileJpeg *PredStorageFileJpeg `protobuf:"bytes,2,opt,name=StorageFileJpeg,oneof"`
}

type TypeStorageFileType_StorageFileMov

type TypeStorageFileType_StorageFileMov struct {
	StorageFileMov *PredStorageFileMov `protobuf:"bytes,6,opt,name=StorageFileMov,oneof"`
}

type TypeStorageFileType_StorageFileMp3

type TypeStorageFileType_StorageFileMp3 struct {
	StorageFileMp3 *PredStorageFileMp3 `protobuf:"bytes,5,opt,name=StorageFileMp3,oneof"`
}

type TypeStorageFileType_StorageFileMp4

type TypeStorageFileType_StorageFileMp4 struct {
	StorageFileMp4 *PredStorageFileMp4 `protobuf:"bytes,8,opt,name=StorageFileMp4,oneof"`
}

type TypeStorageFileType_StorageFilePartial

type TypeStorageFileType_StorageFilePartial struct {
	StorageFilePartial *PredStorageFilePartial `protobuf:"bytes,7,opt,name=StorageFilePartial,oneof"`
}

type TypeStorageFileType_StorageFilePdf

type TypeStorageFileType_StorageFilePdf struct {
	StorageFilePdf *PredStorageFilePdf `protobuf:"bytes,10,opt,name=StorageFilePdf,oneof"`
}

type TypeStorageFileType_StorageFilePng

type TypeStorageFileType_StorageFilePng struct {
	StorageFilePng *PredStorageFilePng `protobuf:"bytes,4,opt,name=StorageFilePng,oneof"`
}

type TypeStorageFileType_StorageFileUnknown

type TypeStorageFileType_StorageFileUnknown struct {
	StorageFileUnknown *PredStorageFileUnknown `protobuf:"bytes,1,opt,name=StorageFileUnknown,oneof"`
}

type TypeStorageFileType_StorageFileWebp

type TypeStorageFileType_StorageFileWebp struct {
	StorageFileWebp *PredStorageFileWebp `protobuf:"bytes,9,opt,name=StorageFileWebp,oneof"`
}

type TypeTopPeer

type TypeTopPeer struct {
	Value                *PredTopPeer `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}     `json:"-"`
	XXX_unrecognized     []byte       `json:"-"`
	XXX_sizecache        int32        `json:"-"`
}

func (*TypeTopPeer) Descriptor

func (*TypeTopPeer) Descriptor() ([]byte, []int)

func (*TypeTopPeer) GetValue

func (m *TypeTopPeer) GetValue() *PredTopPeer

func (*TypeTopPeer) ProtoMessage

func (*TypeTopPeer) ProtoMessage()

func (*TypeTopPeer) Reset

func (m *TypeTopPeer) Reset()

func (*TypeTopPeer) String

func (m *TypeTopPeer) String() string

func (*TypeTopPeer) XXX_DiscardUnknown added in v0.4.1

func (m *TypeTopPeer) XXX_DiscardUnknown()

func (*TypeTopPeer) XXX_Marshal added in v0.4.1

func (m *TypeTopPeer) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeTopPeer) XXX_Merge added in v0.4.1

func (dst *TypeTopPeer) XXX_Merge(src proto.Message)

func (*TypeTopPeer) XXX_Size added in v0.4.1

func (m *TypeTopPeer) XXX_Size() int

func (*TypeTopPeer) XXX_Unmarshal added in v0.4.1

func (m *TypeTopPeer) XXX_Unmarshal(b []byte) error

type TypeTopPeerCategory

type TypeTopPeerCategory struct {
	// Types that are valid to be assigned to Value:
	//	*TypeTopPeerCategory_TopPeerCategoryBotsPM
	//	*TypeTopPeerCategory_TopPeerCategoryBotsInline
	//	*TypeTopPeerCategory_TopPeerCategoryCorrespondents
	//	*TypeTopPeerCategory_TopPeerCategoryGroups
	//	*TypeTopPeerCategory_TopPeerCategoryChannels
	//	*TypeTopPeerCategory_TopPeerCategoryPhoneCalls
	Value                isTypeTopPeerCategory_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                    `json:"-"`
	XXX_unrecognized     []byte                      `json:"-"`
	XXX_sizecache        int32                       `json:"-"`
}

func (*TypeTopPeerCategory) Descriptor

func (*TypeTopPeerCategory) Descriptor() ([]byte, []int)

func (*TypeTopPeerCategory) GetTopPeerCategoryBotsInline

func (m *TypeTopPeerCategory) GetTopPeerCategoryBotsInline() *PredTopPeerCategoryBotsInline

func (*TypeTopPeerCategory) GetTopPeerCategoryBotsPM

func (m *TypeTopPeerCategory) GetTopPeerCategoryBotsPM() *PredTopPeerCategoryBotsPM

func (*TypeTopPeerCategory) GetTopPeerCategoryChannels

func (m *TypeTopPeerCategory) GetTopPeerCategoryChannels() *PredTopPeerCategoryChannels

func (*TypeTopPeerCategory) GetTopPeerCategoryCorrespondents

func (m *TypeTopPeerCategory) GetTopPeerCategoryCorrespondents() *PredTopPeerCategoryCorrespondents

func (*TypeTopPeerCategory) GetTopPeerCategoryGroups

func (m *TypeTopPeerCategory) GetTopPeerCategoryGroups() *PredTopPeerCategoryGroups

func (*TypeTopPeerCategory) GetTopPeerCategoryPhoneCalls

func (m *TypeTopPeerCategory) GetTopPeerCategoryPhoneCalls() *PredTopPeerCategoryPhoneCalls

func (*TypeTopPeerCategory) GetValue

func (m *TypeTopPeerCategory) GetValue() isTypeTopPeerCategory_Value

func (*TypeTopPeerCategory) ProtoMessage

func (*TypeTopPeerCategory) ProtoMessage()

func (*TypeTopPeerCategory) Reset

func (m *TypeTopPeerCategory) Reset()

func (*TypeTopPeerCategory) String

func (m *TypeTopPeerCategory) String() string

func (*TypeTopPeerCategory) XXX_DiscardUnknown added in v0.4.1

func (m *TypeTopPeerCategory) XXX_DiscardUnknown()

func (*TypeTopPeerCategory) XXX_Marshal added in v0.4.1

func (m *TypeTopPeerCategory) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeTopPeerCategory) XXX_Merge added in v0.4.1

func (dst *TypeTopPeerCategory) XXX_Merge(src proto.Message)

func (*TypeTopPeerCategory) XXX_OneofFuncs

func (*TypeTopPeerCategory) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeTopPeerCategory) XXX_Size added in v0.4.1

func (m *TypeTopPeerCategory) XXX_Size() int

func (*TypeTopPeerCategory) XXX_Unmarshal added in v0.4.1

func (m *TypeTopPeerCategory) XXX_Unmarshal(b []byte) error

type TypeTopPeerCategoryPeers

type TypeTopPeerCategoryPeers struct {
	Value                *PredTopPeerCategoryPeers `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeTopPeerCategoryPeers) Descriptor

func (*TypeTopPeerCategoryPeers) Descriptor() ([]byte, []int)

func (*TypeTopPeerCategoryPeers) GetValue

func (*TypeTopPeerCategoryPeers) ProtoMessage

func (*TypeTopPeerCategoryPeers) ProtoMessage()

func (*TypeTopPeerCategoryPeers) Reset

func (m *TypeTopPeerCategoryPeers) Reset()

func (*TypeTopPeerCategoryPeers) String

func (m *TypeTopPeerCategoryPeers) String() string

func (*TypeTopPeerCategoryPeers) XXX_DiscardUnknown added in v0.4.1

func (m *TypeTopPeerCategoryPeers) XXX_DiscardUnknown()

func (*TypeTopPeerCategoryPeers) XXX_Marshal added in v0.4.1

func (m *TypeTopPeerCategoryPeers) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeTopPeerCategoryPeers) XXX_Merge added in v0.4.1

func (dst *TypeTopPeerCategoryPeers) XXX_Merge(src proto.Message)

func (*TypeTopPeerCategoryPeers) XXX_Size added in v0.4.1

func (m *TypeTopPeerCategoryPeers) XXX_Size() int

func (*TypeTopPeerCategoryPeers) XXX_Unmarshal added in v0.4.1

func (m *TypeTopPeerCategoryPeers) XXX_Unmarshal(b []byte) error

type TypeTopPeerCategory_TopPeerCategoryBotsInline

type TypeTopPeerCategory_TopPeerCategoryBotsInline struct {
	TopPeerCategoryBotsInline *PredTopPeerCategoryBotsInline `protobuf:"bytes,2,opt,name=TopPeerCategoryBotsInline,oneof"`
}

type TypeTopPeerCategory_TopPeerCategoryBotsPM

type TypeTopPeerCategory_TopPeerCategoryBotsPM struct {
	TopPeerCategoryBotsPM *PredTopPeerCategoryBotsPM `protobuf:"bytes,1,opt,name=TopPeerCategoryBotsPM,oneof"`
}

type TypeTopPeerCategory_TopPeerCategoryChannels

type TypeTopPeerCategory_TopPeerCategoryChannels struct {
	TopPeerCategoryChannels *PredTopPeerCategoryChannels `protobuf:"bytes,5,opt,name=TopPeerCategoryChannels,oneof"`
}

type TypeTopPeerCategory_TopPeerCategoryCorrespondents

type TypeTopPeerCategory_TopPeerCategoryCorrespondents struct {
	TopPeerCategoryCorrespondents *PredTopPeerCategoryCorrespondents `protobuf:"bytes,3,opt,name=TopPeerCategoryCorrespondents,oneof"`
}

type TypeTopPeerCategory_TopPeerCategoryGroups

type TypeTopPeerCategory_TopPeerCategoryGroups struct {
	TopPeerCategoryGroups *PredTopPeerCategoryGroups `protobuf:"bytes,4,opt,name=TopPeerCategoryGroups,oneof"`
}

type TypeTopPeerCategory_TopPeerCategoryPhoneCalls

type TypeTopPeerCategory_TopPeerCategoryPhoneCalls struct {
	TopPeerCategoryPhoneCalls *PredTopPeerCategoryPhoneCalls `protobuf:"bytes,6,opt,name=TopPeerCategoryPhoneCalls,oneof"`
}

type TypeTrue

type TypeTrue struct {
	Value                *PredTrue `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}  `json:"-"`
	XXX_unrecognized     []byte    `json:"-"`
	XXX_sizecache        int32     `json:"-"`
}

func (*TypeTrue) Descriptor

func (*TypeTrue) Descriptor() ([]byte, []int)

func (*TypeTrue) GetValue

func (m *TypeTrue) GetValue() *PredTrue

func (*TypeTrue) ProtoMessage

func (*TypeTrue) ProtoMessage()

func (*TypeTrue) Reset

func (m *TypeTrue) Reset()

func (*TypeTrue) String

func (m *TypeTrue) String() string

func (*TypeTrue) XXX_DiscardUnknown added in v0.4.1

func (m *TypeTrue) XXX_DiscardUnknown()

func (*TypeTrue) XXX_Marshal added in v0.4.1

func (m *TypeTrue) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeTrue) XXX_Merge added in v0.4.1

func (dst *TypeTrue) XXX_Merge(src proto.Message)

func (*TypeTrue) XXX_Size added in v0.4.1

func (m *TypeTrue) XXX_Size() int

func (*TypeTrue) XXX_Unmarshal added in v0.4.1

func (m *TypeTrue) XXX_Unmarshal(b []byte) error

type TypeUpdate

type TypeUpdate struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUpdate_UpdateNewMessage
	//	*TypeUpdate_UpdateMessageID
	//	*TypeUpdate_UpdateDeleteMessages
	//	*TypeUpdate_UpdateUserTyping
	//	*TypeUpdate_UpdateChatUserTyping
	//	*TypeUpdate_UpdateChatParticipants
	//	*TypeUpdate_UpdateUserStatus
	//	*TypeUpdate_UpdateUserName
	//	*TypeUpdate_UpdateUserPhoto
	//	*TypeUpdate_UpdateContactRegistered
	//	*TypeUpdate_UpdateContactLink
	//	*TypeUpdate_UpdateNewEncryptedMessage
	//	*TypeUpdate_UpdateEncryptedChatTyping
	//	*TypeUpdate_UpdateEncryption
	//	*TypeUpdate_UpdateEncryptedMessagesRead
	//	*TypeUpdate_UpdateChatParticipantAdd
	//	*TypeUpdate_UpdateChatParticipantDelete
	//	*TypeUpdate_UpdateDcOptions
	//	*TypeUpdate_UpdateUserBlocked
	//	*TypeUpdate_UpdateNotifySettings
	//	*TypeUpdate_UpdateServiceNotification
	//	*TypeUpdate_UpdatePrivacy
	//	*TypeUpdate_UpdateUserPhone
	//	*TypeUpdate_UpdateReadHistoryInbox
	//	*TypeUpdate_UpdateReadHistoryOutbox
	//	*TypeUpdate_UpdateWebPage
	//	*TypeUpdate_UpdateReadMessagesContents
	//	*TypeUpdate_UpdateChannelTooLong
	//	*TypeUpdate_UpdateChannel
	//	*TypeUpdate_UpdateNewChannelMessage
	//	*TypeUpdate_UpdateReadChannelInbox
	//	*TypeUpdate_UpdateDeleteChannelMessages
	//	*TypeUpdate_UpdateChannelMessageViews
	//	*TypeUpdate_UpdateChatAdmins
	//	*TypeUpdate_UpdateChatParticipantAdmin
	//	*TypeUpdate_UpdateNewStickerSet
	//	*TypeUpdate_UpdateStickerSetsOrder
	//	*TypeUpdate_UpdateStickerSets
	//	*TypeUpdate_UpdateSavedGifs
	//	*TypeUpdate_UpdateBotInlineQuery
	//	*TypeUpdate_UpdateBotInlineSend
	//	*TypeUpdate_UpdateEditChannelMessage
	//	*TypeUpdate_UpdateChannelPinnedMessage
	//	*TypeUpdate_UpdateBotCallbackQuery
	//	*TypeUpdate_UpdateEditMessage
	//	*TypeUpdate_UpdateInlineBotCallbackQuery
	//	*TypeUpdate_UpdateReadChannelOutbox
	//	*TypeUpdate_UpdateDraftMessage
	//	*TypeUpdate_UpdateReadFeaturedStickers
	//	*TypeUpdate_UpdateRecentStickers
	//	*TypeUpdate_UpdateConfig
	//	*TypeUpdate_UpdatePtsChanged
	//	*TypeUpdate_UpdateChannelWebPage
	//	*TypeUpdate_UpdatePhoneCall
	//	*TypeUpdate_UpdateDialogPinned
	//	*TypeUpdate_UpdatePinnedDialogs
	//	*TypeUpdate_UpdateBotWebhookJSON
	//	*TypeUpdate_UpdateBotWebhookJSONQuery
	//	*TypeUpdate_UpdateBotShippingQuery
	//	*TypeUpdate_UpdateBotPrecheckoutQuery
	//	*TypeUpdate_UpdateLangPackTooLong
	//	*TypeUpdate_UpdateLangPack
	//	*TypeUpdate_UpdateContactsReset
	//	*TypeUpdate_UpdateFavedStickers
	//	*TypeUpdate_UpdateChannelReadMessagesContents
	Value                isTypeUpdate_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeUpdate) Descriptor

func (*TypeUpdate) Descriptor() ([]byte, []int)

func (*TypeUpdate) GetUpdateBotCallbackQuery

func (m *TypeUpdate) GetUpdateBotCallbackQuery() *PredUpdateBotCallbackQuery

func (*TypeUpdate) GetUpdateBotInlineQuery

func (m *TypeUpdate) GetUpdateBotInlineQuery() *PredUpdateBotInlineQuery

func (*TypeUpdate) GetUpdateBotInlineSend

func (m *TypeUpdate) GetUpdateBotInlineSend() *PredUpdateBotInlineSend

func (*TypeUpdate) GetUpdateBotPrecheckoutQuery

func (m *TypeUpdate) GetUpdateBotPrecheckoutQuery() *PredUpdateBotPrecheckoutQuery

func (*TypeUpdate) GetUpdateBotShippingQuery

func (m *TypeUpdate) GetUpdateBotShippingQuery() *PredUpdateBotShippingQuery

func (*TypeUpdate) GetUpdateBotWebhookJSON

func (m *TypeUpdate) GetUpdateBotWebhookJSON() *PredUpdateBotWebhookJSON

func (*TypeUpdate) GetUpdateBotWebhookJSONQuery

func (m *TypeUpdate) GetUpdateBotWebhookJSONQuery() *PredUpdateBotWebhookJSONQuery

func (*TypeUpdate) GetUpdateChannel

func (m *TypeUpdate) GetUpdateChannel() *PredUpdateChannel

func (*TypeUpdate) GetUpdateChannelMessageViews

func (m *TypeUpdate) GetUpdateChannelMessageViews() *PredUpdateChannelMessageViews

func (*TypeUpdate) GetUpdateChannelPinnedMessage

func (m *TypeUpdate) GetUpdateChannelPinnedMessage() *PredUpdateChannelPinnedMessage

func (*TypeUpdate) GetUpdateChannelReadMessagesContents

func (m *TypeUpdate) GetUpdateChannelReadMessagesContents() *PredUpdateChannelReadMessagesContents

func (*TypeUpdate) GetUpdateChannelTooLong

func (m *TypeUpdate) GetUpdateChannelTooLong() *PredUpdateChannelTooLong

func (*TypeUpdate) GetUpdateChannelWebPage

func (m *TypeUpdate) GetUpdateChannelWebPage() *PredUpdateChannelWebPage

func (*TypeUpdate) GetUpdateChatAdmins

func (m *TypeUpdate) GetUpdateChatAdmins() *PredUpdateChatAdmins

func (*TypeUpdate) GetUpdateChatParticipantAdd

func (m *TypeUpdate) GetUpdateChatParticipantAdd() *PredUpdateChatParticipantAdd

func (*TypeUpdate) GetUpdateChatParticipantAdmin

func (m *TypeUpdate) GetUpdateChatParticipantAdmin() *PredUpdateChatParticipantAdmin

func (*TypeUpdate) GetUpdateChatParticipantDelete

func (m *TypeUpdate) GetUpdateChatParticipantDelete() *PredUpdateChatParticipantDelete

func (*TypeUpdate) GetUpdateChatParticipants

func (m *TypeUpdate) GetUpdateChatParticipants() *PredUpdateChatParticipants

func (*TypeUpdate) GetUpdateChatUserTyping

func (m *TypeUpdate) GetUpdateChatUserTyping() *PredUpdateChatUserTyping

func (*TypeUpdate) GetUpdateConfig

func (m *TypeUpdate) GetUpdateConfig() *PredUpdateConfig
func (m *TypeUpdate) GetUpdateContactLink() *PredUpdateContactLink

func (*TypeUpdate) GetUpdateContactRegistered

func (m *TypeUpdate) GetUpdateContactRegistered() *PredUpdateContactRegistered

func (*TypeUpdate) GetUpdateContactsReset

func (m *TypeUpdate) GetUpdateContactsReset() *PredUpdateContactsReset

func (*TypeUpdate) GetUpdateDcOptions

func (m *TypeUpdate) GetUpdateDcOptions() *PredUpdateDcOptions

func (*TypeUpdate) GetUpdateDeleteChannelMessages

func (m *TypeUpdate) GetUpdateDeleteChannelMessages() *PredUpdateDeleteChannelMessages

func (*TypeUpdate) GetUpdateDeleteMessages

func (m *TypeUpdate) GetUpdateDeleteMessages() *PredUpdateDeleteMessages

func (*TypeUpdate) GetUpdateDialogPinned

func (m *TypeUpdate) GetUpdateDialogPinned() *PredUpdateDialogPinned

func (*TypeUpdate) GetUpdateDraftMessage

func (m *TypeUpdate) GetUpdateDraftMessage() *PredUpdateDraftMessage

func (*TypeUpdate) GetUpdateEditChannelMessage

func (m *TypeUpdate) GetUpdateEditChannelMessage() *PredUpdateEditChannelMessage

func (*TypeUpdate) GetUpdateEditMessage

func (m *TypeUpdate) GetUpdateEditMessage() *PredUpdateEditMessage

func (*TypeUpdate) GetUpdateEncryptedChatTyping

func (m *TypeUpdate) GetUpdateEncryptedChatTyping() *PredUpdateEncryptedChatTyping

func (*TypeUpdate) GetUpdateEncryptedMessagesRead

func (m *TypeUpdate) GetUpdateEncryptedMessagesRead() *PredUpdateEncryptedMessagesRead

func (*TypeUpdate) GetUpdateEncryption

func (m *TypeUpdate) GetUpdateEncryption() *PredUpdateEncryption

func (*TypeUpdate) GetUpdateFavedStickers

func (m *TypeUpdate) GetUpdateFavedStickers() *PredUpdateFavedStickers

func (*TypeUpdate) GetUpdateInlineBotCallbackQuery

func (m *TypeUpdate) GetUpdateInlineBotCallbackQuery() *PredUpdateInlineBotCallbackQuery

func (*TypeUpdate) GetUpdateLangPack

func (m *TypeUpdate) GetUpdateLangPack() *PredUpdateLangPack

func (*TypeUpdate) GetUpdateLangPackTooLong

func (m *TypeUpdate) GetUpdateLangPackTooLong() *PredUpdateLangPackTooLong

func (*TypeUpdate) GetUpdateMessageID

func (m *TypeUpdate) GetUpdateMessageID() *PredUpdateMessageID

func (*TypeUpdate) GetUpdateNewChannelMessage

func (m *TypeUpdate) GetUpdateNewChannelMessage() *PredUpdateNewChannelMessage

func (*TypeUpdate) GetUpdateNewEncryptedMessage

func (m *TypeUpdate) GetUpdateNewEncryptedMessage() *PredUpdateNewEncryptedMessage

func (*TypeUpdate) GetUpdateNewMessage

func (m *TypeUpdate) GetUpdateNewMessage() *PredUpdateNewMessage

func (*TypeUpdate) GetUpdateNewStickerSet

func (m *TypeUpdate) GetUpdateNewStickerSet() *PredUpdateNewStickerSet

func (*TypeUpdate) GetUpdateNotifySettings

func (m *TypeUpdate) GetUpdateNotifySettings() *PredUpdateNotifySettings

func (*TypeUpdate) GetUpdatePhoneCall

func (m *TypeUpdate) GetUpdatePhoneCall() *PredUpdatePhoneCall

func (*TypeUpdate) GetUpdatePinnedDialogs

func (m *TypeUpdate) GetUpdatePinnedDialogs() *PredUpdatePinnedDialogs

func (*TypeUpdate) GetUpdatePrivacy

func (m *TypeUpdate) GetUpdatePrivacy() *PredUpdatePrivacy

func (*TypeUpdate) GetUpdatePtsChanged

func (m *TypeUpdate) GetUpdatePtsChanged() *PredUpdatePtsChanged

func (*TypeUpdate) GetUpdateReadChannelInbox

func (m *TypeUpdate) GetUpdateReadChannelInbox() *PredUpdateReadChannelInbox

func (*TypeUpdate) GetUpdateReadChannelOutbox

func (m *TypeUpdate) GetUpdateReadChannelOutbox() *PredUpdateReadChannelOutbox

func (*TypeUpdate) GetUpdateReadFeaturedStickers

func (m *TypeUpdate) GetUpdateReadFeaturedStickers() *PredUpdateReadFeaturedStickers

func (*TypeUpdate) GetUpdateReadHistoryInbox

func (m *TypeUpdate) GetUpdateReadHistoryInbox() *PredUpdateReadHistoryInbox

func (*TypeUpdate) GetUpdateReadHistoryOutbox

func (m *TypeUpdate) GetUpdateReadHistoryOutbox() *PredUpdateReadHistoryOutbox

func (*TypeUpdate) GetUpdateReadMessagesContents

func (m *TypeUpdate) GetUpdateReadMessagesContents() *PredUpdateReadMessagesContents

func (*TypeUpdate) GetUpdateRecentStickers

func (m *TypeUpdate) GetUpdateRecentStickers() *PredUpdateRecentStickers

func (*TypeUpdate) GetUpdateSavedGifs

func (m *TypeUpdate) GetUpdateSavedGifs() *PredUpdateSavedGifs

func (*TypeUpdate) GetUpdateServiceNotification

func (m *TypeUpdate) GetUpdateServiceNotification() *PredUpdateServiceNotification

func (*TypeUpdate) GetUpdateStickerSets

func (m *TypeUpdate) GetUpdateStickerSets() *PredUpdateStickerSets

func (*TypeUpdate) GetUpdateStickerSetsOrder

func (m *TypeUpdate) GetUpdateStickerSetsOrder() *PredUpdateStickerSetsOrder

func (*TypeUpdate) GetUpdateUserBlocked

func (m *TypeUpdate) GetUpdateUserBlocked() *PredUpdateUserBlocked

func (*TypeUpdate) GetUpdateUserName

func (m *TypeUpdate) GetUpdateUserName() *PredUpdateUserName

func (*TypeUpdate) GetUpdateUserPhone

func (m *TypeUpdate) GetUpdateUserPhone() *PredUpdateUserPhone

func (*TypeUpdate) GetUpdateUserPhoto

func (m *TypeUpdate) GetUpdateUserPhoto() *PredUpdateUserPhoto

func (*TypeUpdate) GetUpdateUserStatus

func (m *TypeUpdate) GetUpdateUserStatus() *PredUpdateUserStatus

func (*TypeUpdate) GetUpdateUserTyping

func (m *TypeUpdate) GetUpdateUserTyping() *PredUpdateUserTyping

func (*TypeUpdate) GetUpdateWebPage

func (m *TypeUpdate) GetUpdateWebPage() *PredUpdateWebPage

func (*TypeUpdate) GetValue

func (m *TypeUpdate) GetValue() isTypeUpdate_Value

func (*TypeUpdate) ProtoMessage

func (*TypeUpdate) ProtoMessage()

func (*TypeUpdate) Reset

func (m *TypeUpdate) Reset()

func (*TypeUpdate) String

func (m *TypeUpdate) String() string

func (*TypeUpdate) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUpdate) XXX_DiscardUnknown()

func (*TypeUpdate) XXX_Marshal added in v0.4.1

func (m *TypeUpdate) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUpdate) XXX_Merge added in v0.4.1

func (dst *TypeUpdate) XXX_Merge(src proto.Message)

func (*TypeUpdate) XXX_OneofFuncs

func (*TypeUpdate) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUpdate) XXX_Size added in v0.4.1

func (m *TypeUpdate) XXX_Size() int

func (*TypeUpdate) XXX_Unmarshal added in v0.4.1

func (m *TypeUpdate) XXX_Unmarshal(b []byte) error

type TypeUpdate_UpdateBotCallbackQuery

type TypeUpdate_UpdateBotCallbackQuery struct {
	UpdateBotCallbackQuery *PredUpdateBotCallbackQuery `protobuf:"bytes,44,opt,name=UpdateBotCallbackQuery,oneof"`
}

type TypeUpdate_UpdateBotInlineQuery

type TypeUpdate_UpdateBotInlineQuery struct {
	UpdateBotInlineQuery *PredUpdateBotInlineQuery `protobuf:"bytes,40,opt,name=UpdateBotInlineQuery,oneof"`
}

type TypeUpdate_UpdateBotInlineSend

type TypeUpdate_UpdateBotInlineSend struct {
	UpdateBotInlineSend *PredUpdateBotInlineSend `protobuf:"bytes,41,opt,name=UpdateBotInlineSend,oneof"`
}

type TypeUpdate_UpdateBotPrecheckoutQuery

type TypeUpdate_UpdateBotPrecheckoutQuery struct {
	UpdateBotPrecheckoutQuery *PredUpdateBotPrecheckoutQuery `protobuf:"bytes,60,opt,name=UpdateBotPrecheckoutQuery,oneof"`
}

type TypeUpdate_UpdateBotShippingQuery

type TypeUpdate_UpdateBotShippingQuery struct {
	UpdateBotShippingQuery *PredUpdateBotShippingQuery `protobuf:"bytes,59,opt,name=UpdateBotShippingQuery,oneof"`
}

type TypeUpdate_UpdateBotWebhookJSON

type TypeUpdate_UpdateBotWebhookJSON struct {
	UpdateBotWebhookJSON *PredUpdateBotWebhookJSON `protobuf:"bytes,57,opt,name=UpdateBotWebhookJSON,oneof"`
}

type TypeUpdate_UpdateBotWebhookJSONQuery

type TypeUpdate_UpdateBotWebhookJSONQuery struct {
	UpdateBotWebhookJSONQuery *PredUpdateBotWebhookJSONQuery `protobuf:"bytes,58,opt,name=UpdateBotWebhookJSONQuery,oneof"`
}

type TypeUpdate_UpdateChannel

type TypeUpdate_UpdateChannel struct {
	UpdateChannel *PredUpdateChannel `protobuf:"bytes,29,opt,name=UpdateChannel,oneof"`
}

type TypeUpdate_UpdateChannelMessageViews

type TypeUpdate_UpdateChannelMessageViews struct {
	UpdateChannelMessageViews *PredUpdateChannelMessageViews `protobuf:"bytes,33,opt,name=UpdateChannelMessageViews,oneof"`
}

type TypeUpdate_UpdateChannelPinnedMessage

type TypeUpdate_UpdateChannelPinnedMessage struct {
	UpdateChannelPinnedMessage *PredUpdateChannelPinnedMessage `protobuf:"bytes,43,opt,name=UpdateChannelPinnedMessage,oneof"`
}

type TypeUpdate_UpdateChannelReadMessagesContents

type TypeUpdate_UpdateChannelReadMessagesContents struct {
	UpdateChannelReadMessagesContents *PredUpdateChannelReadMessagesContents `protobuf:"bytes,65,opt,name=UpdateChannelReadMessagesContents,oneof"`
}

type TypeUpdate_UpdateChannelTooLong

type TypeUpdate_UpdateChannelTooLong struct {
	UpdateChannelTooLong *PredUpdateChannelTooLong `protobuf:"bytes,28,opt,name=UpdateChannelTooLong,oneof"`
}

type TypeUpdate_UpdateChannelWebPage

type TypeUpdate_UpdateChannelWebPage struct {
	UpdateChannelWebPage *PredUpdateChannelWebPage `protobuf:"bytes,53,opt,name=UpdateChannelWebPage,oneof"`
}

type TypeUpdate_UpdateChatAdmins

type TypeUpdate_UpdateChatAdmins struct {
	UpdateChatAdmins *PredUpdateChatAdmins `protobuf:"bytes,34,opt,name=UpdateChatAdmins,oneof"`
}

type TypeUpdate_UpdateChatParticipantAdd

type TypeUpdate_UpdateChatParticipantAdd struct {
	UpdateChatParticipantAdd *PredUpdateChatParticipantAdd `protobuf:"bytes,16,opt,name=UpdateChatParticipantAdd,oneof"`
}

type TypeUpdate_UpdateChatParticipantAdmin

type TypeUpdate_UpdateChatParticipantAdmin struct {
	UpdateChatParticipantAdmin *PredUpdateChatParticipantAdmin `protobuf:"bytes,35,opt,name=UpdateChatParticipantAdmin,oneof"`
}

type TypeUpdate_UpdateChatParticipantDelete

type TypeUpdate_UpdateChatParticipantDelete struct {
	UpdateChatParticipantDelete *PredUpdateChatParticipantDelete `protobuf:"bytes,17,opt,name=UpdateChatParticipantDelete,oneof"`
}

type TypeUpdate_UpdateChatParticipants

type TypeUpdate_UpdateChatParticipants struct {
	UpdateChatParticipants *PredUpdateChatParticipants `protobuf:"bytes,6,opt,name=UpdateChatParticipants,oneof"`
}

type TypeUpdate_UpdateChatUserTyping

type TypeUpdate_UpdateChatUserTyping struct {
	UpdateChatUserTyping *PredUpdateChatUserTyping `protobuf:"bytes,5,opt,name=UpdateChatUserTyping,oneof"`
}

type TypeUpdate_UpdateConfig

type TypeUpdate_UpdateConfig struct {
	UpdateConfig *PredUpdateConfig `protobuf:"bytes,51,opt,name=UpdateConfig,oneof"`
}
type TypeUpdate_UpdateContactLink struct {
	UpdateContactLink *PredUpdateContactLink `protobuf:"bytes,11,opt,name=UpdateContactLink,oneof"`
}

type TypeUpdate_UpdateContactRegistered

type TypeUpdate_UpdateContactRegistered struct {
	UpdateContactRegistered *PredUpdateContactRegistered `protobuf:"bytes,10,opt,name=UpdateContactRegistered,oneof"`
}

type TypeUpdate_UpdateContactsReset

type TypeUpdate_UpdateContactsReset struct {
	UpdateContactsReset *PredUpdateContactsReset `protobuf:"bytes,63,opt,name=UpdateContactsReset,oneof"`
}

type TypeUpdate_UpdateDcOptions

type TypeUpdate_UpdateDcOptions struct {
	UpdateDcOptions *PredUpdateDcOptions `protobuf:"bytes,18,opt,name=UpdateDcOptions,oneof"`
}

type TypeUpdate_UpdateDeleteChannelMessages

type TypeUpdate_UpdateDeleteChannelMessages struct {
	UpdateDeleteChannelMessages *PredUpdateDeleteChannelMessages `protobuf:"bytes,32,opt,name=UpdateDeleteChannelMessages,oneof"`
}

type TypeUpdate_UpdateDeleteMessages

type TypeUpdate_UpdateDeleteMessages struct {
	UpdateDeleteMessages *PredUpdateDeleteMessages `protobuf:"bytes,3,opt,name=UpdateDeleteMessages,oneof"`
}

type TypeUpdate_UpdateDialogPinned

type TypeUpdate_UpdateDialogPinned struct {
	UpdateDialogPinned *PredUpdateDialogPinned `protobuf:"bytes,55,opt,name=UpdateDialogPinned,oneof"`
}

type TypeUpdate_UpdateDraftMessage

type TypeUpdate_UpdateDraftMessage struct {
	UpdateDraftMessage *PredUpdateDraftMessage `protobuf:"bytes,48,opt,name=UpdateDraftMessage,oneof"`
}

type TypeUpdate_UpdateEditChannelMessage

type TypeUpdate_UpdateEditChannelMessage struct {
	UpdateEditChannelMessage *PredUpdateEditChannelMessage `protobuf:"bytes,42,opt,name=UpdateEditChannelMessage,oneof"`
}

type TypeUpdate_UpdateEditMessage

type TypeUpdate_UpdateEditMessage struct {
	UpdateEditMessage *PredUpdateEditMessage `protobuf:"bytes,45,opt,name=UpdateEditMessage,oneof"`
}

type TypeUpdate_UpdateEncryptedChatTyping

type TypeUpdate_UpdateEncryptedChatTyping struct {
	UpdateEncryptedChatTyping *PredUpdateEncryptedChatTyping `protobuf:"bytes,13,opt,name=UpdateEncryptedChatTyping,oneof"`
}

type TypeUpdate_UpdateEncryptedMessagesRead

type TypeUpdate_UpdateEncryptedMessagesRead struct {
	UpdateEncryptedMessagesRead *PredUpdateEncryptedMessagesRead `protobuf:"bytes,15,opt,name=UpdateEncryptedMessagesRead,oneof"`
}

type TypeUpdate_UpdateEncryption

type TypeUpdate_UpdateEncryption struct {
	UpdateEncryption *PredUpdateEncryption `protobuf:"bytes,14,opt,name=UpdateEncryption,oneof"`
}

type TypeUpdate_UpdateFavedStickers

type TypeUpdate_UpdateFavedStickers struct {
	UpdateFavedStickers *PredUpdateFavedStickers `protobuf:"bytes,64,opt,name=UpdateFavedStickers,oneof"`
}

type TypeUpdate_UpdateInlineBotCallbackQuery

type TypeUpdate_UpdateInlineBotCallbackQuery struct {
	UpdateInlineBotCallbackQuery *PredUpdateInlineBotCallbackQuery `protobuf:"bytes,46,opt,name=UpdateInlineBotCallbackQuery,oneof"`
}

type TypeUpdate_UpdateLangPack

type TypeUpdate_UpdateLangPack struct {
	UpdateLangPack *PredUpdateLangPack `protobuf:"bytes,62,opt,name=UpdateLangPack,oneof"`
}

type TypeUpdate_UpdateLangPackTooLong

type TypeUpdate_UpdateLangPackTooLong struct {
	UpdateLangPackTooLong *PredUpdateLangPackTooLong `protobuf:"bytes,61,opt,name=UpdateLangPackTooLong,oneof"`
}

type TypeUpdate_UpdateMessageID

type TypeUpdate_UpdateMessageID struct {
	UpdateMessageID *PredUpdateMessageID `protobuf:"bytes,2,opt,name=UpdateMessageID,oneof"`
}

type TypeUpdate_UpdateNewChannelMessage

type TypeUpdate_UpdateNewChannelMessage struct {
	UpdateNewChannelMessage *PredUpdateNewChannelMessage `protobuf:"bytes,30,opt,name=UpdateNewChannelMessage,oneof"`
}

type TypeUpdate_UpdateNewEncryptedMessage

type TypeUpdate_UpdateNewEncryptedMessage struct {
	UpdateNewEncryptedMessage *PredUpdateNewEncryptedMessage `protobuf:"bytes,12,opt,name=UpdateNewEncryptedMessage,oneof"`
}

type TypeUpdate_UpdateNewMessage

type TypeUpdate_UpdateNewMessage struct {
	UpdateNewMessage *PredUpdateNewMessage `protobuf:"bytes,1,opt,name=UpdateNewMessage,oneof"`
}

type TypeUpdate_UpdateNewStickerSet

type TypeUpdate_UpdateNewStickerSet struct {
	UpdateNewStickerSet *PredUpdateNewStickerSet `protobuf:"bytes,36,opt,name=UpdateNewStickerSet,oneof"`
}

type TypeUpdate_UpdateNotifySettings

type TypeUpdate_UpdateNotifySettings struct {
	UpdateNotifySettings *PredUpdateNotifySettings `protobuf:"bytes,20,opt,name=UpdateNotifySettings,oneof"`
}

type TypeUpdate_UpdatePhoneCall

type TypeUpdate_UpdatePhoneCall struct {
	UpdatePhoneCall *PredUpdatePhoneCall `protobuf:"bytes,54,opt,name=UpdatePhoneCall,oneof"`
}

type TypeUpdate_UpdatePinnedDialogs

type TypeUpdate_UpdatePinnedDialogs struct {
	UpdatePinnedDialogs *PredUpdatePinnedDialogs `protobuf:"bytes,56,opt,name=UpdatePinnedDialogs,oneof"`
}

type TypeUpdate_UpdatePrivacy

type TypeUpdate_UpdatePrivacy struct {
	UpdatePrivacy *PredUpdatePrivacy `protobuf:"bytes,22,opt,name=UpdatePrivacy,oneof"`
}

type TypeUpdate_UpdatePtsChanged

type TypeUpdate_UpdatePtsChanged struct {
	UpdatePtsChanged *PredUpdatePtsChanged `protobuf:"bytes,52,opt,name=UpdatePtsChanged,oneof"`
}

type TypeUpdate_UpdateReadChannelInbox

type TypeUpdate_UpdateReadChannelInbox struct {
	UpdateReadChannelInbox *PredUpdateReadChannelInbox `protobuf:"bytes,31,opt,name=UpdateReadChannelInbox,oneof"`
}

type TypeUpdate_UpdateReadChannelOutbox

type TypeUpdate_UpdateReadChannelOutbox struct {
	UpdateReadChannelOutbox *PredUpdateReadChannelOutbox `protobuf:"bytes,47,opt,name=UpdateReadChannelOutbox,oneof"`
}

type TypeUpdate_UpdateReadFeaturedStickers

type TypeUpdate_UpdateReadFeaturedStickers struct {
	UpdateReadFeaturedStickers *PredUpdateReadFeaturedStickers `protobuf:"bytes,49,opt,name=UpdateReadFeaturedStickers,oneof"`
}

type TypeUpdate_UpdateReadHistoryInbox

type TypeUpdate_UpdateReadHistoryInbox struct {
	UpdateReadHistoryInbox *PredUpdateReadHistoryInbox `protobuf:"bytes,24,opt,name=UpdateReadHistoryInbox,oneof"`
}

type TypeUpdate_UpdateReadHistoryOutbox

type TypeUpdate_UpdateReadHistoryOutbox struct {
	UpdateReadHistoryOutbox *PredUpdateReadHistoryOutbox `protobuf:"bytes,25,opt,name=UpdateReadHistoryOutbox,oneof"`
}

type TypeUpdate_UpdateReadMessagesContents

type TypeUpdate_UpdateReadMessagesContents struct {
	UpdateReadMessagesContents *PredUpdateReadMessagesContents `protobuf:"bytes,27,opt,name=UpdateReadMessagesContents,oneof"`
}

type TypeUpdate_UpdateRecentStickers

type TypeUpdate_UpdateRecentStickers struct {
	UpdateRecentStickers *PredUpdateRecentStickers `protobuf:"bytes,50,opt,name=UpdateRecentStickers,oneof"`
}

type TypeUpdate_UpdateSavedGifs

type TypeUpdate_UpdateSavedGifs struct {
	UpdateSavedGifs *PredUpdateSavedGifs `protobuf:"bytes,39,opt,name=UpdateSavedGifs,oneof"`
}

type TypeUpdate_UpdateServiceNotification

type TypeUpdate_UpdateServiceNotification struct {
	UpdateServiceNotification *PredUpdateServiceNotification `protobuf:"bytes,21,opt,name=UpdateServiceNotification,oneof"`
}

type TypeUpdate_UpdateStickerSets

type TypeUpdate_UpdateStickerSets struct {
	UpdateStickerSets *PredUpdateStickerSets `protobuf:"bytes,38,opt,name=UpdateStickerSets,oneof"`
}

type TypeUpdate_UpdateStickerSetsOrder

type TypeUpdate_UpdateStickerSetsOrder struct {
	UpdateStickerSetsOrder *PredUpdateStickerSetsOrder `protobuf:"bytes,37,opt,name=UpdateStickerSetsOrder,oneof"`
}

type TypeUpdate_UpdateUserBlocked

type TypeUpdate_UpdateUserBlocked struct {
	UpdateUserBlocked *PredUpdateUserBlocked `protobuf:"bytes,19,opt,name=UpdateUserBlocked,oneof"`
}

type TypeUpdate_UpdateUserName

type TypeUpdate_UpdateUserName struct {
	UpdateUserName *PredUpdateUserName `protobuf:"bytes,8,opt,name=UpdateUserName,oneof"`
}

type TypeUpdate_UpdateUserPhone

type TypeUpdate_UpdateUserPhone struct {
	UpdateUserPhone *PredUpdateUserPhone `protobuf:"bytes,23,opt,name=UpdateUserPhone,oneof"`
}

type TypeUpdate_UpdateUserPhoto

type TypeUpdate_UpdateUserPhoto struct {
	UpdateUserPhoto *PredUpdateUserPhoto `protobuf:"bytes,9,opt,name=UpdateUserPhoto,oneof"`
}

type TypeUpdate_UpdateUserStatus

type TypeUpdate_UpdateUserStatus struct {
	UpdateUserStatus *PredUpdateUserStatus `protobuf:"bytes,7,opt,name=UpdateUserStatus,oneof"`
}

type TypeUpdate_UpdateUserTyping

type TypeUpdate_UpdateUserTyping struct {
	UpdateUserTyping *PredUpdateUserTyping `protobuf:"bytes,4,opt,name=UpdateUserTyping,oneof"`
}

type TypeUpdate_UpdateWebPage

type TypeUpdate_UpdateWebPage struct {
	UpdateWebPage *PredUpdateWebPage `protobuf:"bytes,26,opt,name=UpdateWebPage,oneof"`
}

type TypeUpdates

type TypeUpdates struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUpdates_UpdatesTooLong
	//	*TypeUpdates_UpdateShortMessage
	//	*TypeUpdates_UpdateShortChatMessage
	//	*TypeUpdates_UpdateShort
	//	*TypeUpdates_UpdatesCombined
	//	*TypeUpdates_Updates
	//	*TypeUpdates_UpdateShortSentMessage
	Value                isTypeUpdates_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeUpdates) Descriptor

func (*TypeUpdates) Descriptor() ([]byte, []int)

func (*TypeUpdates) GetUpdateShort

func (m *TypeUpdates) GetUpdateShort() *PredUpdateShort

func (*TypeUpdates) GetUpdateShortChatMessage

func (m *TypeUpdates) GetUpdateShortChatMessage() *PredUpdateShortChatMessage

func (*TypeUpdates) GetUpdateShortMessage

func (m *TypeUpdates) GetUpdateShortMessage() *PredUpdateShortMessage

func (*TypeUpdates) GetUpdateShortSentMessage

func (m *TypeUpdates) GetUpdateShortSentMessage() *PredUpdateShortSentMessage

func (*TypeUpdates) GetUpdates

func (m *TypeUpdates) GetUpdates() *PredUpdates

func (*TypeUpdates) GetUpdatesCombined

func (m *TypeUpdates) GetUpdatesCombined() *PredUpdatesCombined

func (*TypeUpdates) GetUpdatesTooLong

func (m *TypeUpdates) GetUpdatesTooLong() *PredUpdatesTooLong

func (*TypeUpdates) GetValue

func (m *TypeUpdates) GetValue() isTypeUpdates_Value

func (*TypeUpdates) ProtoMessage

func (*TypeUpdates) ProtoMessage()

func (*TypeUpdates) Reset

func (m *TypeUpdates) Reset()

func (*TypeUpdates) String

func (m *TypeUpdates) String() string

func (*TypeUpdates) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUpdates) XXX_DiscardUnknown()

func (*TypeUpdates) XXX_Marshal added in v0.4.1

func (m *TypeUpdates) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUpdates) XXX_Merge added in v0.4.1

func (dst *TypeUpdates) XXX_Merge(src proto.Message)

func (*TypeUpdates) XXX_OneofFuncs

func (*TypeUpdates) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUpdates) XXX_Size added in v0.4.1

func (m *TypeUpdates) XXX_Size() int

func (*TypeUpdates) XXX_Unmarshal added in v0.4.1

func (m *TypeUpdates) XXX_Unmarshal(b []byte) error

type TypeUpdatesChannelDifference

type TypeUpdatesChannelDifference struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUpdatesChannelDifference_UpdatesChannelDifferenceEmpty
	//	*TypeUpdatesChannelDifference_UpdatesChannelDifferenceTooLong
	//	*TypeUpdatesChannelDifference_UpdatesChannelDifference
	Value                isTypeUpdatesChannelDifference_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                             `json:"-"`
	XXX_unrecognized     []byte                               `json:"-"`
	XXX_sizecache        int32                                `json:"-"`
}

func (*TypeUpdatesChannelDifference) Descriptor

func (*TypeUpdatesChannelDifference) Descriptor() ([]byte, []int)

func (*TypeUpdatesChannelDifference) GetUpdatesChannelDifference

func (m *TypeUpdatesChannelDifference) GetUpdatesChannelDifference() *PredUpdatesChannelDifference

func (*TypeUpdatesChannelDifference) GetUpdatesChannelDifferenceEmpty

func (m *TypeUpdatesChannelDifference) GetUpdatesChannelDifferenceEmpty() *PredUpdatesChannelDifferenceEmpty

func (*TypeUpdatesChannelDifference) GetUpdatesChannelDifferenceTooLong

func (m *TypeUpdatesChannelDifference) GetUpdatesChannelDifferenceTooLong() *PredUpdatesChannelDifferenceTooLong

func (*TypeUpdatesChannelDifference) GetValue

func (m *TypeUpdatesChannelDifference) GetValue() isTypeUpdatesChannelDifference_Value

func (*TypeUpdatesChannelDifference) ProtoMessage

func (*TypeUpdatesChannelDifference) ProtoMessage()

func (*TypeUpdatesChannelDifference) Reset

func (m *TypeUpdatesChannelDifference) Reset()

func (*TypeUpdatesChannelDifference) String

func (*TypeUpdatesChannelDifference) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUpdatesChannelDifference) XXX_DiscardUnknown()

func (*TypeUpdatesChannelDifference) XXX_Marshal added in v0.4.1

func (m *TypeUpdatesChannelDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUpdatesChannelDifference) XXX_Merge added in v0.4.1

func (dst *TypeUpdatesChannelDifference) XXX_Merge(src proto.Message)

func (*TypeUpdatesChannelDifference) XXX_OneofFuncs

func (*TypeUpdatesChannelDifference) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUpdatesChannelDifference) XXX_Size added in v0.4.1

func (m *TypeUpdatesChannelDifference) XXX_Size() int

func (*TypeUpdatesChannelDifference) XXX_Unmarshal added in v0.4.1

func (m *TypeUpdatesChannelDifference) XXX_Unmarshal(b []byte) error

type TypeUpdatesChannelDifference_UpdatesChannelDifference

type TypeUpdatesChannelDifference_UpdatesChannelDifference struct {
	UpdatesChannelDifference *PredUpdatesChannelDifference `protobuf:"bytes,3,opt,name=UpdatesChannelDifference,oneof"`
}

type TypeUpdatesChannelDifference_UpdatesChannelDifferenceEmpty

type TypeUpdatesChannelDifference_UpdatesChannelDifferenceEmpty struct {
	UpdatesChannelDifferenceEmpty *PredUpdatesChannelDifferenceEmpty `protobuf:"bytes,1,opt,name=UpdatesChannelDifferenceEmpty,oneof"`
}

type TypeUpdatesChannelDifference_UpdatesChannelDifferenceTooLong

type TypeUpdatesChannelDifference_UpdatesChannelDifferenceTooLong struct {
	UpdatesChannelDifferenceTooLong *PredUpdatesChannelDifferenceTooLong `protobuf:"bytes,2,opt,name=UpdatesChannelDifferenceTooLong,oneof"`
}

type TypeUpdatesDifference

type TypeUpdatesDifference struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUpdatesDifference_UpdatesDifferenceEmpty
	//	*TypeUpdatesDifference_UpdatesDifference
	//	*TypeUpdatesDifference_UpdatesDifferenceSlice
	//	*TypeUpdatesDifference_UpdatesDifferenceTooLong
	Value                isTypeUpdatesDifference_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                      `json:"-"`
	XXX_unrecognized     []byte                        `json:"-"`
	XXX_sizecache        int32                         `json:"-"`
}

func (*TypeUpdatesDifference) Descriptor

func (*TypeUpdatesDifference) Descriptor() ([]byte, []int)

func (*TypeUpdatesDifference) GetUpdatesDifference

func (m *TypeUpdatesDifference) GetUpdatesDifference() *PredUpdatesDifference

func (*TypeUpdatesDifference) GetUpdatesDifferenceEmpty

func (m *TypeUpdatesDifference) GetUpdatesDifferenceEmpty() *PredUpdatesDifferenceEmpty

func (*TypeUpdatesDifference) GetUpdatesDifferenceSlice

func (m *TypeUpdatesDifference) GetUpdatesDifferenceSlice() *PredUpdatesDifferenceSlice

func (*TypeUpdatesDifference) GetUpdatesDifferenceTooLong

func (m *TypeUpdatesDifference) GetUpdatesDifferenceTooLong() *PredUpdatesDifferenceTooLong

func (*TypeUpdatesDifference) GetValue

func (m *TypeUpdatesDifference) GetValue() isTypeUpdatesDifference_Value

func (*TypeUpdatesDifference) ProtoMessage

func (*TypeUpdatesDifference) ProtoMessage()

func (*TypeUpdatesDifference) Reset

func (m *TypeUpdatesDifference) Reset()

func (*TypeUpdatesDifference) String

func (m *TypeUpdatesDifference) String() string

func (*TypeUpdatesDifference) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUpdatesDifference) XXX_DiscardUnknown()

func (*TypeUpdatesDifference) XXX_Marshal added in v0.4.1

func (m *TypeUpdatesDifference) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUpdatesDifference) XXX_Merge added in v0.4.1

func (dst *TypeUpdatesDifference) XXX_Merge(src proto.Message)

func (*TypeUpdatesDifference) XXX_OneofFuncs

func (*TypeUpdatesDifference) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUpdatesDifference) XXX_Size added in v0.4.1

func (m *TypeUpdatesDifference) XXX_Size() int

func (*TypeUpdatesDifference) XXX_Unmarshal added in v0.4.1

func (m *TypeUpdatesDifference) XXX_Unmarshal(b []byte) error

type TypeUpdatesDifference_UpdatesDifference

type TypeUpdatesDifference_UpdatesDifference struct {
	UpdatesDifference *PredUpdatesDifference `protobuf:"bytes,2,opt,name=UpdatesDifference,oneof"`
}

type TypeUpdatesDifference_UpdatesDifferenceEmpty

type TypeUpdatesDifference_UpdatesDifferenceEmpty struct {
	UpdatesDifferenceEmpty *PredUpdatesDifferenceEmpty `protobuf:"bytes,1,opt,name=UpdatesDifferenceEmpty,oneof"`
}

type TypeUpdatesDifference_UpdatesDifferenceSlice

type TypeUpdatesDifference_UpdatesDifferenceSlice struct {
	UpdatesDifferenceSlice *PredUpdatesDifferenceSlice `protobuf:"bytes,3,opt,name=UpdatesDifferenceSlice,oneof"`
}

type TypeUpdatesDifference_UpdatesDifferenceTooLong

type TypeUpdatesDifference_UpdatesDifferenceTooLong struct {
	UpdatesDifferenceTooLong *PredUpdatesDifferenceTooLong `protobuf:"bytes,4,opt,name=UpdatesDifferenceTooLong,oneof"`
}

type TypeUpdatesState

type TypeUpdatesState struct {
	Value                *PredUpdatesState `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}          `json:"-"`
	XXX_unrecognized     []byte            `json:"-"`
	XXX_sizecache        int32             `json:"-"`
}

func (*TypeUpdatesState) Descriptor

func (*TypeUpdatesState) Descriptor() ([]byte, []int)

func (*TypeUpdatesState) GetValue

func (m *TypeUpdatesState) GetValue() *PredUpdatesState

func (*TypeUpdatesState) ProtoMessage

func (*TypeUpdatesState) ProtoMessage()

func (*TypeUpdatesState) Reset

func (m *TypeUpdatesState) Reset()

func (*TypeUpdatesState) String

func (m *TypeUpdatesState) String() string

func (*TypeUpdatesState) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUpdatesState) XXX_DiscardUnknown()

func (*TypeUpdatesState) XXX_Marshal added in v0.4.1

func (m *TypeUpdatesState) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUpdatesState) XXX_Merge added in v0.4.1

func (dst *TypeUpdatesState) XXX_Merge(src proto.Message)

func (*TypeUpdatesState) XXX_Size added in v0.4.1

func (m *TypeUpdatesState) XXX_Size() int

func (*TypeUpdatesState) XXX_Unmarshal added in v0.4.1

func (m *TypeUpdatesState) XXX_Unmarshal(b []byte) error

type TypeUpdates_UpdateShort

type TypeUpdates_UpdateShort struct {
	UpdateShort *PredUpdateShort `protobuf:"bytes,4,opt,name=UpdateShort,oneof"`
}

type TypeUpdates_UpdateShortChatMessage

type TypeUpdates_UpdateShortChatMessage struct {
	UpdateShortChatMessage *PredUpdateShortChatMessage `protobuf:"bytes,3,opt,name=UpdateShortChatMessage,oneof"`
}

type TypeUpdates_UpdateShortMessage

type TypeUpdates_UpdateShortMessage struct {
	UpdateShortMessage *PredUpdateShortMessage `protobuf:"bytes,2,opt,name=UpdateShortMessage,oneof"`
}

type TypeUpdates_UpdateShortSentMessage

type TypeUpdates_UpdateShortSentMessage struct {
	UpdateShortSentMessage *PredUpdateShortSentMessage `protobuf:"bytes,7,opt,name=UpdateShortSentMessage,oneof"`
}

type TypeUpdates_Updates

type TypeUpdates_Updates struct {
	Updates *PredUpdates `protobuf:"bytes,6,opt,name=Updates,oneof"`
}

type TypeUpdates_UpdatesCombined

type TypeUpdates_UpdatesCombined struct {
	UpdatesCombined *PredUpdatesCombined `protobuf:"bytes,5,opt,name=UpdatesCombined,oneof"`
}

type TypeUpdates_UpdatesTooLong

type TypeUpdates_UpdatesTooLong struct {
	UpdatesTooLong *PredUpdatesTooLong `protobuf:"bytes,1,opt,name=UpdatesTooLong,oneof"`
}

type TypeUploadCdnFile

type TypeUploadCdnFile struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUploadCdnFile_UploadCdnFileReuploadNeeded
	//	*TypeUploadCdnFile_UploadCdnFile
	Value                isTypeUploadCdnFile_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                  `json:"-"`
	XXX_unrecognized     []byte                    `json:"-"`
	XXX_sizecache        int32                     `json:"-"`
}

func (*TypeUploadCdnFile) Descriptor

func (*TypeUploadCdnFile) Descriptor() ([]byte, []int)

func (*TypeUploadCdnFile) GetUploadCdnFile

func (m *TypeUploadCdnFile) GetUploadCdnFile() *PredUploadCdnFile

func (*TypeUploadCdnFile) GetUploadCdnFileReuploadNeeded

func (m *TypeUploadCdnFile) GetUploadCdnFileReuploadNeeded() *PredUploadCdnFileReuploadNeeded

func (*TypeUploadCdnFile) GetValue

func (m *TypeUploadCdnFile) GetValue() isTypeUploadCdnFile_Value

func (*TypeUploadCdnFile) ProtoMessage

func (*TypeUploadCdnFile) ProtoMessage()

func (*TypeUploadCdnFile) Reset

func (m *TypeUploadCdnFile) Reset()

func (*TypeUploadCdnFile) String

func (m *TypeUploadCdnFile) String() string

func (*TypeUploadCdnFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUploadCdnFile) XXX_DiscardUnknown()

func (*TypeUploadCdnFile) XXX_Marshal added in v0.4.1

func (m *TypeUploadCdnFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUploadCdnFile) XXX_Merge added in v0.4.1

func (dst *TypeUploadCdnFile) XXX_Merge(src proto.Message)

func (*TypeUploadCdnFile) XXX_OneofFuncs

func (*TypeUploadCdnFile) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUploadCdnFile) XXX_Size added in v0.4.1

func (m *TypeUploadCdnFile) XXX_Size() int

func (*TypeUploadCdnFile) XXX_Unmarshal added in v0.4.1

func (m *TypeUploadCdnFile) XXX_Unmarshal(b []byte) error

type TypeUploadCdnFile_UploadCdnFile

type TypeUploadCdnFile_UploadCdnFile struct {
	UploadCdnFile *PredUploadCdnFile `protobuf:"bytes,2,opt,name=UploadCdnFile,oneof"`
}

type TypeUploadCdnFile_UploadCdnFileReuploadNeeded

type TypeUploadCdnFile_UploadCdnFileReuploadNeeded struct {
	UploadCdnFileReuploadNeeded *PredUploadCdnFileReuploadNeeded `protobuf:"bytes,1,opt,name=UploadCdnFileReuploadNeeded,oneof"`
}

type TypeUploadFile

type TypeUploadFile struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUploadFile_UploadFile
	//	*TypeUploadFile_UploadFileCdnRedirect
	Value                isTypeUploadFile_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeUploadFile) Descriptor

func (*TypeUploadFile) Descriptor() ([]byte, []int)

func (*TypeUploadFile) GetUploadFile

func (m *TypeUploadFile) GetUploadFile() *PredUploadFile

func (*TypeUploadFile) GetUploadFileCdnRedirect

func (m *TypeUploadFile) GetUploadFileCdnRedirect() *PredUploadFileCdnRedirect

func (*TypeUploadFile) GetValue

func (m *TypeUploadFile) GetValue() isTypeUploadFile_Value

func (*TypeUploadFile) ProtoMessage

func (*TypeUploadFile) ProtoMessage()

func (*TypeUploadFile) Reset

func (m *TypeUploadFile) Reset()

func (*TypeUploadFile) String

func (m *TypeUploadFile) String() string

func (*TypeUploadFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUploadFile) XXX_DiscardUnknown()

func (*TypeUploadFile) XXX_Marshal added in v0.4.1

func (m *TypeUploadFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUploadFile) XXX_Merge added in v0.4.1

func (dst *TypeUploadFile) XXX_Merge(src proto.Message)

func (*TypeUploadFile) XXX_OneofFuncs

func (*TypeUploadFile) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUploadFile) XXX_Size added in v0.4.1

func (m *TypeUploadFile) XXX_Size() int

func (*TypeUploadFile) XXX_Unmarshal added in v0.4.1

func (m *TypeUploadFile) XXX_Unmarshal(b []byte) error

type TypeUploadFile_UploadFile

type TypeUploadFile_UploadFile struct {
	UploadFile *PredUploadFile `protobuf:"bytes,1,opt,name=UploadFile,oneof"`
}

type TypeUploadFile_UploadFileCdnRedirect

type TypeUploadFile_UploadFileCdnRedirect struct {
	UploadFileCdnRedirect *PredUploadFileCdnRedirect `protobuf:"bytes,2,opt,name=UploadFileCdnRedirect,oneof"`
}

type TypeUploadWebFile

type TypeUploadWebFile struct {
	Value                *PredUploadWebFile `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeUploadWebFile) Descriptor

func (*TypeUploadWebFile) Descriptor() ([]byte, []int)

func (*TypeUploadWebFile) GetValue

func (m *TypeUploadWebFile) GetValue() *PredUploadWebFile

func (*TypeUploadWebFile) ProtoMessage

func (*TypeUploadWebFile) ProtoMessage()

func (*TypeUploadWebFile) Reset

func (m *TypeUploadWebFile) Reset()

func (*TypeUploadWebFile) String

func (m *TypeUploadWebFile) String() string

func (*TypeUploadWebFile) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUploadWebFile) XXX_DiscardUnknown()

func (*TypeUploadWebFile) XXX_Marshal added in v0.4.1

func (m *TypeUploadWebFile) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUploadWebFile) XXX_Merge added in v0.4.1

func (dst *TypeUploadWebFile) XXX_Merge(src proto.Message)

func (*TypeUploadWebFile) XXX_Size added in v0.4.1

func (m *TypeUploadWebFile) XXX_Size() int

func (*TypeUploadWebFile) XXX_Unmarshal added in v0.4.1

func (m *TypeUploadWebFile) XXX_Unmarshal(b []byte) error

type TypeUser

type TypeUser struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUser_UserEmpty
	//	*TypeUser_User
	Value                isTypeUser_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeUser) Descriptor

func (*TypeUser) Descriptor() ([]byte, []int)

func (*TypeUser) GetUser

func (m *TypeUser) GetUser() *PredUser

func (*TypeUser) GetUserEmpty

func (m *TypeUser) GetUserEmpty() *PredUserEmpty

func (*TypeUser) GetValue

func (m *TypeUser) GetValue() isTypeUser_Value

func (*TypeUser) ProtoMessage

func (*TypeUser) ProtoMessage()

func (*TypeUser) Reset

func (m *TypeUser) Reset()

func (*TypeUser) String

func (m *TypeUser) String() string

func (*TypeUser) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUser) XXX_DiscardUnknown()

func (*TypeUser) XXX_Marshal added in v0.4.1

func (m *TypeUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUser) XXX_Merge added in v0.4.1

func (dst *TypeUser) XXX_Merge(src proto.Message)

func (*TypeUser) XXX_OneofFuncs

func (*TypeUser) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUser) XXX_Size added in v0.4.1

func (m *TypeUser) XXX_Size() int

func (*TypeUser) XXX_Unmarshal added in v0.4.1

func (m *TypeUser) XXX_Unmarshal(b []byte) error

type TypeUserFull

type TypeUserFull struct {
	Value                *PredUserFull `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}      `json:"-"`
	XXX_unrecognized     []byte        `json:"-"`
	XXX_sizecache        int32         `json:"-"`
}

func (*TypeUserFull) Descriptor

func (*TypeUserFull) Descriptor() ([]byte, []int)

func (*TypeUserFull) GetValue

func (m *TypeUserFull) GetValue() *PredUserFull

func (*TypeUserFull) ProtoMessage

func (*TypeUserFull) ProtoMessage()

func (*TypeUserFull) Reset

func (m *TypeUserFull) Reset()

func (*TypeUserFull) String

func (m *TypeUserFull) String() string

func (*TypeUserFull) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUserFull) XXX_DiscardUnknown()

func (*TypeUserFull) XXX_Marshal added in v0.4.1

func (m *TypeUserFull) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUserFull) XXX_Merge added in v0.4.1

func (dst *TypeUserFull) XXX_Merge(src proto.Message)

func (*TypeUserFull) XXX_Size added in v0.4.1

func (m *TypeUserFull) XXX_Size() int

func (*TypeUserFull) XXX_Unmarshal added in v0.4.1

func (m *TypeUserFull) XXX_Unmarshal(b []byte) error

type TypeUserProfilePhoto

type TypeUserProfilePhoto struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUserProfilePhoto_UserProfilePhotoEmpty
	//	*TypeUserProfilePhoto_UserProfilePhoto
	Value                isTypeUserProfilePhoto_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}                     `json:"-"`
	XXX_unrecognized     []byte                       `json:"-"`
	XXX_sizecache        int32                        `json:"-"`
}

func (*TypeUserProfilePhoto) Descriptor

func (*TypeUserProfilePhoto) Descriptor() ([]byte, []int)

func (*TypeUserProfilePhoto) GetUserProfilePhoto

func (m *TypeUserProfilePhoto) GetUserProfilePhoto() *PredUserProfilePhoto

func (*TypeUserProfilePhoto) GetUserProfilePhotoEmpty

func (m *TypeUserProfilePhoto) GetUserProfilePhotoEmpty() *PredUserProfilePhotoEmpty

func (*TypeUserProfilePhoto) GetValue

func (m *TypeUserProfilePhoto) GetValue() isTypeUserProfilePhoto_Value

func (*TypeUserProfilePhoto) ProtoMessage

func (*TypeUserProfilePhoto) ProtoMessage()

func (*TypeUserProfilePhoto) Reset

func (m *TypeUserProfilePhoto) Reset()

func (*TypeUserProfilePhoto) String

func (m *TypeUserProfilePhoto) String() string

func (*TypeUserProfilePhoto) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUserProfilePhoto) XXX_DiscardUnknown()

func (*TypeUserProfilePhoto) XXX_Marshal added in v0.4.1

func (m *TypeUserProfilePhoto) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUserProfilePhoto) XXX_Merge added in v0.4.1

func (dst *TypeUserProfilePhoto) XXX_Merge(src proto.Message)

func (*TypeUserProfilePhoto) XXX_OneofFuncs

func (*TypeUserProfilePhoto) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUserProfilePhoto) XXX_Size added in v0.4.1

func (m *TypeUserProfilePhoto) XXX_Size() int

func (*TypeUserProfilePhoto) XXX_Unmarshal added in v0.4.1

func (m *TypeUserProfilePhoto) XXX_Unmarshal(b []byte) error

type TypeUserProfilePhoto_UserProfilePhoto

type TypeUserProfilePhoto_UserProfilePhoto struct {
	UserProfilePhoto *PredUserProfilePhoto `protobuf:"bytes,2,opt,name=UserProfilePhoto,oneof"`
}

type TypeUserProfilePhoto_UserProfilePhotoEmpty

type TypeUserProfilePhoto_UserProfilePhotoEmpty struct {
	UserProfilePhotoEmpty *PredUserProfilePhotoEmpty `protobuf:"bytes,1,opt,name=UserProfilePhotoEmpty,oneof"`
}

type TypeUserStatus

type TypeUserStatus struct {
	// Types that are valid to be assigned to Value:
	//	*TypeUserStatus_UserStatusEmpty
	//	*TypeUserStatus_UserStatusOnline
	//	*TypeUserStatus_UserStatusOffline
	//	*TypeUserStatus_UserStatusRecently
	//	*TypeUserStatus_UserStatusLastWeek
	//	*TypeUserStatus_UserStatusLastMonth
	Value                isTypeUserStatus_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}               `json:"-"`
	XXX_unrecognized     []byte                 `json:"-"`
	XXX_sizecache        int32                  `json:"-"`
}

func (*TypeUserStatus) Descriptor

func (*TypeUserStatus) Descriptor() ([]byte, []int)

func (*TypeUserStatus) GetUserStatusEmpty

func (m *TypeUserStatus) GetUserStatusEmpty() *PredUserStatusEmpty

func (*TypeUserStatus) GetUserStatusLastMonth

func (m *TypeUserStatus) GetUserStatusLastMonth() *PredUserStatusLastMonth

func (*TypeUserStatus) GetUserStatusLastWeek

func (m *TypeUserStatus) GetUserStatusLastWeek() *PredUserStatusLastWeek

func (*TypeUserStatus) GetUserStatusOffline

func (m *TypeUserStatus) GetUserStatusOffline() *PredUserStatusOffline

func (*TypeUserStatus) GetUserStatusOnline

func (m *TypeUserStatus) GetUserStatusOnline() *PredUserStatusOnline

func (*TypeUserStatus) GetUserStatusRecently

func (m *TypeUserStatus) GetUserStatusRecently() *PredUserStatusRecently

func (*TypeUserStatus) GetValue

func (m *TypeUserStatus) GetValue() isTypeUserStatus_Value

func (*TypeUserStatus) ProtoMessage

func (*TypeUserStatus) ProtoMessage()

func (*TypeUserStatus) Reset

func (m *TypeUserStatus) Reset()

func (*TypeUserStatus) String

func (m *TypeUserStatus) String() string

func (*TypeUserStatus) XXX_DiscardUnknown added in v0.4.1

func (m *TypeUserStatus) XXX_DiscardUnknown()

func (*TypeUserStatus) XXX_Marshal added in v0.4.1

func (m *TypeUserStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeUserStatus) XXX_Merge added in v0.4.1

func (dst *TypeUserStatus) XXX_Merge(src proto.Message)

func (*TypeUserStatus) XXX_OneofFuncs

func (*TypeUserStatus) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeUserStatus) XXX_Size added in v0.4.1

func (m *TypeUserStatus) XXX_Size() int

func (*TypeUserStatus) XXX_Unmarshal added in v0.4.1

func (m *TypeUserStatus) XXX_Unmarshal(b []byte) error

type TypeUserStatus_UserStatusEmpty

type TypeUserStatus_UserStatusEmpty struct {
	UserStatusEmpty *PredUserStatusEmpty `protobuf:"bytes,1,opt,name=UserStatusEmpty,oneof"`
}

type TypeUserStatus_UserStatusLastMonth

type TypeUserStatus_UserStatusLastMonth struct {
	UserStatusLastMonth *PredUserStatusLastMonth `protobuf:"bytes,6,opt,name=UserStatusLastMonth,oneof"`
}

type TypeUserStatus_UserStatusLastWeek

type TypeUserStatus_UserStatusLastWeek struct {
	UserStatusLastWeek *PredUserStatusLastWeek `protobuf:"bytes,5,opt,name=UserStatusLastWeek,oneof"`
}

type TypeUserStatus_UserStatusOffline

type TypeUserStatus_UserStatusOffline struct {
	UserStatusOffline *PredUserStatusOffline `protobuf:"bytes,3,opt,name=UserStatusOffline,oneof"`
}

type TypeUserStatus_UserStatusOnline

type TypeUserStatus_UserStatusOnline struct {
	UserStatusOnline *PredUserStatusOnline `protobuf:"bytes,2,opt,name=UserStatusOnline,oneof"`
}

type TypeUserStatus_UserStatusRecently

type TypeUserStatus_UserStatusRecently struct {
	UserStatusRecently *PredUserStatusRecently `protobuf:"bytes,4,opt,name=UserStatusRecently,oneof"`
}

type TypeUser_User

type TypeUser_User struct {
	User *PredUser `protobuf:"bytes,2,opt,name=User,oneof"`
}

type TypeUser_UserEmpty

type TypeUser_UserEmpty struct {
	UserEmpty *PredUserEmpty `protobuf:"bytes,1,opt,name=UserEmpty,oneof"`
}

type TypeVectorCdnFileHash

type TypeVectorCdnFileHash struct {
	CdnFileHash          []*TypeCdnFileHash `protobuf:"bytes,1,rep,name=CdnFileHash" json:"CdnFileHash,omitempty"`
	XXX_NoUnkeyedLiteral struct{}           `json:"-"`
	XXX_unrecognized     []byte             `json:"-"`
	XXX_sizecache        int32              `json:"-"`
}

func (*TypeVectorCdnFileHash) Descriptor

func (*TypeVectorCdnFileHash) Descriptor() ([]byte, []int)

func (*TypeVectorCdnFileHash) GetCdnFileHash

func (m *TypeVectorCdnFileHash) GetCdnFileHash() []*TypeCdnFileHash

func (*TypeVectorCdnFileHash) ProtoMessage

func (*TypeVectorCdnFileHash) ProtoMessage()

func (*TypeVectorCdnFileHash) Reset

func (m *TypeVectorCdnFileHash) Reset()

func (*TypeVectorCdnFileHash) String

func (m *TypeVectorCdnFileHash) String() string

func (*TypeVectorCdnFileHash) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorCdnFileHash) XXX_DiscardUnknown()

func (*TypeVectorCdnFileHash) XXX_Marshal added in v0.4.1

func (m *TypeVectorCdnFileHash) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorCdnFileHash) XXX_Merge added in v0.4.1

func (dst *TypeVectorCdnFileHash) XXX_Merge(src proto.Message)

func (*TypeVectorCdnFileHash) XXX_Size added in v0.4.1

func (m *TypeVectorCdnFileHash) XXX_Size() int

func (*TypeVectorCdnFileHash) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorCdnFileHash) XXX_Unmarshal(b []byte) error

type TypeVectorContactStatus

type TypeVectorContactStatus struct {
	ContactStatus        []*TypeContactStatus `protobuf:"bytes,1,rep,name=ContactStatus" json:"ContactStatus,omitempty"`
	XXX_NoUnkeyedLiteral struct{}             `json:"-"`
	XXX_unrecognized     []byte               `json:"-"`
	XXX_sizecache        int32                `json:"-"`
}

func (*TypeVectorContactStatus) Descriptor

func (*TypeVectorContactStatus) Descriptor() ([]byte, []int)

func (*TypeVectorContactStatus) GetContactStatus

func (m *TypeVectorContactStatus) GetContactStatus() []*TypeContactStatus

func (*TypeVectorContactStatus) ProtoMessage

func (*TypeVectorContactStatus) ProtoMessage()

func (*TypeVectorContactStatus) Reset

func (m *TypeVectorContactStatus) Reset()

func (*TypeVectorContactStatus) String

func (m *TypeVectorContactStatus) String() string

func (*TypeVectorContactStatus) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorContactStatus) XXX_DiscardUnknown()

func (*TypeVectorContactStatus) XXX_Marshal added in v0.4.1

func (m *TypeVectorContactStatus) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorContactStatus) XXX_Merge added in v0.4.1

func (dst *TypeVectorContactStatus) XXX_Merge(src proto.Message)

func (*TypeVectorContactStatus) XXX_Size added in v0.4.1

func (m *TypeVectorContactStatus) XXX_Size() int

func (*TypeVectorContactStatus) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorContactStatus) XXX_Unmarshal(b []byte) error

type TypeVectorInt

type TypeVectorInt struct {
	Values               []int32  `protobuf:"varint,1,rep,packed,name=values" json:"values,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*TypeVectorInt) Descriptor

func (*TypeVectorInt) Descriptor() ([]byte, []int)

func (*TypeVectorInt) GetValues

func (m *TypeVectorInt) GetValues() []int32

func (*TypeVectorInt) ProtoMessage

func (*TypeVectorInt) ProtoMessage()

func (*TypeVectorInt) Reset

func (m *TypeVectorInt) Reset()

func (*TypeVectorInt) String

func (m *TypeVectorInt) String() string

func (*TypeVectorInt) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorInt) XXX_DiscardUnknown()

func (*TypeVectorInt) XXX_Marshal added in v0.4.1

func (m *TypeVectorInt) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorInt) XXX_Merge added in v0.4.1

func (dst *TypeVectorInt) XXX_Merge(src proto.Message)

func (*TypeVectorInt) XXX_Size added in v0.4.1

func (m *TypeVectorInt) XXX_Size() int

func (*TypeVectorInt) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorInt) XXX_Unmarshal(b []byte) error

type TypeVectorLangPackLanguage

type TypeVectorLangPackLanguage struct {
	LangPackLanguage     []*TypeLangPackLanguage `protobuf:"bytes,1,rep,name=LangPackLanguage" json:"LangPackLanguage,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                `json:"-"`
	XXX_unrecognized     []byte                  `json:"-"`
	XXX_sizecache        int32                   `json:"-"`
}

func (*TypeVectorLangPackLanguage) Descriptor

func (*TypeVectorLangPackLanguage) Descriptor() ([]byte, []int)

func (*TypeVectorLangPackLanguage) GetLangPackLanguage

func (m *TypeVectorLangPackLanguage) GetLangPackLanguage() []*TypeLangPackLanguage

func (*TypeVectorLangPackLanguage) ProtoMessage

func (*TypeVectorLangPackLanguage) ProtoMessage()

func (*TypeVectorLangPackLanguage) Reset

func (m *TypeVectorLangPackLanguage) Reset()

func (*TypeVectorLangPackLanguage) String

func (m *TypeVectorLangPackLanguage) String() string

func (*TypeVectorLangPackLanguage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorLangPackLanguage) XXX_DiscardUnknown()

func (*TypeVectorLangPackLanguage) XXX_Marshal added in v0.4.1

func (m *TypeVectorLangPackLanguage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorLangPackLanguage) XXX_Merge added in v0.4.1

func (dst *TypeVectorLangPackLanguage) XXX_Merge(src proto.Message)

func (*TypeVectorLangPackLanguage) XXX_Size added in v0.4.1

func (m *TypeVectorLangPackLanguage) XXX_Size() int

func (*TypeVectorLangPackLanguage) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorLangPackLanguage) XXX_Unmarshal(b []byte) error

type TypeVectorLangPackString

type TypeVectorLangPackString struct {
	LangPackString       []*TypeLangPackString `protobuf:"bytes,1,rep,name=LangPackString" json:"LangPackString,omitempty"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeVectorLangPackString) Descriptor

func (*TypeVectorLangPackString) Descriptor() ([]byte, []int)

func (*TypeVectorLangPackString) GetLangPackString

func (m *TypeVectorLangPackString) GetLangPackString() []*TypeLangPackString

func (*TypeVectorLangPackString) ProtoMessage

func (*TypeVectorLangPackString) ProtoMessage()

func (*TypeVectorLangPackString) Reset

func (m *TypeVectorLangPackString) Reset()

func (*TypeVectorLangPackString) String

func (m *TypeVectorLangPackString) String() string

func (*TypeVectorLangPackString) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorLangPackString) XXX_DiscardUnknown()

func (*TypeVectorLangPackString) XXX_Marshal added in v0.4.1

func (m *TypeVectorLangPackString) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorLangPackString) XXX_Merge added in v0.4.1

func (dst *TypeVectorLangPackString) XXX_Merge(src proto.Message)

func (*TypeVectorLangPackString) XXX_Size added in v0.4.1

func (m *TypeVectorLangPackString) XXX_Size() int

func (*TypeVectorLangPackString) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorLangPackString) XXX_Unmarshal(b []byte) error

type TypeVectorLong

type TypeVectorLong struct {
	Values               []int64  `protobuf:"varint,1,rep,packed,name=values" json:"values,omitempty"`
	XXX_NoUnkeyedLiteral struct{} `json:"-"`
	XXX_unrecognized     []byte   `json:"-"`
	XXX_sizecache        int32    `json:"-"`
}

func (*TypeVectorLong) Descriptor

func (*TypeVectorLong) Descriptor() ([]byte, []int)

func (*TypeVectorLong) GetValues

func (m *TypeVectorLong) GetValues() []int64

func (*TypeVectorLong) ProtoMessage

func (*TypeVectorLong) ProtoMessage()

func (*TypeVectorLong) Reset

func (m *TypeVectorLong) Reset()

func (*TypeVectorLong) String

func (m *TypeVectorLong) String() string

func (*TypeVectorLong) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorLong) XXX_DiscardUnknown()

func (*TypeVectorLong) XXX_Marshal added in v0.4.1

func (m *TypeVectorLong) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorLong) XXX_Merge added in v0.4.1

func (dst *TypeVectorLong) XXX_Merge(src proto.Message)

func (*TypeVectorLong) XXX_Size added in v0.4.1

func (m *TypeVectorLong) XXX_Size() int

func (*TypeVectorLong) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorLong) XXX_Unmarshal(b []byte) error

type TypeVectorReceivedNotifyMessage

type TypeVectorReceivedNotifyMessage struct {
	ReceivedNotifyMessage []*TypeReceivedNotifyMessage `protobuf:"bytes,1,rep,name=ReceivedNotifyMessage" json:"ReceivedNotifyMessage,omitempty"`
	XXX_NoUnkeyedLiteral  struct{}                     `json:"-"`
	XXX_unrecognized      []byte                       `json:"-"`
	XXX_sizecache         int32                        `json:"-"`
}

func (*TypeVectorReceivedNotifyMessage) Descriptor

func (*TypeVectorReceivedNotifyMessage) Descriptor() ([]byte, []int)

func (*TypeVectorReceivedNotifyMessage) GetReceivedNotifyMessage

func (m *TypeVectorReceivedNotifyMessage) GetReceivedNotifyMessage() []*TypeReceivedNotifyMessage

func (*TypeVectorReceivedNotifyMessage) ProtoMessage

func (*TypeVectorReceivedNotifyMessage) ProtoMessage()

func (*TypeVectorReceivedNotifyMessage) Reset

func (*TypeVectorReceivedNotifyMessage) String

func (*TypeVectorReceivedNotifyMessage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorReceivedNotifyMessage) XXX_DiscardUnknown()

func (*TypeVectorReceivedNotifyMessage) XXX_Marshal added in v0.4.1

func (m *TypeVectorReceivedNotifyMessage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorReceivedNotifyMessage) XXX_Merge added in v0.4.1

func (dst *TypeVectorReceivedNotifyMessage) XXX_Merge(src proto.Message)

func (*TypeVectorReceivedNotifyMessage) XXX_Size added in v0.4.1

func (m *TypeVectorReceivedNotifyMessage) XXX_Size() int

func (*TypeVectorReceivedNotifyMessage) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorReceivedNotifyMessage) XXX_Unmarshal(b []byte) error

type TypeVectorStickerSetCovered

type TypeVectorStickerSetCovered struct {
	StickerSetCovered    []*TypeStickerSetCovered `protobuf:"bytes,1,rep,name=StickerSetCovered" json:"StickerSetCovered,omitempty"`
	XXX_NoUnkeyedLiteral struct{}                 `json:"-"`
	XXX_unrecognized     []byte                   `json:"-"`
	XXX_sizecache        int32                    `json:"-"`
}

func (*TypeVectorStickerSetCovered) Descriptor

func (*TypeVectorStickerSetCovered) Descriptor() ([]byte, []int)

func (*TypeVectorStickerSetCovered) GetStickerSetCovered

func (m *TypeVectorStickerSetCovered) GetStickerSetCovered() []*TypeStickerSetCovered

func (*TypeVectorStickerSetCovered) ProtoMessage

func (*TypeVectorStickerSetCovered) ProtoMessage()

func (*TypeVectorStickerSetCovered) Reset

func (m *TypeVectorStickerSetCovered) Reset()

func (*TypeVectorStickerSetCovered) String

func (m *TypeVectorStickerSetCovered) String() string

func (*TypeVectorStickerSetCovered) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorStickerSetCovered) XXX_DiscardUnknown()

func (*TypeVectorStickerSetCovered) XXX_Marshal added in v0.4.1

func (m *TypeVectorStickerSetCovered) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorStickerSetCovered) XXX_Merge added in v0.4.1

func (dst *TypeVectorStickerSetCovered) XXX_Merge(src proto.Message)

func (*TypeVectorStickerSetCovered) XXX_Size added in v0.4.1

func (m *TypeVectorStickerSetCovered) XXX_Size() int

func (*TypeVectorStickerSetCovered) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorStickerSetCovered) XXX_Unmarshal(b []byte) error

type TypeVectorUser

type TypeVectorUser struct {
	User                 []*TypeUser `protobuf:"bytes,1,rep,name=User" json:"User,omitempty"`
	XXX_NoUnkeyedLiteral struct{}    `json:"-"`
	XXX_unrecognized     []byte      `json:"-"`
	XXX_sizecache        int32       `json:"-"`
}

func (*TypeVectorUser) Descriptor

func (*TypeVectorUser) Descriptor() ([]byte, []int)

func (*TypeVectorUser) GetUser

func (m *TypeVectorUser) GetUser() []*TypeUser

func (*TypeVectorUser) ProtoMessage

func (*TypeVectorUser) ProtoMessage()

func (*TypeVectorUser) Reset

func (m *TypeVectorUser) Reset()

func (*TypeVectorUser) String

func (m *TypeVectorUser) String() string

func (*TypeVectorUser) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorUser) XXX_DiscardUnknown()

func (*TypeVectorUser) XXX_Marshal added in v0.4.1

func (m *TypeVectorUser) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorUser) XXX_Merge added in v0.4.1

func (dst *TypeVectorUser) XXX_Merge(src proto.Message)

func (*TypeVectorUser) XXX_Size added in v0.4.1

func (m *TypeVectorUser) XXX_Size() int

func (*TypeVectorUser) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorUser) XXX_Unmarshal(b []byte) error

type TypeVectorWallPaper

type TypeVectorWallPaper struct {
	WallPaper            []*TypeWallPaper `protobuf:"bytes,1,rep,name=WallPaper" json:"WallPaper,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeVectorWallPaper) Descriptor

func (*TypeVectorWallPaper) Descriptor() ([]byte, []int)

func (*TypeVectorWallPaper) GetWallPaper

func (m *TypeVectorWallPaper) GetWallPaper() []*TypeWallPaper

func (*TypeVectorWallPaper) ProtoMessage

func (*TypeVectorWallPaper) ProtoMessage()

func (*TypeVectorWallPaper) Reset

func (m *TypeVectorWallPaper) Reset()

func (*TypeVectorWallPaper) String

func (m *TypeVectorWallPaper) String() string

func (*TypeVectorWallPaper) XXX_DiscardUnknown added in v0.4.1

func (m *TypeVectorWallPaper) XXX_DiscardUnknown()

func (*TypeVectorWallPaper) XXX_Marshal added in v0.4.1

func (m *TypeVectorWallPaper) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeVectorWallPaper) XXX_Merge added in v0.4.1

func (dst *TypeVectorWallPaper) XXX_Merge(src proto.Message)

func (*TypeVectorWallPaper) XXX_Size added in v0.4.1

func (m *TypeVectorWallPaper) XXX_Size() int

func (*TypeVectorWallPaper) XXX_Unmarshal added in v0.4.1

func (m *TypeVectorWallPaper) XXX_Unmarshal(b []byte) error

type TypeWallPaper

type TypeWallPaper struct {
	// Types that are valid to be assigned to Value:
	//	*TypeWallPaper_WallPaper
	//	*TypeWallPaper_WallPaperSolid
	Value                isTypeWallPaper_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}              `json:"-"`
	XXX_unrecognized     []byte                `json:"-"`
	XXX_sizecache        int32                 `json:"-"`
}

func (*TypeWallPaper) Descriptor

func (*TypeWallPaper) Descriptor() ([]byte, []int)

func (*TypeWallPaper) GetValue

func (m *TypeWallPaper) GetValue() isTypeWallPaper_Value

func (*TypeWallPaper) GetWallPaper

func (m *TypeWallPaper) GetWallPaper() *PredWallPaper

func (*TypeWallPaper) GetWallPaperSolid

func (m *TypeWallPaper) GetWallPaperSolid() *PredWallPaperSolid

func (*TypeWallPaper) ProtoMessage

func (*TypeWallPaper) ProtoMessage()

func (*TypeWallPaper) Reset

func (m *TypeWallPaper) Reset()

func (*TypeWallPaper) String

func (m *TypeWallPaper) String() string

func (*TypeWallPaper) XXX_DiscardUnknown added in v0.4.1

func (m *TypeWallPaper) XXX_DiscardUnknown()

func (*TypeWallPaper) XXX_Marshal added in v0.4.1

func (m *TypeWallPaper) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeWallPaper) XXX_Merge added in v0.4.1

func (dst *TypeWallPaper) XXX_Merge(src proto.Message)

func (*TypeWallPaper) XXX_OneofFuncs

func (*TypeWallPaper) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeWallPaper) XXX_Size added in v0.4.1

func (m *TypeWallPaper) XXX_Size() int

func (*TypeWallPaper) XXX_Unmarshal added in v0.4.1

func (m *TypeWallPaper) XXX_Unmarshal(b []byte) error

type TypeWallPaper_WallPaper

type TypeWallPaper_WallPaper struct {
	WallPaper *PredWallPaper `protobuf:"bytes,1,opt,name=WallPaper,oneof"`
}

type TypeWallPaper_WallPaperSolid

type TypeWallPaper_WallPaperSolid struct {
	WallPaperSolid *PredWallPaperSolid `protobuf:"bytes,2,opt,name=WallPaperSolid,oneof"`
}

type TypeWebDocument

type TypeWebDocument struct {
	Value                *PredWebDocument `protobuf:"bytes,1,opt,name=Value" json:"Value,omitempty"`
	XXX_NoUnkeyedLiteral struct{}         `json:"-"`
	XXX_unrecognized     []byte           `json:"-"`
	XXX_sizecache        int32            `json:"-"`
}

func (*TypeWebDocument) Descriptor

func (*TypeWebDocument) Descriptor() ([]byte, []int)

func (*TypeWebDocument) GetValue

func (m *TypeWebDocument) GetValue() *PredWebDocument

func (*TypeWebDocument) ProtoMessage

func (*TypeWebDocument) ProtoMessage()

func (*TypeWebDocument) Reset

func (m *TypeWebDocument) Reset()

func (*TypeWebDocument) String

func (m *TypeWebDocument) String() string

func (*TypeWebDocument) XXX_DiscardUnknown added in v0.4.1

func (m *TypeWebDocument) XXX_DiscardUnknown()

func (*TypeWebDocument) XXX_Marshal added in v0.4.1

func (m *TypeWebDocument) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeWebDocument) XXX_Merge added in v0.4.1

func (dst *TypeWebDocument) XXX_Merge(src proto.Message)

func (*TypeWebDocument) XXX_Size added in v0.4.1

func (m *TypeWebDocument) XXX_Size() int

func (*TypeWebDocument) XXX_Unmarshal added in v0.4.1

func (m *TypeWebDocument) XXX_Unmarshal(b []byte) error

type TypeWebPage

type TypeWebPage struct {
	// Types that are valid to be assigned to Value:
	//	*TypeWebPage_WebPageEmpty
	//	*TypeWebPage_WebPagePending
	//	*TypeWebPage_WebPage
	//	*TypeWebPage_WebPageNotModified
	Value                isTypeWebPage_Value `protobuf_oneof:"Value"`
	XXX_NoUnkeyedLiteral struct{}            `json:"-"`
	XXX_unrecognized     []byte              `json:"-"`
	XXX_sizecache        int32               `json:"-"`
}

func (*TypeWebPage) Descriptor

func (*TypeWebPage) Descriptor() ([]byte, []int)

func (*TypeWebPage) GetValue

func (m *TypeWebPage) GetValue() isTypeWebPage_Value

func (*TypeWebPage) GetWebPage

func (m *TypeWebPage) GetWebPage() *PredWebPage

func (*TypeWebPage) GetWebPageEmpty

func (m *TypeWebPage) GetWebPageEmpty() *PredWebPageEmpty

func (*TypeWebPage) GetWebPageNotModified

func (m *TypeWebPage) GetWebPageNotModified() *PredWebPageNotModified

func (*TypeWebPage) GetWebPagePending

func (m *TypeWebPage) GetWebPagePending() *PredWebPagePending

func (*TypeWebPage) ProtoMessage

func (*TypeWebPage) ProtoMessage()

func (*TypeWebPage) Reset

func (m *TypeWebPage) Reset()

func (*TypeWebPage) String

func (m *TypeWebPage) String() string

func (*TypeWebPage) XXX_DiscardUnknown added in v0.4.1

func (m *TypeWebPage) XXX_DiscardUnknown()

func (*TypeWebPage) XXX_Marshal added in v0.4.1

func (m *TypeWebPage) XXX_Marshal(b []byte, deterministic bool) ([]byte, error)

func (*TypeWebPage) XXX_Merge added in v0.4.1

func (dst *TypeWebPage) XXX_Merge(src proto.Message)

func (*TypeWebPage) XXX_OneofFuncs

func (*TypeWebPage) XXX_OneofFuncs() (func(msg proto.Message, b *proto.Buffer) error, func(msg proto.Message, tag, wire int, b *proto.Buffer) (bool, error), func(msg proto.Message) (n int), []interface{})

XXX_OneofFuncs is for the internal use of the proto package.

func (*TypeWebPage) XXX_Size added in v0.4.1

func (m *TypeWebPage) XXX_Size() int

func (*TypeWebPage) XXX_Unmarshal added in v0.4.1

func (m *TypeWebPage) XXX_Unmarshal(b []byte) error

type TypeWebPage_WebPage

type TypeWebPage_WebPage struct {
	WebPage *PredWebPage `protobuf:"bytes,3,opt,name=WebPage,oneof"`
}

type TypeWebPage_WebPageEmpty

type TypeWebPage_WebPageEmpty struct {
	WebPageEmpty *PredWebPageEmpty `protobuf:"bytes,1,opt,name=WebPageEmpty,oneof"`
}

type TypeWebPage_WebPageNotModified

type TypeWebPage_WebPageNotModified struct {
	WebPageNotModified *PredWebPageNotModified `protobuf:"bytes,4,opt,name=WebPageNotModified,oneof"`
}

type TypeWebPage_WebPagePending

type TypeWebPage_WebPagePending struct {
	WebPagePending *PredWebPagePending `protobuf:"bytes,2,opt,name=WebPagePending,oneof"`
}

type Update

type Update interface {
	Predicate
	UpdateDate() int32
}

type UpdateCallback

type UpdateCallback interface {
	OnUpdate(update Update)
}

Directories

Path Synopsis
examples
cmd
tools

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL