package fmt
Import Path
fmt (on go.dev)
Dependency Relation
imports 10 packages, and imported by 57 packages
Involved Source Files
Package fmt implements formatted I/O with functions analogous
to C's printf and scanf. The format 'verbs' are derived from C's but
are simpler.
# Printing
The verbs:
General:
%v the value in a default format
when printing structs, the plus flag (%+v) adds field names
%#v a Go-syntax representation of the value
%T a Go-syntax representation of the type of the value
%% a literal percent sign; consumes no value
Boolean:
%t the word true or false
Integer:
%b base 2
%c the character represented by the corresponding Unicode code point
%d base 10
%o base 8
%O base 8 with 0o prefix
%q a single-quoted character literal safely escaped with Go syntax.
%x base 16, with lower-case letters for a-f
%X base 16, with upper-case letters for A-F
%U Unicode format: U+1234; same as "U+%04X"
Floating-point and complex constituents:
%b decimalless scientific notation with exponent a power of two,
in the manner of strconv.FormatFloat with the 'b' format,
e.g. -123456p-78
%e scientific notation, e.g. -1.234456e+78
%E scientific notation, e.g. -1.234456E+78
%f decimal point but no exponent, e.g. 123.456
%F synonym for %f
%g %e for large exponents, %f otherwise. Precision is discussed below.
%G %E for large exponents, %F otherwise
%x hexadecimal notation (with decimal power of two exponent), e.g. -0x1.23abcp+20
%X upper-case hexadecimal notation, e.g. -0X1.23ABCP+20
String and slice of bytes (treated equivalently with these verbs):
%s the uninterpreted bytes of the string or slice
%q a double-quoted string safely escaped with Go syntax
%x base 16, lower-case, two characters per byte
%X base 16, upper-case, two characters per byte
Slice:
%p address of 0th element in base 16 notation, with leading 0x
Pointer:
%p base 16 notation, with leading 0x
The %b, %d, %o, %x and %X verbs also work with pointers,
formatting the value exactly as if it were an integer.
The default format for %v is:
bool: %t
int, int8 etc.: %d
uint, uint8 etc.: %d, %#x if printed with %#v
float32, complex64, etc: %g
string: %s
chan: %p
pointer: %p
For compound objects, the elements are printed using these rules, recursively,
laid out like this:
struct: {field0 field1 ...}
array, slice: [elem0 elem1 ...]
maps: map[key1:value1 key2:value2 ...]
pointer to above: &{}, &[], &map[]
Width is specified by an optional decimal number immediately preceding the verb.
If absent, the width is whatever is necessary to represent the value.
Precision is specified after the (optional) width by a period followed by a
decimal number. If no period is present, a default precision is used.
A period with no following number specifies a precision of zero.
Examples:
%f default width, default precision
%9f width 9, default precision
%.2f default width, precision 2
%9.2f width 9, precision 2
%9.f width 9, precision 0
Width and precision are measured in units of Unicode code points,
that is, runes. (This differs from C's printf where the
units are always measured in bytes.) Either or both of the flags
may be replaced with the character '*', causing their values to be
obtained from the next operand (preceding the one to format),
which must be of type int.
For most values, width is the minimum number of runes to output,
padding the formatted form with spaces if necessary.
For strings, byte slices and byte arrays, however, precision
limits the length of the input to be formatted (not the size of
the output), truncating if necessary. Normally it is measured in
runes, but for these types when formatted with the %x or %X format
it is measured in bytes.
For floating-point values, width sets the minimum width of the field and
precision sets the number of places after the decimal, if appropriate,
except that for %g/%G precision sets the maximum number of significant
digits (trailing zeros are removed). For example, given 12.345 the format
%6.3f prints 12.345 while %.3g prints 12.3. The default precision for %e, %f
and %#g is 6; for %g it is the smallest number of digits necessary to identify
the value uniquely.
For complex numbers, the width and precision apply to the two
components independently and the result is parenthesized, so %f applied
to 1.2+3.4i produces (1.200000+3.400000i).
When formatting a single integer code point or a rune string (type []rune)
with %q, invalid Unicode code points are changed to the Unicode replacement
character, U+FFFD, as in strconv.QuoteRune.
Other flags:
'+' always print a sign for numeric values;
guarantee ASCII-only output for %q (%+q)
'-' pad with spaces on the right rather than the left (left-justify the field)
'#' alternate format: add leading 0b for binary (%#b), 0 for octal (%#o),
0x or 0X for hex (%#x or %#X); suppress 0x for %p (%#p);
for %q, print a raw (backquoted) string if strconv.CanBackquote
returns true;
always print a decimal point for %e, %E, %f, %F, %g and %G;
do not remove trailing zeros for %g and %G;
write e.g. U+0078 'x' if the character is printable for %U (%#U).
' ' (space) leave a space for elided sign in numbers (% d);
put spaces between bytes printing strings or slices in hex (% x, % X)
'0' pad with leading zeros rather than spaces;
for numbers, this moves the padding after the sign;
ignored for strings, byte slices and byte arrays
Flags are ignored by verbs that do not expect them.
For example there is no alternate decimal format, so %#d and %d
behave identically.
For each Printf-like function, there is also a Print function
that takes no format and is equivalent to saying %v for every
operand. Another variant Println inserts blanks between
operands and appends a newline.
Regardless of the verb, if an operand is an interface value,
the internal concrete value is used, not the interface itself.
Thus:
var i interface{} = 23
fmt.Printf("%v\n", i)
will print 23.
Except when printed using the verbs %T and %p, special
formatting considerations apply for operands that implement
certain interfaces. In order of application:
1. If the operand is a reflect.Value, the operand is replaced by the
concrete value that it holds, and printing continues with the next rule.
2. If an operand implements the Formatter interface, it will
be invoked. In this case the interpretation of verbs and flags is
controlled by that implementation.
3. If the %v verb is used with the # flag (%#v) and the operand
implements the GoStringer interface, that will be invoked.
If the format (which is implicitly %v for Println etc.) is valid
for a string (%s %q %v %x %X), the following two rules apply:
4. If an operand implements the error interface, the Error method
will be invoked to convert the object to a string, which will then
be formatted as required by the verb (if any).
5. If an operand implements method String() string, that method
will be invoked to convert the object to a string, which will then
be formatted as required by the verb (if any).
For compound operands such as slices and structs, the format
applies to the elements of each operand, recursively, not to the
operand as a whole. Thus %q will quote each element of a slice
of strings, and %6.2f will control formatting for each element
of a floating-point array.
However, when printing a byte slice with a string-like verb
(%s %q %x %X), it is treated identically to a string, as a single item.
To avoid recursion in cases such as
type X string
func (x X) String() string { return Sprintf("<%s>", x) }
convert the value before recurring:
func (x X) String() string { return Sprintf("<%s>", string(x)) }
Infinite recursion can also be triggered by self-referential data
structures, such as a slice that contains itself as an element, if
that type has a String method. Such pathologies are rare, however,
and the package does not protect against them.
When printing a struct, fmt cannot and therefore does not invoke
formatting methods such as Error or String on unexported fields.
# Explicit argument indexes
In Printf, Sprintf, and Fprintf, the default behavior is for each
formatting verb to format successive arguments passed in the call.
However, the notation [n] immediately before the verb indicates that the
nth one-indexed argument is to be formatted instead. The same notation
before a '*' for a width or precision selects the argument index holding
the value. After processing a bracketed expression [n], subsequent verbs
will use arguments n+1, n+2, etc. unless otherwise directed.
For example,
fmt.Sprintf("%[2]d %[1]d\n", 11, 22)
will yield "22 11", while
fmt.Sprintf("%[3]*.[2]*[1]f", 12.0, 2, 6)
equivalent to
fmt.Sprintf("%6.2f", 12.0)
will yield " 12.00". Because an explicit index affects subsequent verbs,
this notation can be used to print the same values multiple times
by resetting the index for the first argument to be repeated:
fmt.Sprintf("%d %d %#[1]x %#x", 16, 17)
will yield "16 17 0x10 0x11".
# Format errors
If an invalid argument is given for a verb, such as providing
a string to %d, the generated string will contain a
description of the problem, as in these examples:
Wrong type or unknown verb: %!verb(type=value)
Printf("%d", "hi"): %!d(string=hi)
Too many arguments: %!(EXTRA type=value)
Printf("hi", "guys"): hi%!(EXTRA string=guys)
Too few arguments: %!verb(MISSING)
Printf("hi%d"): hi%!d(MISSING)
Non-int for width or precision: %!(BADWIDTH) or %!(BADPREC)
Printf("%*s", 4.5, "hi"): %!(BADWIDTH)hi
Printf("%.*s", 4.5, "hi"): %!(BADPREC)hi
Invalid or invalid use of argument index: %!(BADINDEX)
Printf("%*[2]d", 7): %!d(BADINDEX)
Printf("%.[2]d", 7): %!d(BADINDEX)
All errors begin with the string "%!" followed sometimes
by a single character (the verb) and end with a parenthesized
description.
If an Error or String method triggers a panic when called by a
print routine, the fmt package reformats the error message
from the panic, decorating it with an indication that it came
through the fmt package. For example, if a String method
calls panic("bad"), the resulting formatted message will look
like
%!s(PANIC=bad)
The %!s just shows the print verb in use when the failure
occurred. If the panic is caused by a nil receiver to an Error
or String method, however, the output is the undecorated
string, "<nil>".
# Scanning
An analogous set of functions scans formatted text to yield
values. Scan, Scanf and Scanln read from os.Stdin; Fscan,
Fscanf and Fscanln read from a specified io.Reader; Sscan,
Sscanf and Sscanln read from an argument string.
Scan, Fscan, Sscan treat newlines in the input as spaces.
Scanln, Fscanln and Sscanln stop scanning at a newline and
require that the items be followed by a newline or EOF.
Scanf, Fscanf, and Sscanf parse the arguments according to a
format string, analogous to that of Printf. In the text that
follows, 'space' means any Unicode whitespace character
except newline.
In the format string, a verb introduced by the % character
consumes and parses input; these verbs are described in more
detail below. A character other than %, space, or newline in
the format consumes exactly that input character, which must
be present. A newline with zero or more spaces before it in
the format string consumes zero or more spaces in the input
followed by a single newline or the end of the input. A space
following a newline in the format string consumes zero or more
spaces in the input. Otherwise, any run of one or more spaces
in the format string consumes as many spaces as possible in
the input. Unless the run of spaces in the format string
appears adjacent to a newline, the run must consume at least
one space from the input or find the end of the input.
The handling of spaces and newlines differs from that of C's
scanf family: in C, newlines are treated as any other space,
and it is never an error when a run of spaces in the format
string finds no spaces to consume in the input.
The verbs behave analogously to those of Printf.
For example, %x will scan an integer as a hexadecimal number,
and %v will scan the default representation format for the value.
The Printf verbs %p and %T and the flags # and + are not implemented.
For floating-point and complex values, all valid formatting verbs
(%b %e %E %f %F %g %G %x %X and %v) are equivalent and accept
both decimal and hexadecimal notation (for example: "2.3e+7", "0x4.5p-8")
and digit-separating underscores (for example: "3.14159_26535_89793").
Input processed by verbs is implicitly space-delimited: the
implementation of every verb except %c starts by discarding
leading spaces from the remaining input, and the %s verb
(and %v reading into a string) stops consuming input at the first
space or newline character.
The familiar base-setting prefixes 0b (binary), 0o and 0 (octal),
and 0x (hexadecimal) are accepted when scanning integers
without a format or with the %v verb, as are digit-separating
underscores.
Width is interpreted in the input text but there is no
syntax for scanning with a precision (no %5.2f, just %5f).
If width is provided, it applies after leading spaces are
trimmed and specifies the maximum number of runes to read
to satisfy the verb. For example,
Sscanf(" 1234567 ", "%5s%d", &s, &i)
will set s to "12345" and i to 67 while
Sscanf(" 12 34 567 ", "%5s%d", &s, &i)
will set s to "12" and i to 34.
In all the scanning functions, a carriage return followed
immediately by a newline is treated as a plain newline
(\r\n means the same as \n).
In all the scanning functions, if an operand implements method
Scan (that is, it implements the Scanner interface) that
method will be used to scan the text for that operand. Also,
if the number of arguments scanned is less than the number of
arguments provided, an error is returned.
All arguments to be scanned must be either pointers to basic
types or implementations of the Scanner interface.
Like Scanf and Fscanf, Sscanf need not consume its entire input.
There is no way to recover how much of the input string Sscanf used.
Note: Fscan etc. can read one character (rune) past the input
they return, which means that a loop calling a scan routine
may skip some of the input. This is usually a problem only
when there is no space between input values. If the reader
provided to Fscan implements ReadRune, that method will be used
to read characters. If the reader also implements UnreadRune,
that method will be used to save the character and successive
calls will not lose data. To attach ReadRune and UnreadRune
methods to a reader without that capability, use
bufio.NewReader.
errors.go
format.go
print.go
scan.go
Code Examples
package main
import (
"fmt"
)
func main() {
const name, id = "bueller", 17
err := fmt.Errorf("user %q (id %d) not found", name, id)
fmt.Println(err.Error())
}
package main
import (
"fmt"
"os"
)
func main() {
const name, age = "Kim", 22
n, err := fmt.Fprint(os.Stdout, name, " is ", age, " years old.\n")
// The n and err return values from Fprint are
// those returned by the underlying io.Writer.
if err != nil {
fmt.Fprintf(os.Stderr, "Fprint: %v\n", err)
}
fmt.Print(n, " bytes written.\n")
}
package main
import (
"fmt"
"os"
)
func main() {
const name, age = "Kim", 22
n, err := fmt.Fprintf(os.Stdout, "%s is %d years old.\n", name, age)
// The n and err return values from Fprintf are
// those returned by the underlying io.Writer.
if err != nil {
fmt.Fprintf(os.Stderr, "Fprintf: %v\n", err)
}
fmt.Printf("%d bytes written.\n", n)
}
package main
import (
"fmt"
"os"
)
func main() {
const name, age = "Kim", 22
n, err := fmt.Fprintln(os.Stdout, name, "is", age, "years old.")
// The n and err return values from Fprintln are
// those returned by the underlying io.Writer.
if err != nil {
fmt.Fprintf(os.Stderr, "Fprintln: %v\n", err)
}
fmt.Println(n, "bytes written.")
}
package main
import (
"fmt"
"os"
"strings"
)
func main() {
var (
i int
b bool
s string
)
r := strings.NewReader("5 true gophers")
n, err := fmt.Fscanf(r, "%d %t %s", &i, &b, &s)
if err != nil {
fmt.Fprintf(os.Stderr, "Fscanf: %v\n", err)
}
fmt.Println(i, b, s)
fmt.Println(n)
}
package main
import (
"fmt"
"io"
"strings"
)
func main() {
s := `dmr 1771 1.61803398875
ken 271828 3.14159`
r := strings.NewReader(s)
var a string
var b int
var c float64
for {
n, err := fmt.Fscanln(r, &a, &b, &c)
if err == io.EOF {
break
}
if err != nil {
panic(err)
}
fmt.Printf("%d: %s, %d, %f\n", n, a, b, c)
}
}
package main
import (
"fmt"
)
func main() {
const name, age = "Kim", 22
fmt.Print(name, " is ", age, " years old.\n")
// It is conventional not to worry about any
// error returned by Print.
}
package main
import (
"fmt"
)
func main() {
const name, age = "Kim", 22
fmt.Printf("%s is %d years old.\n", name, age)
// It is conventional not to worry about any
// error returned by Printf.
}
package main
import (
"fmt"
)
func main() {
const name, age = "Kim", 22
fmt.Println(name, "is", age, "years old.")
// It is conventional not to worry about any
// error returned by Println.
}
package main
import (
"fmt"
"io"
"os"
)
func main() {
const name, age = "Kim", 22
s := fmt.Sprint(name, " is ", age, " years old.\n")
io.WriteString(os.Stdout, s) // Ignoring error for simplicity.
}
package main
import (
"fmt"
"io"
"os"
)
func main() {
const name, age = "Kim", 22
s := fmt.Sprintf("%s is %d years old.\n", name, age)
io.WriteString(os.Stdout, s) // Ignoring error for simplicity.
}
package main
import (
"fmt"
"io"
"os"
)
func main() {
const name, age = "Kim", 22
s := fmt.Sprintln(name, "is", age, "years old.")
io.WriteString(os.Stdout, s) // Ignoring error for simplicity.
}
package main
import (
"fmt"
)
func main() {
var name string
var age int
n, err := fmt.Sscanf("Kim is 22 years old", "%s is %d years old", &name, &age)
if err != nil {
panic(err)
}
fmt.Printf("%d: %s, %d\n", n, name, age)
}
package main
import (
"fmt"
"math"
"time"
)
func main() {
// A basic set of examples showing that %v is the default format, in this
// case decimal for integers, which can be explicitly requested with %d;
// the output is just what Println generates.
integer := 23
// Each of these prints "23" (without the quotes).
fmt.Println(integer)
fmt.Printf("%v\n", integer)
fmt.Printf("%d\n", integer)
// The special verb %T shows the type of an item rather than its value.
fmt.Printf("%T %T\n", integer, &integer)
// Result: int *int
// Println(x) is the same as Printf("%v\n", x) so we will use only Printf
// in the following examples. Each one demonstrates how to format values of
// a particular type, such as integers or strings. We start each format
// string with %v to show the default output and follow that with one or
// more custom formats.
// Booleans print as "true" or "false" with %v or %t.
truth := true
fmt.Printf("%v %t\n", truth, truth)
// Result: true true
// Integers print as decimals with %v and %d,
// or in hex with %x, octal with %o, or binary with %b.
answer := 42
fmt.Printf("%v %d %x %o %b\n", answer, answer, answer, answer, answer)
// Result: 42 42 2a 52 101010
// Floats have multiple formats: %v and %g print a compact representation,
// while %f prints a decimal point and %e uses exponential notation. The
// format %6.2f used here shows how to set the width and precision to
// control the appearance of a floating-point value. In this instance, 6 is
// the total width of the printed text for the value (note the extra spaces
// in the output) and 2 is the number of decimal places to show.
pi := math.Pi
fmt.Printf("%v %g %.2f (%6.2f) %e\n", pi, pi, pi, pi, pi)
// Result: 3.141592653589793 3.141592653589793 3.14 ( 3.14) 3.141593e+00
// Complex numbers format as parenthesized pairs of floats, with an 'i'
// after the imaginary part.
point := 110.7 + 22.5i
fmt.Printf("%v %g %.2f %.2e\n", point, point, point, point)
// Result: (110.7+22.5i) (110.7+22.5i) (110.70+22.50i) (1.11e+02+2.25e+01i)
// Runes are integers but when printed with %c show the character with that
// Unicode value. The %q verb shows them as quoted characters, %U as a
// hex Unicode code point, and %#U as both a code point and a quoted
// printable form if the rune is printable.
smile := 'π'
fmt.Printf("%v %d %c %q %U %#U\n", smile, smile, smile, smile, smile, smile)
// Result: 128512 128512 π 'π' U+1F600 U+1F600 'π'
// Strings are formatted with %v and %s as-is, with %q as quoted strings,
// and %#q as backquoted strings.
placeholders := `foo "bar"`
fmt.Printf("%v %s %q %#q\n", placeholders, placeholders, placeholders, placeholders)
// Result: foo "bar" foo "bar" "foo \"bar\"" `foo "bar"`
// Maps formatted with %v show keys and values in their default formats.
// The %#v form (the # is called a "flag" in this context) shows the map in
// the Go source format. Maps are printed in a consistent order, sorted
// by the values of the keys.
isLegume := map[string]bool{
"peanut": true,
"dachshund": false,
}
fmt.Printf("%v %#v\n", isLegume, isLegume)
// Result: map[dachshund:false peanut:true] map[string]bool{"dachshund":false, "peanut":true}
// Structs formatted with %v show field values in their default formats.
// The %+v form shows the fields by name, while %#v formats the struct in
// Go source format.
person := struct {
Name string
Age int
}{"Kim", 22}
fmt.Printf("%v %+v %#v\n", person, person, person)
// Result: {Kim 22} {Name:Kim Age:22} struct { Name string; Age int }{Name:"Kim", Age:22}
// The default format for a pointer shows the underlying value preceded by
// an ampersand. The %p verb prints the pointer value in hex. We use a
// typed nil for the argument to %p here because the value of any non-nil
// pointer would change from run to run; run the commented-out Printf
// call yourself to see.
pointer := &person
fmt.Printf("%v %p\n", pointer, (*int)(nil))
// Result: &{Kim 22} 0x0
// fmt.Printf("%v %p\n", pointer, pointer)
// Result: &{Kim 22} 0x010203 // See comment above.
// Arrays and slices are formatted by applying the format to each element.
greats := [5]string{"Kitano", "Kobayashi", "Kurosawa", "Miyazaki", "Ozu"}
fmt.Printf("%v %q\n", greats, greats)
// Result: [Kitano Kobayashi Kurosawa Miyazaki Ozu] ["Kitano" "Kobayashi" "Kurosawa" "Miyazaki" "Ozu"]
kGreats := greats[:3]
fmt.Printf("%v %q %#v\n", kGreats, kGreats, kGreats)
// Result: [Kitano Kobayashi Kurosawa] ["Kitano" "Kobayashi" "Kurosawa"] []string{"Kitano", "Kobayashi", "Kurosawa"}
// Byte slices are special. Integer verbs like %d print the elements in
// that format. The %s and %q forms treat the slice like a string. The %x
// verb has a special form with the space flag that puts a space between
// the bytes.
cmd := []byte("aβ")
fmt.Printf("%v %d %s %q %x % x\n", cmd, cmd, cmd, cmd, cmd, cmd)
// Result: [97 226 140 152] [97 226 140 152] aβ "aβ" 61e28c98 61 e2 8c 98
// Types that implement Stringer are printed the same as strings. Because
// Stringers return a string, we can print them using a string-specific
// verb such as %q.
now := time.Unix(123456789, 0).UTC() // time.Time implements fmt.Stringer.
fmt.Printf("%v %q\n", now, now)
// Result: 1973-11-29 21:33:09 +0000 UTC "1973-11-29 21:33:09 +0000 UTC"
}
package main
import (
"fmt"
"math"
)
func main() {
a, b := 3.0, 4.0
h := math.Hypot(a, b)
// Print inserts blanks between arguments when neither is a string.
// It does not add a newline to the output, so we add one explicitly.
fmt.Print("The vector (", a, b, ") has length ", h, ".\n")
// Println always inserts spaces between its arguments,
// so it cannot be used to produce the same output as Print in this case;
// its output has extra spaces.
// Also, Println always adds a newline to the output.
fmt.Println("The vector (", a, b, ") has length", h, ".")
// Printf provides complete control but is more complex to use.
// It does not add a newline to the output, so we add one explicitly
// at the end of the format specifier string.
fmt.Printf("The vector (%g %g) has length %g.\n", a, b, h)
}
Package-Level Type Names (total 17, in which 6 are exported)
Formatter is implemented by any value that has a Format method.
The implementation controls how State and rune are interpreted,
and may call Sprint() or Fprint(f) etc. to generate its output.
( Formatter) Format(f State, verb rune)
github.com/go-faster/jx.Num
*math/big.Float
*math/big.Int
*github.com/go-faster/errors.errorString
*github.com/go-faster/errors.wrapError
*go.uber.org/multierr.multiError
GoStringer is implemented by any value that has a GoString method,
which defines the Go syntax for that value.
The GoString method is used to print values passed as an operand
to a %#v format.
( GoStringer) GoString() string
time.Time
*vendor/golang.org/x/net/dns/dnsmessage.AAAAResource
*vendor/golang.org/x/net/dns/dnsmessage.AResource
vendor/golang.org/x/net/dns/dnsmessage.Class
*vendor/golang.org/x/net/dns/dnsmessage.CNAMEResource
*vendor/golang.org/x/net/dns/dnsmessage.Header
*vendor/golang.org/x/net/dns/dnsmessage.Message
*vendor/golang.org/x/net/dns/dnsmessage.MXResource
*vendor/golang.org/x/net/dns/dnsmessage.Name
*vendor/golang.org/x/net/dns/dnsmessage.NSResource
*vendor/golang.org/x/net/dns/dnsmessage.OPTResource
vendor/golang.org/x/net/dns/dnsmessage.OpCode
*vendor/golang.org/x/net/dns/dnsmessage.Option
*vendor/golang.org/x/net/dns/dnsmessage.PTRResource
*vendor/golang.org/x/net/dns/dnsmessage.Question
vendor/golang.org/x/net/dns/dnsmessage.RCode
*vendor/golang.org/x/net/dns/dnsmessage.Resource
vendor/golang.org/x/net/dns/dnsmessage.ResourceBody (interface)
*vendor/golang.org/x/net/dns/dnsmessage.ResourceHeader
*vendor/golang.org/x/net/dns/dnsmessage.SOAResource
*vendor/golang.org/x/net/dns/dnsmessage.SRVResource
*vendor/golang.org/x/net/dns/dnsmessage.TXTResource
vendor/golang.org/x/net/dns/dnsmessage.Type
*vendor/golang.org/x/net/dns/dnsmessage.UnknownResource
encoding/binary.bigEndian
encoding/binary.littleEndian
encoding/binary.nativeEndian
Scanner is implemented by any value that has a Scan method, which scans
the input for the representation of a value and stores the result in the
receiver, which must be a pointer to be useful. The Scan method is called
for any argument to Scan, Scanf, or Scanln that implements it.
( Scanner) Scan(state ScanState, verb rune) error
*math/big.Float
*math/big.Int
*math/big.Rat
ScanState represents the scanner state passed to custom scanners.
Scanners may do rune-at-a-time scanning or ask the ScanState
to discover the next space-delimited token.
Because ReadRune is implemented by the interface, Read should never be
called by the scanning routines and a valid implementation of
ScanState may choose always to return an error from Read.
ReadRune reads the next rune (Unicode code point) from the input.
If invoked during Scanln, Fscanln, or Sscanln, ReadRune() will
return EOF after returning the first '\n' or when reading beyond
the specified width.
SkipSpace skips space in the input. Newlines are treated appropriately
for the operation being performed; see the package documentation
for more information.
Token skips space in the input if skipSpace is true, then returns the
run of Unicode code points c satisfying f(c). If f is nil,
!unicode.IsSpace(c) is used; that is, the token will hold non-space
characters. Newlines are treated appropriately for the operation being
performed; see the package documentation for more information.
The returned slice points to shared data that may be overwritten
by the next call to Token, a call to a Scan function using the ScanState
as input, or when the calling Scan method returns.
UnreadRune causes the next call to ReadRune to return the same rune.
Width returns the value of the width option and whether it has been set.
The unit is Unicode code points.
*ss
math/big.byteReader
ScanState : io.Reader
ScanState : io.RuneReader
ScanState : io.RuneScanner
func Scanner.Scan(state ScanState, verb rune) error
func math/big.(*Float).Scan(s ScanState, ch rune) error
func math/big.(*Int).Scan(s ScanState, ch rune) error
func math/big.(*Rat).Scan(s ScanState, ch rune) error
State represents the printer state passed to custom formatters.
It provides access to the io.Writer interface plus information about
the flags and options for the operand's format specifier.
Flag reports whether the flag c, a character, has been set.
Precision returns the value of the precision option and whether it has been set.
Width returns the value of the width option and whether it has been set.
Write is the function to call to emit formatted output to be printed.
*pp
github.com/go-faster/errors.printer
*github.com/go-faster/errors.state
State : internal/bisect.Writer
State : io.Writer
State : crypto/tls.transcriptHash
func FormatString(state State, verb rune) string
func Formatter.Format(f State, verb rune)
func github.com/go-faster/errors.FormatError(f errors.Formatter, s State, verb rune)
func github.com/go-faster/jx.Num.Format(f State, verb rune)
func math/big.(*Float).Format(s State, format rune)
func math/big.(*Int).Format(s State, ch rune)
func math/big.writeMultiple(s State, text string, count int)
Stringer is implemented by any value that has a String method,
which defines the βnativeβ format for that value.
The String method is used to print values passed as an operand
to any format that accepts a string or to an unformatted printer
such as Print.
( Stringer) String() string
*bytes.Buffer
crypto.Hash
crypto/tls.ClientAuthType
crypto/tls.CurveID
crypto/tls.QUICEncryptionLevel
crypto/tls.SignatureScheme
crypto/x509.PublicKeyAlgorithm
crypto/x509.SignatureAlgorithm
crypto/x509/pkix.Name
crypto/x509/pkix.RDNSequence
encoding/asn1.ObjectIdentifier
encoding/binary.AppendByteOrder (interface)
encoding/binary.ByteOrder (interface)
encoding/json.Delim
encoding/json.Number
flag.Getter (interface)
flag.Value (interface)
github.com/go-faster/jx.Encoder
github.com/go-faster/jx.Num
github.com/go-faster/jx.Raw
github.com/go-faster/jx.Type
github.com/go-faster/jx.Writer
github.com/gotd/neo.NetAddr
github.com/gotd/td/bin.Fields
github.com/gotd/td/internal/crypto.AuthKey
github.com/gotd/td/internal/crypto.Key
*github.com/gotd/td/internal/mt.BadMsgNotification
github.com/gotd/td/internal/mt.BadMsgNotificationClass (interface)
*github.com/gotd/td/internal/mt.BadServerSalt
*github.com/gotd/td/internal/mt.ClientDHInnerData
*github.com/gotd/td/internal/mt.DestroySessionNone
*github.com/gotd/td/internal/mt.DestroySessionOk
*github.com/gotd/td/internal/mt.DestroySessionRequest
github.com/gotd/td/internal/mt.DestroySessionResClass (interface)
*github.com/gotd/td/internal/mt.DhGenFail
*github.com/gotd/td/internal/mt.DhGenOk
*github.com/gotd/td/internal/mt.DhGenRetry
*github.com/gotd/td/internal/mt.FutureSalt
*github.com/gotd/td/internal/mt.FutureSalts
*github.com/gotd/td/internal/mt.GetFutureSaltsRequest
*github.com/gotd/td/internal/mt.GzipPacked
*github.com/gotd/td/internal/mt.HTTPWaitRequest
*github.com/gotd/td/internal/mt.Message
*github.com/gotd/td/internal/mt.MsgContainer
*github.com/gotd/td/internal/mt.MsgCopy
*github.com/gotd/td/internal/mt.MsgDetailedInfo
github.com/gotd/td/internal/mt.MsgDetailedInfoClass (interface)
*github.com/gotd/td/internal/mt.MsgNewDetailedInfo
*github.com/gotd/td/internal/mt.MsgResendReq
*github.com/gotd/td/internal/mt.MsgsAck
*github.com/gotd/td/internal/mt.MsgsAllInfo
*github.com/gotd/td/internal/mt.MsgsStateInfo
*github.com/gotd/td/internal/mt.MsgsStateReq
*github.com/gotd/td/internal/mt.NewSessionCreated
*github.com/gotd/td/internal/mt.PingDelayDisconnectRequest
*github.com/gotd/td/internal/mt.PingRequest
*github.com/gotd/td/internal/mt.Pong
*github.com/gotd/td/internal/mt.PQInnerData
github.com/gotd/td/internal/mt.PQInnerDataClass (interface)
*github.com/gotd/td/internal/mt.PQInnerDataDC
*github.com/gotd/td/internal/mt.PQInnerDataTempDC
*github.com/gotd/td/internal/mt.ReqDHParamsRequest
*github.com/gotd/td/internal/mt.ReqPqMultiRequest
*github.com/gotd/td/internal/mt.ReqPqRequest
*github.com/gotd/td/internal/mt.ResPQ
*github.com/gotd/td/internal/mt.RPCAnswerDropped
*github.com/gotd/td/internal/mt.RPCAnswerDroppedRunning
*github.com/gotd/td/internal/mt.RPCAnswerUnknown
github.com/gotd/td/internal/mt.RPCDropAnswerClass (interface)
*github.com/gotd/td/internal/mt.RPCDropAnswerRequest
*github.com/gotd/td/internal/mt.RPCError
*github.com/gotd/td/internal/mt.RPCResult
*github.com/gotd/td/internal/mt.ServerDHInnerData
github.com/gotd/td/internal/mt.ServerDHParamsClass (interface)
*github.com/gotd/td/internal/mt.ServerDHParamsFail
*github.com/gotd/td/internal/mt.ServerDHParamsOk
github.com/gotd/td/internal/mt.SetClientDHParamsAnswerClass (interface)
*github.com/gotd/td/internal/mt.SetClientDHParamsRequest
github.com/gotd/td/internal/proto.MessageID
github.com/gotd/td/internal/proto.MessageType
github.com/gotd/td/session/tdesktop.MTPConfigEnvironment
github.com/gotd/td/tdjson.Encoder
github.com/gotd/td/telegram/auth/qrlogin.Token
github.com/gotd/td/telegram/internal/manager.ConnMode
*github.com/gotd/td/tg.AccessPointRule
*github.com/gotd/td/tg.AccountAcceptAuthorizationRequest
*github.com/gotd/td/tg.AccountAuthorizationForm
*github.com/gotd/td/tg.AccountAuthorizations
*github.com/gotd/td/tg.AccountAutoDownloadSettings
*github.com/gotd/td/tg.AccountAutoSaveSettings
*github.com/gotd/td/tg.AccountCancelPasswordEmailRequest
*github.com/gotd/td/tg.AccountChangeAuthorizationSettingsRequest
*github.com/gotd/td/tg.AccountChangePhoneRequest
*github.com/gotd/td/tg.AccountCheckUsernameRequest
*github.com/gotd/td/tg.AccountClearRecentEmojiStatusesRequest
*github.com/gotd/td/tg.AccountConfirmPasswordEmailRequest
*github.com/gotd/td/tg.AccountConfirmPhoneRequest
*github.com/gotd/td/tg.AccountContentSettings
*github.com/gotd/td/tg.AccountCreateThemeRequest
*github.com/gotd/td/tg.AccountDaysTTL
*github.com/gotd/td/tg.AccountDeclinePasswordResetRequest
*github.com/gotd/td/tg.AccountDeleteAccountRequest
*github.com/gotd/td/tg.AccountDeleteAutoSaveExceptionsRequest
*github.com/gotd/td/tg.AccountDeleteSecureValueRequest
*github.com/gotd/td/tg.AccountEmailVerified
github.com/gotd/td/tg.AccountEmailVerifiedClass (interface)
*github.com/gotd/td/tg.AccountEmailVerifiedLogin
*github.com/gotd/td/tg.AccountEmojiStatuses
github.com/gotd/td/tg.AccountEmojiStatusesClass (interface)
*github.com/gotd/td/tg.AccountEmojiStatusesNotModified
*github.com/gotd/td/tg.AccountFinishTakeoutSessionRequest
*github.com/gotd/td/tg.AccountGetAccountTTLRequest
*github.com/gotd/td/tg.AccountGetAllSecureValuesRequest
*github.com/gotd/td/tg.AccountGetAuthorizationFormRequest
*github.com/gotd/td/tg.AccountGetAuthorizationsRequest
*github.com/gotd/td/tg.AccountGetAutoDownloadSettingsRequest
*github.com/gotd/td/tg.AccountGetAutoSaveSettingsRequest
*github.com/gotd/td/tg.AccountGetChannelDefaultEmojiStatusesRequest
*github.com/gotd/td/tg.AccountGetChannelRestrictedStatusEmojisRequest
*github.com/gotd/td/tg.AccountGetChatThemesRequest
*github.com/gotd/td/tg.AccountGetContactSignUpNotificationRequest
*github.com/gotd/td/tg.AccountGetContentSettingsRequest
*github.com/gotd/td/tg.AccountGetDefaultBackgroundEmojisRequest
*github.com/gotd/td/tg.AccountGetDefaultEmojiStatusesRequest
*github.com/gotd/td/tg.AccountGetDefaultGroupPhotoEmojisRequest
*github.com/gotd/td/tg.AccountGetDefaultProfilePhotoEmojisRequest
*github.com/gotd/td/tg.AccountGetGlobalPrivacySettingsRequest
*github.com/gotd/td/tg.AccountGetMultiWallPapersRequest
*github.com/gotd/td/tg.AccountGetNotifyExceptionsRequest
*github.com/gotd/td/tg.AccountGetNotifySettingsRequest
*github.com/gotd/td/tg.AccountGetPasswordRequest
*github.com/gotd/td/tg.AccountGetPasswordSettingsRequest
*github.com/gotd/td/tg.AccountGetPrivacyRequest
*github.com/gotd/td/tg.AccountGetRecentEmojiStatusesRequest
*github.com/gotd/td/tg.AccountGetSavedRingtonesRequest
*github.com/gotd/td/tg.AccountGetSecureValueRequest
*github.com/gotd/td/tg.AccountGetThemeRequest
*github.com/gotd/td/tg.AccountGetThemesRequest
*github.com/gotd/td/tg.AccountGetTmpPasswordRequest
*github.com/gotd/td/tg.AccountGetWallPaperRequest
*github.com/gotd/td/tg.AccountGetWallPapersRequest
*github.com/gotd/td/tg.AccountGetWebAuthorizationsRequest
*github.com/gotd/td/tg.AccountInitTakeoutSessionRequest
*github.com/gotd/td/tg.AccountInstallThemeRequest
*github.com/gotd/td/tg.AccountInstallWallPaperRequest
*github.com/gotd/td/tg.AccountInvalidateSignInCodesRequest
*github.com/gotd/td/tg.AccountPassword
*github.com/gotd/td/tg.AccountPasswordInputSettings
*github.com/gotd/td/tg.AccountPasswordSettings
*github.com/gotd/td/tg.AccountPrivacyRules
*github.com/gotd/td/tg.AccountRegisterDeviceRequest
*github.com/gotd/td/tg.AccountReorderUsernamesRequest
*github.com/gotd/td/tg.AccountReportPeerRequest
*github.com/gotd/td/tg.AccountReportProfilePhotoRequest
*github.com/gotd/td/tg.AccountResendPasswordEmailRequest
*github.com/gotd/td/tg.AccountResetAuthorizationRequest
*github.com/gotd/td/tg.AccountResetNotifySettingsRequest
*github.com/gotd/td/tg.AccountResetPasswordFailedWait
*github.com/gotd/td/tg.AccountResetPasswordOk
*github.com/gotd/td/tg.AccountResetPasswordRequest
*github.com/gotd/td/tg.AccountResetPasswordRequestedWait
github.com/gotd/td/tg.AccountResetPasswordResultClass (interface)
*github.com/gotd/td/tg.AccountResetWallPapersRequest
*github.com/gotd/td/tg.AccountResetWebAuthorizationRequest
*github.com/gotd/td/tg.AccountResetWebAuthorizationsRequest
*github.com/gotd/td/tg.AccountSaveAutoDownloadSettingsRequest
*github.com/gotd/td/tg.AccountSaveAutoSaveSettingsRequest
*github.com/gotd/td/tg.AccountSavedRingtone
github.com/gotd/td/tg.AccountSavedRingtoneClass (interface)
*github.com/gotd/td/tg.AccountSavedRingtoneConverted
*github.com/gotd/td/tg.AccountSavedRingtones
github.com/gotd/td/tg.AccountSavedRingtonesClass (interface)
*github.com/gotd/td/tg.AccountSavedRingtonesNotModified
*github.com/gotd/td/tg.AccountSaveRingtoneRequest
*github.com/gotd/td/tg.AccountSaveSecureValueRequest
*github.com/gotd/td/tg.AccountSaveThemeRequest
*github.com/gotd/td/tg.AccountSaveWallPaperRequest
*github.com/gotd/td/tg.AccountSendChangePhoneCodeRequest
*github.com/gotd/td/tg.AccountSendConfirmPhoneCodeRequest
*github.com/gotd/td/tg.AccountSendVerifyEmailCodeRequest
*github.com/gotd/td/tg.AccountSendVerifyPhoneCodeRequest
*github.com/gotd/td/tg.AccountSentEmailCode
*github.com/gotd/td/tg.AccountSetAccountTTLRequest
*github.com/gotd/td/tg.AccountSetAuthorizationTTLRequest
*github.com/gotd/td/tg.AccountSetContactSignUpNotificationRequest
*github.com/gotd/td/tg.AccountSetContentSettingsRequest
*github.com/gotd/td/tg.AccountSetGlobalPrivacySettingsRequest
*github.com/gotd/td/tg.AccountSetPrivacyRequest
*github.com/gotd/td/tg.AccountTakeout
*github.com/gotd/td/tg.AccountThemes
github.com/gotd/td/tg.AccountThemesClass (interface)
*github.com/gotd/td/tg.AccountThemesNotModified
*github.com/gotd/td/tg.AccountTmpPassword
*github.com/gotd/td/tg.AccountToggleUsernameRequest
*github.com/gotd/td/tg.AccountUnregisterDeviceRequest
*github.com/gotd/td/tg.AccountUpdateColorRequest
*github.com/gotd/td/tg.AccountUpdateDeviceLockedRequest
*github.com/gotd/td/tg.AccountUpdateEmojiStatusRequest
*github.com/gotd/td/tg.AccountUpdateNotifySettingsRequest
*github.com/gotd/td/tg.AccountUpdatePasswordSettingsRequest
*github.com/gotd/td/tg.AccountUpdateProfileRequest
*github.com/gotd/td/tg.AccountUpdateStatusRequest
*github.com/gotd/td/tg.AccountUpdateThemeRequest
*github.com/gotd/td/tg.AccountUpdateUsernameRequest
*github.com/gotd/td/tg.AccountUploadRingtoneRequest
*github.com/gotd/td/tg.AccountUploadThemeRequest
*github.com/gotd/td/tg.AccountUploadWallPaperRequest
*github.com/gotd/td/tg.AccountVerifyEmailRequest
*github.com/gotd/td/tg.AccountVerifyPhoneRequest
*github.com/gotd/td/tg.AccountWallPapers
github.com/gotd/td/tg.AccountWallPapersClass (interface)
*github.com/gotd/td/tg.AccountWallPapersNotModified
*github.com/gotd/td/tg.AccountWebAuthorizations
*github.com/gotd/td/tg.AppWebViewResultURL
*github.com/gotd/td/tg.AttachMenuBot
*github.com/gotd/td/tg.AttachMenuBotIcon
*github.com/gotd/td/tg.AttachMenuBotIconColor
*github.com/gotd/td/tg.AttachMenuBots
*github.com/gotd/td/tg.AttachMenuBotsBot
github.com/gotd/td/tg.AttachMenuBotsClass (interface)
*github.com/gotd/td/tg.AttachMenuBotsNotModified
*github.com/gotd/td/tg.AttachMenuPeerTypeBotPM
*github.com/gotd/td/tg.AttachMenuPeerTypeBroadcast
*github.com/gotd/td/tg.AttachMenuPeerTypeChat
github.com/gotd/td/tg.AttachMenuPeerTypeClass (interface)
*github.com/gotd/td/tg.AttachMenuPeerTypePM
*github.com/gotd/td/tg.AttachMenuPeerTypeSameBotPM
*github.com/gotd/td/tg.AuthAcceptLoginTokenRequest
*github.com/gotd/td/tg.AuthAuthorization
github.com/gotd/td/tg.AuthAuthorizationClass (interface)
*github.com/gotd/td/tg.AuthAuthorizationSignUpRequired
*github.com/gotd/td/tg.AuthBindTempAuthKeyRequest
*github.com/gotd/td/tg.AuthCancelCodeRequest
*github.com/gotd/td/tg.AuthCheckPasswordRequest
*github.com/gotd/td/tg.AuthCheckRecoveryPasswordRequest
*github.com/gotd/td/tg.AuthCodeTypeCall
github.com/gotd/td/tg.AuthCodeTypeClass (interface)
*github.com/gotd/td/tg.AuthCodeTypeFlashCall
*github.com/gotd/td/tg.AuthCodeTypeFragmentSMS
*github.com/gotd/td/tg.AuthCodeTypeMissedCall
*github.com/gotd/td/tg.AuthCodeTypeSMS
*github.com/gotd/td/tg.AuthDropTempAuthKeysRequest
*github.com/gotd/td/tg.AuthExportAuthorizationRequest
*github.com/gotd/td/tg.AuthExportedAuthorization
*github.com/gotd/td/tg.AuthExportLoginTokenRequest
*github.com/gotd/td/tg.AuthImportAuthorizationRequest
*github.com/gotd/td/tg.AuthImportBotAuthorizationRequest
*github.com/gotd/td/tg.AuthImportLoginTokenRequest
*github.com/gotd/td/tg.AuthImportWebTokenAuthorizationRequest
*github.com/gotd/td/tg.AuthLoggedOut
*github.com/gotd/td/tg.AuthLoginToken
github.com/gotd/td/tg.AuthLoginTokenClass (interface)
*github.com/gotd/td/tg.AuthLoginTokenMigrateTo
*github.com/gotd/td/tg.AuthLoginTokenSuccess
*github.com/gotd/td/tg.AuthLogOutRequest
*github.com/gotd/td/tg.Authorization
*github.com/gotd/td/tg.AuthPasswordRecovery
*github.com/gotd/td/tg.AuthRecoverPasswordRequest
*github.com/gotd/td/tg.AuthRequestFirebaseSMSRequest
*github.com/gotd/td/tg.AuthRequestPasswordRecoveryRequest
*github.com/gotd/td/tg.AuthResendCodeRequest
*github.com/gotd/td/tg.AuthResetAuthorizationsRequest
*github.com/gotd/td/tg.AuthResetLoginEmailRequest
*github.com/gotd/td/tg.AuthSendCodeRequest
*github.com/gotd/td/tg.AuthSentCode
github.com/gotd/td/tg.AuthSentCodeClass (interface)
*github.com/gotd/td/tg.AuthSentCodeSuccess
*github.com/gotd/td/tg.AuthSentCodeTypeApp
*github.com/gotd/td/tg.AuthSentCodeTypeCall
github.com/gotd/td/tg.AuthSentCodeTypeClass (interface)
*github.com/gotd/td/tg.AuthSentCodeTypeEmailCode
*github.com/gotd/td/tg.AuthSentCodeTypeFirebaseSMS
*github.com/gotd/td/tg.AuthSentCodeTypeFlashCall
*github.com/gotd/td/tg.AuthSentCodeTypeFragmentSMS
*github.com/gotd/td/tg.AuthSentCodeTypeMissedCall
*github.com/gotd/td/tg.AuthSentCodeTypeSetUpEmailRequired
*github.com/gotd/td/tg.AuthSentCodeTypeSMS
*github.com/gotd/td/tg.AuthSignInRequest
*github.com/gotd/td/tg.AuthSignUpRequest
*github.com/gotd/td/tg.AutoDownloadSettings
*github.com/gotd/td/tg.AutoSaveException
*github.com/gotd/td/tg.AutoSaveSettings
*github.com/gotd/td/tg.AvailableReaction
*github.com/gotd/td/tg.BankCardOpenURL
*github.com/gotd/td/tg.BaseThemeArctic
github.com/gotd/td/tg.BaseThemeClass (interface)
*github.com/gotd/td/tg.BaseThemeClassic
*github.com/gotd/td/tg.BaseThemeDay
*github.com/gotd/td/tg.BaseThemeNight
*github.com/gotd/td/tg.BaseThemeTinted
github.com/gotd/td/tg.BoolClass (interface)
*github.com/gotd/td/tg.BoolFalse
*github.com/gotd/td/tg.BoolTrue
*github.com/gotd/td/tg.Boost
*github.com/gotd/td/tg.BotApp
github.com/gotd/td/tg.BotAppClass (interface)
*github.com/gotd/td/tg.BotAppNotModified
*github.com/gotd/td/tg.BotCommand
*github.com/gotd/td/tg.BotCommandScopeChatAdmins
*github.com/gotd/td/tg.BotCommandScopeChats
github.com/gotd/td/tg.BotCommandScopeClass (interface)
*github.com/gotd/td/tg.BotCommandScopeDefault
*github.com/gotd/td/tg.BotCommandScopePeer
*github.com/gotd/td/tg.BotCommandScopePeerAdmins
*github.com/gotd/td/tg.BotCommandScopePeerUser
*github.com/gotd/td/tg.BotCommandScopeUsers
*github.com/gotd/td/tg.BotCommandVector
*github.com/gotd/td/tg.BotInfo
*github.com/gotd/td/tg.BotInlineMediaResult
github.com/gotd/td/tg.BotInlineMessageClass (interface)
*github.com/gotd/td/tg.BotInlineMessageMediaAuto
*github.com/gotd/td/tg.BotInlineMessageMediaContact
*github.com/gotd/td/tg.BotInlineMessageMediaGeo
*github.com/gotd/td/tg.BotInlineMessageMediaInvoice
*github.com/gotd/td/tg.BotInlineMessageMediaVenue
*github.com/gotd/td/tg.BotInlineMessageMediaWebPage
*github.com/gotd/td/tg.BotInlineMessageText
*github.com/gotd/td/tg.BotInlineResult
github.com/gotd/td/tg.BotInlineResultClass (interface)
*github.com/gotd/td/tg.BotMenuButton
github.com/gotd/td/tg.BotMenuButtonClass (interface)
*github.com/gotd/td/tg.BotMenuButtonCommands
*github.com/gotd/td/tg.BotMenuButtonDefault
*github.com/gotd/td/tg.BotsAllowSendMessageRequest
*github.com/gotd/td/tg.BotsAnswerWebhookJSONQueryRequest
*github.com/gotd/td/tg.BotsBotInfo
*github.com/gotd/td/tg.BotsCanSendMessageRequest
*github.com/gotd/td/tg.BotsGetBotCommandsRequest
*github.com/gotd/td/tg.BotsGetBotInfoRequest
*github.com/gotd/td/tg.BotsGetBotMenuButtonRequest
*github.com/gotd/td/tg.BotsInvokeWebViewCustomMethodRequest
*github.com/gotd/td/tg.BotsReorderUsernamesRequest
*github.com/gotd/td/tg.BotsResetBotCommandsRequest
*github.com/gotd/td/tg.BotsSendCustomRequestRequest
*github.com/gotd/td/tg.BotsSetBotBroadcastDefaultAdminRightsRequest
*github.com/gotd/td/tg.BotsSetBotCommandsRequest
*github.com/gotd/td/tg.BotsSetBotGroupDefaultAdminRightsRequest
*github.com/gotd/td/tg.BotsSetBotInfoRequest
*github.com/gotd/td/tg.BotsSetBotMenuButtonRequest
*github.com/gotd/td/tg.BotsToggleUsernameRequest
*github.com/gotd/td/tg.Bytes
*github.com/gotd/td/tg.CDNConfig
*github.com/gotd/td/tg.CDNPublicKey
*github.com/gotd/td/tg.Channel
*github.com/gotd/td/tg.ChannelAdminLogEvent
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeAbout
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeAvailableReactions
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeEmojiStatus
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeHistoryTTL
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeLinkedChat
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeLocation
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangePeerColor
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangePhoto
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeProfilePeerColor
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeStickerSet
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeTitle
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeUsername
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeUsernames
*github.com/gotd/td/tg.ChannelAdminLogEventActionChangeWallpaper
github.com/gotd/td/tg.ChannelAdminLogEventActionClass (interface)
*github.com/gotd/td/tg.ChannelAdminLogEventActionCreateTopic
*github.com/gotd/td/tg.ChannelAdminLogEventActionDefaultBannedRights
*github.com/gotd/td/tg.ChannelAdminLogEventActionDeleteMessage
*github.com/gotd/td/tg.ChannelAdminLogEventActionDeleteTopic
*github.com/gotd/td/tg.ChannelAdminLogEventActionDiscardGroupCall
*github.com/gotd/td/tg.ChannelAdminLogEventActionEditMessage
*github.com/gotd/td/tg.ChannelAdminLogEventActionEditTopic
*github.com/gotd/td/tg.ChannelAdminLogEventActionExportedInviteDelete
*github.com/gotd/td/tg.ChannelAdminLogEventActionExportedInviteEdit
*github.com/gotd/td/tg.ChannelAdminLogEventActionExportedInviteRevoke
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantInvite
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantJoin
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantJoinByInvite
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantJoinByRequest
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantLeave
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantMute
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantToggleAdmin
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantToggleBan
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantUnmute
*github.com/gotd/td/tg.ChannelAdminLogEventActionParticipantVolume
*github.com/gotd/td/tg.ChannelAdminLogEventActionPinTopic
*github.com/gotd/td/tg.ChannelAdminLogEventActionSendMessage
*github.com/gotd/td/tg.ChannelAdminLogEventActionStartGroupCall
*github.com/gotd/td/tg.ChannelAdminLogEventActionStopPoll
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleAntiSpam
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleForum
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleGroupCallSetting
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleInvites
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleNoForwards
*github.com/gotd/td/tg.ChannelAdminLogEventActionTogglePreHistoryHidden
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleSignatures
*github.com/gotd/td/tg.ChannelAdminLogEventActionToggleSlowMode
*github.com/gotd/td/tg.ChannelAdminLogEventActionUpdatePinned
*github.com/gotd/td/tg.ChannelAdminLogEventsFilter
*github.com/gotd/td/tg.ChannelForbidden
*github.com/gotd/td/tg.ChannelFull
*github.com/gotd/td/tg.ChannelLocation
github.com/gotd/td/tg.ChannelLocationClass (interface)
*github.com/gotd/td/tg.ChannelLocationEmpty
*github.com/gotd/td/tg.ChannelMessagesFilter
github.com/gotd/td/tg.ChannelMessagesFilterClass (interface)
*github.com/gotd/td/tg.ChannelMessagesFilterEmpty
*github.com/gotd/td/tg.ChannelParticipant
*github.com/gotd/td/tg.ChannelParticipantAdmin
*github.com/gotd/td/tg.ChannelParticipantBanned
github.com/gotd/td/tg.ChannelParticipantClass (interface)
*github.com/gotd/td/tg.ChannelParticipantCreator
*github.com/gotd/td/tg.ChannelParticipantLeft
*github.com/gotd/td/tg.ChannelParticipantSelf
*github.com/gotd/td/tg.ChannelParticipantsAdmins
*github.com/gotd/td/tg.ChannelParticipantsBanned
*github.com/gotd/td/tg.ChannelParticipantsBots
*github.com/gotd/td/tg.ChannelParticipantsContacts
github.com/gotd/td/tg.ChannelParticipantsFilterClass (interface)
*github.com/gotd/td/tg.ChannelParticipantsKicked
*github.com/gotd/td/tg.ChannelParticipantsMentions
*github.com/gotd/td/tg.ChannelParticipantsRecent
*github.com/gotd/td/tg.ChannelParticipantsSearch
*github.com/gotd/td/tg.ChannelsAdminLogResults
*github.com/gotd/td/tg.ChannelsChannelParticipant
*github.com/gotd/td/tg.ChannelsChannelParticipants
github.com/gotd/td/tg.ChannelsChannelParticipantsClass (interface)
*github.com/gotd/td/tg.ChannelsChannelParticipantsNotModified
*github.com/gotd/td/tg.ChannelsCheckUsernameRequest
*github.com/gotd/td/tg.ChannelsClickSponsoredMessageRequest
*github.com/gotd/td/tg.ChannelsConvertToGigagroupRequest
*github.com/gotd/td/tg.ChannelsCreateChannelRequest
*github.com/gotd/td/tg.ChannelsCreateForumTopicRequest
*github.com/gotd/td/tg.ChannelsDeactivateAllUsernamesRequest
*github.com/gotd/td/tg.ChannelsDeleteChannelRequest
*github.com/gotd/td/tg.ChannelsDeleteHistoryRequest
*github.com/gotd/td/tg.ChannelsDeleteMessagesRequest
*github.com/gotd/td/tg.ChannelsDeleteParticipantHistoryRequest
*github.com/gotd/td/tg.ChannelsDeleteTopicHistoryRequest
*github.com/gotd/td/tg.ChannelsEditAdminRequest
*github.com/gotd/td/tg.ChannelsEditBannedRequest
*github.com/gotd/td/tg.ChannelsEditCreatorRequest
*github.com/gotd/td/tg.ChannelsEditForumTopicRequest
*github.com/gotd/td/tg.ChannelsEditLocationRequest
*github.com/gotd/td/tg.ChannelsEditPhotoRequest
*github.com/gotd/td/tg.ChannelsEditTitleRequest
*github.com/gotd/td/tg.ChannelsExportMessageLinkRequest
*github.com/gotd/td/tg.ChannelsGetAdminedPublicChannelsRequest
*github.com/gotd/td/tg.ChannelsGetAdminLogRequest
*github.com/gotd/td/tg.ChannelsGetChannelRecommendationsRequest
*github.com/gotd/td/tg.ChannelsGetChannelsRequest
*github.com/gotd/td/tg.ChannelsGetForumTopicsByIDRequest
*github.com/gotd/td/tg.ChannelsGetForumTopicsRequest
*github.com/gotd/td/tg.ChannelsGetFullChannelRequest
*github.com/gotd/td/tg.ChannelsGetGroupsForDiscussionRequest
*github.com/gotd/td/tg.ChannelsGetInactiveChannelsRequest
*github.com/gotd/td/tg.ChannelsGetLeftChannelsRequest
*github.com/gotd/td/tg.ChannelsGetMessagesRequest
*github.com/gotd/td/tg.ChannelsGetParticipantRequest
*github.com/gotd/td/tg.ChannelsGetParticipantsRequest
*github.com/gotd/td/tg.ChannelsGetSendAsRequest
*github.com/gotd/td/tg.ChannelsGetSponsoredMessagesRequest
*github.com/gotd/td/tg.ChannelsInviteToChannelRequest
*github.com/gotd/td/tg.ChannelsJoinChannelRequest
*github.com/gotd/td/tg.ChannelsLeaveChannelRequest
*github.com/gotd/td/tg.ChannelsReadHistoryRequest
*github.com/gotd/td/tg.ChannelsReadMessageContentsRequest
*github.com/gotd/td/tg.ChannelsReorderPinnedForumTopicsRequest
*github.com/gotd/td/tg.ChannelsReorderUsernamesRequest
*github.com/gotd/td/tg.ChannelsReportAntiSpamFalsePositiveRequest
*github.com/gotd/td/tg.ChannelsReportSpamRequest
*github.com/gotd/td/tg.ChannelsSendAsPeers
*github.com/gotd/td/tg.ChannelsSetDiscussionGroupRequest
*github.com/gotd/td/tg.ChannelsSetStickersRequest
*github.com/gotd/td/tg.ChannelsToggleAntiSpamRequest
*github.com/gotd/td/tg.ChannelsToggleForumRequest
*github.com/gotd/td/tg.ChannelsToggleJoinRequestRequest
*github.com/gotd/td/tg.ChannelsToggleJoinToSendRequest
*github.com/gotd/td/tg.ChannelsToggleParticipantsHiddenRequest
*github.com/gotd/td/tg.ChannelsTogglePreHistoryHiddenRequest
*github.com/gotd/td/tg.ChannelsToggleSignaturesRequest
*github.com/gotd/td/tg.ChannelsToggleSlowModeRequest
*github.com/gotd/td/tg.ChannelsToggleUsernameRequest
*github.com/gotd/td/tg.ChannelsToggleViewForumAsMessagesRequest
*github.com/gotd/td/tg.ChannelsUpdateColorRequest
*github.com/gotd/td/tg.ChannelsUpdateEmojiStatusRequest
*github.com/gotd/td/tg.ChannelsUpdatePinnedForumTopicRequest
*github.com/gotd/td/tg.ChannelsUpdateUsernameRequest
*github.com/gotd/td/tg.ChannelsViewSponsoredMessageRequest
*github.com/gotd/td/tg.Chat
*github.com/gotd/td/tg.ChatAdminRights
*github.com/gotd/td/tg.ChatAdminWithInvites
*github.com/gotd/td/tg.ChatBannedRights
github.com/gotd/td/tg.ChatClass (interface)
*github.com/gotd/td/tg.ChatEmpty
*github.com/gotd/td/tg.ChatForbidden
*github.com/gotd/td/tg.ChatFull
github.com/gotd/td/tg.ChatFullClass (interface)
*github.com/gotd/td/tg.ChatInvite
*github.com/gotd/td/tg.ChatInviteAlready
github.com/gotd/td/tg.ChatInviteClass (interface)
*github.com/gotd/td/tg.ChatInviteExported
*github.com/gotd/td/tg.ChatInviteImporter
*github.com/gotd/td/tg.ChatInvitePeek
*github.com/gotd/td/tg.ChatInvitePublicJoinRequests
*github.com/gotd/td/tg.ChatlistsChatlistInvite
*github.com/gotd/td/tg.ChatlistsChatlistInviteAlready
github.com/gotd/td/tg.ChatlistsChatlistInviteClass (interface)
*github.com/gotd/td/tg.ChatlistsChatlistUpdates
*github.com/gotd/td/tg.ChatlistsCheckChatlistInviteRequest
*github.com/gotd/td/tg.ChatlistsDeleteExportedInviteRequest
*github.com/gotd/td/tg.ChatlistsEditExportedInviteRequest
*github.com/gotd/td/tg.ChatlistsExportChatlistInviteRequest
*github.com/gotd/td/tg.ChatlistsExportedChatlistInvite
*github.com/gotd/td/tg.ChatlistsExportedInvites
*github.com/gotd/td/tg.ChatlistsGetChatlistUpdatesRequest
*github.com/gotd/td/tg.ChatlistsGetExportedInvitesRequest
*github.com/gotd/td/tg.ChatlistsGetLeaveChatlistSuggestionsRequest
*github.com/gotd/td/tg.ChatlistsHideChatlistUpdatesRequest
*github.com/gotd/td/tg.ChatlistsJoinChatlistInviteRequest
*github.com/gotd/td/tg.ChatlistsJoinChatlistUpdatesRequest
*github.com/gotd/td/tg.ChatlistsLeaveChatlistRequest
*github.com/gotd/td/tg.ChatOnlines
*github.com/gotd/td/tg.ChatParticipant
*github.com/gotd/td/tg.ChatParticipantAdmin
github.com/gotd/td/tg.ChatParticipantClass (interface)
*github.com/gotd/td/tg.ChatParticipantCreator
*github.com/gotd/td/tg.ChatParticipants
github.com/gotd/td/tg.ChatParticipantsClass (interface)
*github.com/gotd/td/tg.ChatParticipantsForbidden
*github.com/gotd/td/tg.ChatPhoto
github.com/gotd/td/tg.ChatPhotoClass (interface)
*github.com/gotd/td/tg.ChatPhotoEmpty
*github.com/gotd/td/tg.ChatReactionsAll
github.com/gotd/td/tg.ChatReactionsClass (interface)
*github.com/gotd/td/tg.ChatReactionsNone
*github.com/gotd/td/tg.ChatReactionsSome
*github.com/gotd/td/tg.CodeSettings
*github.com/gotd/td/tg.Config
*github.com/gotd/td/tg.Contact
*github.com/gotd/td/tg.ContactStatus
*github.com/gotd/td/tg.ContactStatusVector
*github.com/gotd/td/tg.ContactsAcceptContactRequest
*github.com/gotd/td/tg.ContactsAddContactRequest
*github.com/gotd/td/tg.ContactsBlocked
github.com/gotd/td/tg.ContactsBlockedClass (interface)
*github.com/gotd/td/tg.ContactsBlockedSlice
*github.com/gotd/td/tg.ContactsBlockFromRepliesRequest
*github.com/gotd/td/tg.ContactsBlockRequest
*github.com/gotd/td/tg.ContactsContacts
github.com/gotd/td/tg.ContactsContactsClass (interface)
*github.com/gotd/td/tg.ContactsContactsNotModified
*github.com/gotd/td/tg.ContactsDeleteByPhonesRequest
*github.com/gotd/td/tg.ContactsDeleteContactsRequest
*github.com/gotd/td/tg.ContactsEditCloseFriendsRequest
*github.com/gotd/td/tg.ContactsExportContactTokenRequest
*github.com/gotd/td/tg.ContactsFound
*github.com/gotd/td/tg.ContactsGetBlockedRequest
*github.com/gotd/td/tg.ContactsGetContactIDsRequest
*github.com/gotd/td/tg.ContactsGetContactsRequest
*github.com/gotd/td/tg.ContactsGetLocatedRequest
*github.com/gotd/td/tg.ContactsGetSavedRequest
*github.com/gotd/td/tg.ContactsGetStatusesRequest
*github.com/gotd/td/tg.ContactsGetTopPeersRequest
*github.com/gotd/td/tg.ContactsImportContactsRequest
*github.com/gotd/td/tg.ContactsImportContactTokenRequest
*github.com/gotd/td/tg.ContactsImportedContacts
*github.com/gotd/td/tg.ContactsResetSavedRequest
*github.com/gotd/td/tg.ContactsResetTopPeerRatingRequest
*github.com/gotd/td/tg.ContactsResolvedPeer
*github.com/gotd/td/tg.ContactsResolvePhoneRequest
*github.com/gotd/td/tg.ContactsResolveUsernameRequest
*github.com/gotd/td/tg.ContactsSearchRequest
*github.com/gotd/td/tg.ContactsSetBlockedRequest
*github.com/gotd/td/tg.ContactsToggleTopPeersRequest
*github.com/gotd/td/tg.ContactsTopPeers
github.com/gotd/td/tg.ContactsTopPeersClass (interface)
*github.com/gotd/td/tg.ContactsTopPeersDisabled
*github.com/gotd/td/tg.ContactsTopPeersNotModified
*github.com/gotd/td/tg.ContactsUnblockRequest
*github.com/gotd/td/tg.DataJSON
*github.com/gotd/td/tg.DCOption
*github.com/gotd/td/tg.DefaultHistoryTTL
*github.com/gotd/td/tg.Dialog
github.com/gotd/td/tg.DialogClass (interface)
*github.com/gotd/td/tg.DialogFilter
*github.com/gotd/td/tg.DialogFilterChatlist
github.com/gotd/td/tg.DialogFilterClass (interface)
*github.com/gotd/td/tg.DialogFilterClassVector
*github.com/gotd/td/tg.DialogFilterDefault
*github.com/gotd/td/tg.DialogFilterSuggested
*github.com/gotd/td/tg.DialogFilterSuggestedVector
*github.com/gotd/td/tg.DialogFolder
*github.com/gotd/td/tg.DialogPeer
github.com/gotd/td/tg.DialogPeerClass (interface)
*github.com/gotd/td/tg.DialogPeerClassVector
*github.com/gotd/td/tg.DialogPeerFolder
*github.com/gotd/td/tg.Document
*github.com/gotd/td/tg.DocumentAttributeAnimated
*github.com/gotd/td/tg.DocumentAttributeAudio
github.com/gotd/td/tg.DocumentAttributeClass (interface)
*github.com/gotd/td/tg.DocumentAttributeCustomEmoji
*github.com/gotd/td/tg.DocumentAttributeFilename
*github.com/gotd/td/tg.DocumentAttributeHasStickers
*github.com/gotd/td/tg.DocumentAttributeImageSize
*github.com/gotd/td/tg.DocumentAttributeSticker
*github.com/gotd/td/tg.DocumentAttributeVideo
github.com/gotd/td/tg.DocumentClass (interface)
*github.com/gotd/td/tg.DocumentClassVector
*github.com/gotd/td/tg.DocumentEmpty
*github.com/gotd/td/tg.Double
*github.com/gotd/td/tg.DraftMessage
github.com/gotd/td/tg.DraftMessageClass (interface)
*github.com/gotd/td/tg.DraftMessageEmpty
*github.com/gotd/td/tg.EmailVerificationApple
github.com/gotd/td/tg.EmailVerificationClass (interface)
*github.com/gotd/td/tg.EmailVerificationCode
*github.com/gotd/td/tg.EmailVerificationGoogle
github.com/gotd/td/tg.EmailVerifyPurposeClass (interface)
*github.com/gotd/td/tg.EmailVerifyPurposeLoginChange
*github.com/gotd/td/tg.EmailVerifyPurposeLoginSetup
*github.com/gotd/td/tg.EmailVerifyPurposePassport
*github.com/gotd/td/tg.EmojiGroup
*github.com/gotd/td/tg.EmojiKeyword
github.com/gotd/td/tg.EmojiKeywordClass (interface)
*github.com/gotd/td/tg.EmojiKeywordDeleted
*github.com/gotd/td/tg.EmojiKeywordsDifference
*github.com/gotd/td/tg.EmojiLanguage
*github.com/gotd/td/tg.EmojiLanguageVector
*github.com/gotd/td/tg.EmojiList
github.com/gotd/td/tg.EmojiListClass (interface)
*github.com/gotd/td/tg.EmojiListNotModified
*github.com/gotd/td/tg.EmojiStatus
github.com/gotd/td/tg.EmojiStatusClass (interface)
*github.com/gotd/td/tg.EmojiStatusEmpty
*github.com/gotd/td/tg.EmojiStatusUntil
*github.com/gotd/td/tg.EmojiURL
*github.com/gotd/td/tg.EncryptedChat
github.com/gotd/td/tg.EncryptedChatClass (interface)
*github.com/gotd/td/tg.EncryptedChatDiscarded
*github.com/gotd/td/tg.EncryptedChatEmpty
*github.com/gotd/td/tg.EncryptedChatRequested
*github.com/gotd/td/tg.EncryptedChatWaiting
*github.com/gotd/td/tg.EncryptedFile
github.com/gotd/td/tg.EncryptedFileClass (interface)
*github.com/gotd/td/tg.EncryptedFileEmpty
*github.com/gotd/td/tg.EncryptedMessage
github.com/gotd/td/tg.EncryptedMessageClass (interface)
*github.com/gotd/td/tg.EncryptedMessageService
*github.com/gotd/td/tg.Error
github.com/gotd/td/tg.ExportedChatInviteClass (interface)
*github.com/gotd/td/tg.ExportedChatlistInvite
*github.com/gotd/td/tg.ExportedContactToken
*github.com/gotd/td/tg.ExportedMessageLink
*github.com/gotd/td/tg.ExportedStoryLink
*github.com/gotd/td/tg.FileHash
*github.com/gotd/td/tg.FileHashVector
*github.com/gotd/td/tg.Folder
*github.com/gotd/td/tg.FolderPeer
*github.com/gotd/td/tg.FoldersEditPeerFoldersRequest
*github.com/gotd/td/tg.ForumTopic
github.com/gotd/td/tg.ForumTopicClass (interface)
*github.com/gotd/td/tg.ForumTopicDeleted
github.com/gotd/td/tg.FullChat (interface)
*github.com/gotd/td/tg.Game
*github.com/gotd/td/tg.GeoPoint
github.com/gotd/td/tg.GeoPointClass (interface)
*github.com/gotd/td/tg.GeoPointEmpty
*github.com/gotd/td/tg.GlobalPrivacySettings
*github.com/gotd/td/tg.GroupCall
github.com/gotd/td/tg.GroupCallClass (interface)
*github.com/gotd/td/tg.GroupCallDiscarded
*github.com/gotd/td/tg.GroupCallParticipant
*github.com/gotd/td/tg.GroupCallParticipantVideo
*github.com/gotd/td/tg.GroupCallParticipantVideoSourceGroup
*github.com/gotd/td/tg.GroupCallStreamChannel
*github.com/gotd/td/tg.HelpAcceptTermsOfServiceRequest
*github.com/gotd/td/tg.HelpAppConfig
github.com/gotd/td/tg.HelpAppConfigClass (interface)
*github.com/gotd/td/tg.HelpAppConfigNotModified
*github.com/gotd/td/tg.HelpAppUpdate
github.com/gotd/td/tg.HelpAppUpdateClass (interface)
*github.com/gotd/td/tg.HelpConfigSimple
*github.com/gotd/td/tg.HelpCountriesList
github.com/gotd/td/tg.HelpCountriesListClass (interface)
*github.com/gotd/td/tg.HelpCountriesListNotModified
*github.com/gotd/td/tg.HelpCountry
*github.com/gotd/td/tg.HelpCountryCode
*github.com/gotd/td/tg.HelpDeepLinkInfo
github.com/gotd/td/tg.HelpDeepLinkInfoClass (interface)
*github.com/gotd/td/tg.HelpDeepLinkInfoEmpty
*github.com/gotd/td/tg.HelpDismissSuggestionRequest
*github.com/gotd/td/tg.HelpEditUserInfoRequest
*github.com/gotd/td/tg.HelpGetAppConfigRequest
*github.com/gotd/td/tg.HelpGetAppUpdateRequest
*github.com/gotd/td/tg.HelpGetCDNConfigRequest
*github.com/gotd/td/tg.HelpGetConfigRequest
*github.com/gotd/td/tg.HelpGetCountriesListRequest
*github.com/gotd/td/tg.HelpGetDeepLinkInfoRequest
*github.com/gotd/td/tg.HelpGetInviteTextRequest
*github.com/gotd/td/tg.HelpGetNearestDCRequest
*github.com/gotd/td/tg.HelpGetPassportConfigRequest
*github.com/gotd/td/tg.HelpGetPeerColorsRequest
*github.com/gotd/td/tg.HelpGetPeerProfileColorsRequest
*github.com/gotd/td/tg.HelpGetPremiumPromoRequest
*github.com/gotd/td/tg.HelpGetPromoDataRequest
*github.com/gotd/td/tg.HelpGetRecentMeURLsRequest
*github.com/gotd/td/tg.HelpGetSupportNameRequest
*github.com/gotd/td/tg.HelpGetSupportRequest
*github.com/gotd/td/tg.HelpGetTermsOfServiceUpdateRequest
*github.com/gotd/td/tg.HelpGetUserInfoRequest
*github.com/gotd/td/tg.HelpHidePromoDataRequest
*github.com/gotd/td/tg.HelpInviteText
*github.com/gotd/td/tg.HelpNoAppUpdate
*github.com/gotd/td/tg.HelpPassportConfig
github.com/gotd/td/tg.HelpPassportConfigClass (interface)
*github.com/gotd/td/tg.HelpPassportConfigNotModified
*github.com/gotd/td/tg.HelpPeerColorOption
*github.com/gotd/td/tg.HelpPeerColorProfileSet
*github.com/gotd/td/tg.HelpPeerColorSet
github.com/gotd/td/tg.HelpPeerColorSetClass (interface)
*github.com/gotd/td/tg.HelpPeerColors
github.com/gotd/td/tg.HelpPeerColorsClass (interface)
*github.com/gotd/td/tg.HelpPeerColorsNotModified
*github.com/gotd/td/tg.HelpPremiumPromo
*github.com/gotd/td/tg.HelpPromoData
github.com/gotd/td/tg.HelpPromoDataClass (interface)
*github.com/gotd/td/tg.HelpPromoDataEmpty
*github.com/gotd/td/tg.HelpRecentMeURLs
*github.com/gotd/td/tg.HelpSaveAppLogRequest
*github.com/gotd/td/tg.HelpSetBotUpdatesStatusRequest
*github.com/gotd/td/tg.HelpSupport
*github.com/gotd/td/tg.HelpSupportName
*github.com/gotd/td/tg.HelpTermsOfService
*github.com/gotd/td/tg.HelpTermsOfServiceUpdate
github.com/gotd/td/tg.HelpTermsOfServiceUpdateClass (interface)
*github.com/gotd/td/tg.HelpTermsOfServiceUpdateEmpty
*github.com/gotd/td/tg.HelpUserInfo
github.com/gotd/td/tg.HelpUserInfoClass (interface)
*github.com/gotd/td/tg.HelpUserInfoEmpty
*github.com/gotd/td/tg.HighScore
*github.com/gotd/td/tg.ImportedContact
*github.com/gotd/td/tg.InitConnectionRequest
*github.com/gotd/td/tg.InlineBotSwitchPM
*github.com/gotd/td/tg.InlineBotWebView
*github.com/gotd/td/tg.InlineQueryPeerTypeBotPM
*github.com/gotd/td/tg.InlineQueryPeerTypeBroadcast
*github.com/gotd/td/tg.InlineQueryPeerTypeChat
github.com/gotd/td/tg.InlineQueryPeerTypeClass (interface)
*github.com/gotd/td/tg.InlineQueryPeerTypeMegagroup
*github.com/gotd/td/tg.InlineQueryPeerTypePM
*github.com/gotd/td/tg.InlineQueryPeerTypeSameBotPM
*github.com/gotd/td/tg.InputAppEvent
github.com/gotd/td/tg.InputBotAppClass (interface)
*github.com/gotd/td/tg.InputBotAppID
*github.com/gotd/td/tg.InputBotAppShortName
github.com/gotd/td/tg.InputBotInlineMessageClass (interface)
*github.com/gotd/td/tg.InputBotInlineMessageGame
*github.com/gotd/td/tg.InputBotInlineMessageID
*github.com/gotd/td/tg.InputBotInlineMessageID64
github.com/gotd/td/tg.InputBotInlineMessageIDClass (interface)
*github.com/gotd/td/tg.InputBotInlineMessageMediaAuto
*github.com/gotd/td/tg.InputBotInlineMessageMediaContact
*github.com/gotd/td/tg.InputBotInlineMessageMediaGeo
*github.com/gotd/td/tg.InputBotInlineMessageMediaInvoice
*github.com/gotd/td/tg.InputBotInlineMessageMediaVenue
*github.com/gotd/td/tg.InputBotInlineMessageMediaWebPage
*github.com/gotd/td/tg.InputBotInlineMessageText
*github.com/gotd/td/tg.InputBotInlineResult
github.com/gotd/td/tg.InputBotInlineResultClass (interface)
*github.com/gotd/td/tg.InputBotInlineResultDocument
*github.com/gotd/td/tg.InputBotInlineResultGame
*github.com/gotd/td/tg.InputBotInlineResultPhoto
*github.com/gotd/td/tg.InputChannel
github.com/gotd/td/tg.InputChannelClass (interface)
*github.com/gotd/td/tg.InputChannelEmpty
*github.com/gotd/td/tg.InputChannelFromMessage
*github.com/gotd/td/tg.InputChatlistDialogFilter
*github.com/gotd/td/tg.InputChatPhoto
github.com/gotd/td/tg.InputChatPhotoClass (interface)
*github.com/gotd/td/tg.InputChatPhotoEmpty
*github.com/gotd/td/tg.InputChatUploadedPhoto
*github.com/gotd/td/tg.InputCheckPasswordEmpty
*github.com/gotd/td/tg.InputCheckPasswordSRP
github.com/gotd/td/tg.InputCheckPasswordSRPClass (interface)
*github.com/gotd/td/tg.InputClientProxy
*github.com/gotd/td/tg.InputDialogPeer
github.com/gotd/td/tg.InputDialogPeerClass (interface)
*github.com/gotd/td/tg.InputDialogPeerFolder
*github.com/gotd/td/tg.InputDocument
github.com/gotd/td/tg.InputDocumentClass (interface)
*github.com/gotd/td/tg.InputDocumentEmpty
*github.com/gotd/td/tg.InputDocumentFileLocation
*github.com/gotd/td/tg.InputEncryptedChat
*github.com/gotd/td/tg.InputEncryptedFile
*github.com/gotd/td/tg.InputEncryptedFileBigUploaded
github.com/gotd/td/tg.InputEncryptedFileClass (interface)
*github.com/gotd/td/tg.InputEncryptedFileEmpty
*github.com/gotd/td/tg.InputEncryptedFileLocation
*github.com/gotd/td/tg.InputEncryptedFileUploaded
*github.com/gotd/td/tg.InputFile
*github.com/gotd/td/tg.InputFileBig
github.com/gotd/td/tg.InputFileClass (interface)
*github.com/gotd/td/tg.InputFileLocation
github.com/gotd/td/tg.InputFileLocationClass (interface)
*github.com/gotd/td/tg.InputFolderPeer
github.com/gotd/td/tg.InputGameClass (interface)
*github.com/gotd/td/tg.InputGameID
*github.com/gotd/td/tg.InputGameShortName
*github.com/gotd/td/tg.InputGeoPoint
github.com/gotd/td/tg.InputGeoPointClass (interface)
*github.com/gotd/td/tg.InputGeoPointEmpty
*github.com/gotd/td/tg.InputGroupCall
*github.com/gotd/td/tg.InputGroupCallStream
github.com/gotd/td/tg.InputInvoiceClass (interface)
*github.com/gotd/td/tg.InputInvoiceMessage
*github.com/gotd/td/tg.InputInvoicePremiumGiftCode
*github.com/gotd/td/tg.InputInvoiceSlug
*github.com/gotd/td/tg.InputKeyboardButtonURLAuth
*github.com/gotd/td/tg.InputKeyboardButtonUserProfile
*github.com/gotd/td/tg.InputMediaAreaChannelPost
*github.com/gotd/td/tg.InputMediaAreaVenue
github.com/gotd/td/tg.InputMediaClass (interface)
*github.com/gotd/td/tg.InputMediaContact
*github.com/gotd/td/tg.InputMediaDice
*github.com/gotd/td/tg.InputMediaDocument
*github.com/gotd/td/tg.InputMediaDocumentExternal
*github.com/gotd/td/tg.InputMediaEmpty
*github.com/gotd/td/tg.InputMediaGame
*github.com/gotd/td/tg.InputMediaGeoLive
*github.com/gotd/td/tg.InputMediaGeoPoint
*github.com/gotd/td/tg.InputMediaInvoice
*github.com/gotd/td/tg.InputMediaPhoto
*github.com/gotd/td/tg.InputMediaPhotoExternal
*github.com/gotd/td/tg.InputMediaPoll
*github.com/gotd/td/tg.InputMediaStory
*github.com/gotd/td/tg.InputMediaUploadedDocument
*github.com/gotd/td/tg.InputMediaUploadedPhoto
*github.com/gotd/td/tg.InputMediaVenue
*github.com/gotd/td/tg.InputMediaWebPage
*github.com/gotd/td/tg.InputMessageCallbackQuery
github.com/gotd/td/tg.InputMessageClass (interface)
*github.com/gotd/td/tg.InputMessageEntityMentionName
*github.com/gotd/td/tg.InputMessageID
*github.com/gotd/td/tg.InputMessagePinned
*github.com/gotd/td/tg.InputMessageReplyTo
*github.com/gotd/td/tg.InputMessagesFilterChatPhotos
*github.com/gotd/td/tg.InputMessagesFilterContacts
*github.com/gotd/td/tg.InputMessagesFilterDocument
*github.com/gotd/td/tg.InputMessagesFilterEmpty
*github.com/gotd/td/tg.InputMessagesFilterGeo
*github.com/gotd/td/tg.InputMessagesFilterGif
*github.com/gotd/td/tg.InputMessagesFilterMusic
*github.com/gotd/td/tg.InputMessagesFilterMyMentions
*github.com/gotd/td/tg.InputMessagesFilterPhoneCalls
*github.com/gotd/td/tg.InputMessagesFilterPhotos
*github.com/gotd/td/tg.InputMessagesFilterPhotoVideo
*github.com/gotd/td/tg.InputMessagesFilterPinned
*github.com/gotd/td/tg.InputMessagesFilterRoundVideo
*github.com/gotd/td/tg.InputMessagesFilterRoundVoice
*github.com/gotd/td/tg.InputMessagesFilterURL
*github.com/gotd/td/tg.InputMessagesFilterVideo
*github.com/gotd/td/tg.InputMessagesFilterVoice
*github.com/gotd/td/tg.InputNotifyBroadcasts
*github.com/gotd/td/tg.InputNotifyChats
*github.com/gotd/td/tg.InputNotifyForumTopic
*github.com/gotd/td/tg.InputNotifyPeer
github.com/gotd/td/tg.InputNotifyPeerClass (interface)
*github.com/gotd/td/tg.InputNotifyUsers
*github.com/gotd/td/tg.InputPaymentCredentials
*github.com/gotd/td/tg.InputPaymentCredentialsApplePay
github.com/gotd/td/tg.InputPaymentCredentialsClass (interface)
*github.com/gotd/td/tg.InputPaymentCredentialsGooglePay
*github.com/gotd/td/tg.InputPaymentCredentialsSaved
*github.com/gotd/td/tg.InputPeerChannel
*github.com/gotd/td/tg.InputPeerChannelFromMessage
*github.com/gotd/td/tg.InputPeerChat
github.com/gotd/td/tg.InputPeerClass (interface)
*github.com/gotd/td/tg.InputPeerEmpty
*github.com/gotd/td/tg.InputPeerNotifySettings
*github.com/gotd/td/tg.InputPeerPhotoFileLocation
*github.com/gotd/td/tg.InputPeerPhotoFileLocationLegacy
*github.com/gotd/td/tg.InputPeerSelf
*github.com/gotd/td/tg.InputPeerUser
*github.com/gotd/td/tg.InputPeerUserFromMessage
*github.com/gotd/td/tg.InputPhoneCall
*github.com/gotd/td/tg.InputPhoneContact
*github.com/gotd/td/tg.InputPhoto
github.com/gotd/td/tg.InputPhotoClass (interface)
*github.com/gotd/td/tg.InputPhotoEmpty
*github.com/gotd/td/tg.InputPhotoFileLocation
*github.com/gotd/td/tg.InputPhotoLegacyFileLocation
*github.com/gotd/td/tg.InputPrivacyKeyAbout
*github.com/gotd/td/tg.InputPrivacyKeyAddedByPhone
*github.com/gotd/td/tg.InputPrivacyKeyChatInvite
github.com/gotd/td/tg.InputPrivacyKeyClass (interface)
*github.com/gotd/td/tg.InputPrivacyKeyForwards
*github.com/gotd/td/tg.InputPrivacyKeyPhoneCall
*github.com/gotd/td/tg.InputPrivacyKeyPhoneNumber
*github.com/gotd/td/tg.InputPrivacyKeyPhoneP2P
*github.com/gotd/td/tg.InputPrivacyKeyProfilePhoto
*github.com/gotd/td/tg.InputPrivacyKeyStatusTimestamp
*github.com/gotd/td/tg.InputPrivacyKeyVoiceMessages
github.com/gotd/td/tg.InputPrivacyRuleClass (interface)
*github.com/gotd/td/tg.InputPrivacyValueAllowAll
*github.com/gotd/td/tg.InputPrivacyValueAllowChatParticipants
*github.com/gotd/td/tg.InputPrivacyValueAllowCloseFriends
*github.com/gotd/td/tg.InputPrivacyValueAllowContacts
*github.com/gotd/td/tg.InputPrivacyValueAllowUsers
*github.com/gotd/td/tg.InputPrivacyValueDisallowAll
*github.com/gotd/td/tg.InputPrivacyValueDisallowChatParticipants
*github.com/gotd/td/tg.InputPrivacyValueDisallowContacts
*github.com/gotd/td/tg.InputPrivacyValueDisallowUsers
github.com/gotd/td/tg.InputReplyToClass (interface)
*github.com/gotd/td/tg.InputReplyToMessage
*github.com/gotd/td/tg.InputReplyToStory
*github.com/gotd/td/tg.InputReportReasonChildAbuse
*github.com/gotd/td/tg.InputReportReasonCopyright
*github.com/gotd/td/tg.InputReportReasonFake
*github.com/gotd/td/tg.InputReportReasonGeoIrrelevant
*github.com/gotd/td/tg.InputReportReasonIllegalDrugs
*github.com/gotd/td/tg.InputReportReasonOther
*github.com/gotd/td/tg.InputReportReasonPersonalDetails
*github.com/gotd/td/tg.InputReportReasonPornography
*github.com/gotd/td/tg.InputReportReasonSpam
*github.com/gotd/td/tg.InputReportReasonViolence
*github.com/gotd/td/tg.InputSecureFile
github.com/gotd/td/tg.InputSecureFileClass (interface)
*github.com/gotd/td/tg.InputSecureFileLocation
*github.com/gotd/td/tg.InputSecureFileUploaded
*github.com/gotd/td/tg.InputSecureValue
*github.com/gotd/td/tg.InputSingleMedia
github.com/gotd/td/tg.InputStickeredMediaClass (interface)
*github.com/gotd/td/tg.InputStickeredMediaDocument
*github.com/gotd/td/tg.InputStickeredMediaPhoto
*github.com/gotd/td/tg.InputStickerSetAnimatedEmoji
*github.com/gotd/td/tg.InputStickerSetAnimatedEmojiAnimations
github.com/gotd/td/tg.InputStickerSetClass (interface)
*github.com/gotd/td/tg.InputStickerSetDice
*github.com/gotd/td/tg.InputStickerSetEmojiChannelDefaultStatuses
*github.com/gotd/td/tg.InputStickerSetEmojiDefaultStatuses
*github.com/gotd/td/tg.InputStickerSetEmojiDefaultTopicIcons
*github.com/gotd/td/tg.InputStickerSetEmojiGenericAnimations
*github.com/gotd/td/tg.InputStickerSetEmpty
*github.com/gotd/td/tg.InputStickerSetID
*github.com/gotd/td/tg.InputStickerSetItem
*github.com/gotd/td/tg.InputStickerSetPremiumGifts
*github.com/gotd/td/tg.InputStickerSetShortName
*github.com/gotd/td/tg.InputStickerSetThumb
*github.com/gotd/td/tg.InputStickerSetThumbLegacy
*github.com/gotd/td/tg.InputStorePaymentGiftPremium
*github.com/gotd/td/tg.InputStorePaymentPremiumGiftCode
*github.com/gotd/td/tg.InputStorePaymentPremiumGiveaway
*github.com/gotd/td/tg.InputStorePaymentPremiumSubscription
github.com/gotd/td/tg.InputStorePaymentPurposeClass (interface)
*github.com/gotd/td/tg.InputTakeoutFileLocation
*github.com/gotd/td/tg.InputTheme
github.com/gotd/td/tg.InputThemeClass (interface)
*github.com/gotd/td/tg.InputThemeSettings
*github.com/gotd/td/tg.InputThemeSlug
*github.com/gotd/td/tg.InputUser
github.com/gotd/td/tg.InputUserClass (interface)
*github.com/gotd/td/tg.InputUserEmpty
*github.com/gotd/td/tg.InputUserFromMessage
*github.com/gotd/td/tg.InputUserSelf
*github.com/gotd/td/tg.InputWallPaper
github.com/gotd/td/tg.InputWallPaperClass (interface)
*github.com/gotd/td/tg.InputWallPaperNoFile
*github.com/gotd/td/tg.InputWallPaperSlug
*github.com/gotd/td/tg.InputWebDocument
*github.com/gotd/td/tg.InputWebFileAudioAlbumThumbLocation
*github.com/gotd/td/tg.InputWebFileGeoPointLocation
*github.com/gotd/td/tg.InputWebFileLocation
github.com/gotd/td/tg.InputWebFileLocationClass (interface)
*github.com/gotd/td/tg.Int
*github.com/gotd/td/tg.IntVector
*github.com/gotd/td/tg.Invoice
*github.com/gotd/td/tg.InvokeAfterMsgRequest
*github.com/gotd/td/tg.InvokeAfterMsgsRequest
*github.com/gotd/td/tg.InvokeWithLayerRequest
*github.com/gotd/td/tg.InvokeWithMessagesRangeRequest
*github.com/gotd/td/tg.InvokeWithoutUpdatesRequest
*github.com/gotd/td/tg.InvokeWithTakeoutRequest
*github.com/gotd/td/tg.IPPort
github.com/gotd/td/tg.IPPortClass (interface)
*github.com/gotd/td/tg.IPPortSecret
*github.com/gotd/td/tg.JSONArray
*github.com/gotd/td/tg.JSONBool
*github.com/gotd/td/tg.JSONNull
*github.com/gotd/td/tg.JSONNumber
*github.com/gotd/td/tg.JSONObject
*github.com/gotd/td/tg.JSONObjectValue
*github.com/gotd/td/tg.JSONString
github.com/gotd/td/tg.JSONValueClass (interface)
*github.com/gotd/td/tg.KeyboardButton
*github.com/gotd/td/tg.KeyboardButtonBuy
*github.com/gotd/td/tg.KeyboardButtonCallback
github.com/gotd/td/tg.KeyboardButtonClass (interface)
*github.com/gotd/td/tg.KeyboardButtonGame
*github.com/gotd/td/tg.KeyboardButtonRequestGeoLocation
*github.com/gotd/td/tg.KeyboardButtonRequestPeer
*github.com/gotd/td/tg.KeyboardButtonRequestPhone
*github.com/gotd/td/tg.KeyboardButtonRequestPoll
*github.com/gotd/td/tg.KeyboardButtonRow
*github.com/gotd/td/tg.KeyboardButtonSimpleWebView
*github.com/gotd/td/tg.KeyboardButtonSwitchInline
*github.com/gotd/td/tg.KeyboardButtonURL
*github.com/gotd/td/tg.KeyboardButtonURLAuth
*github.com/gotd/td/tg.KeyboardButtonUserProfile
*github.com/gotd/td/tg.KeyboardButtonWebView
*github.com/gotd/td/tg.LabeledPrice
*github.com/gotd/td/tg.LangPackDifference
*github.com/gotd/td/tg.LangPackLanguage
*github.com/gotd/td/tg.LangPackLanguageVector
*github.com/gotd/td/tg.LangPackString
github.com/gotd/td/tg.LangPackStringClass (interface)
*github.com/gotd/td/tg.LangPackStringClassVector
*github.com/gotd/td/tg.LangPackStringDeleted
*github.com/gotd/td/tg.LangPackStringPluralized
*github.com/gotd/td/tg.LangpackGetDifferenceRequest
*github.com/gotd/td/tg.LangpackGetLangPackRequest
*github.com/gotd/td/tg.LangpackGetLanguageRequest
*github.com/gotd/td/tg.LangpackGetLanguagesRequest
*github.com/gotd/td/tg.LangpackGetStringsRequest
*github.com/gotd/td/tg.Long
*github.com/gotd/td/tg.LongVector
*github.com/gotd/td/tg.MaskCoords
*github.com/gotd/td/tg.MediaAreaChannelPost
github.com/gotd/td/tg.MediaAreaClass (interface)
*github.com/gotd/td/tg.MediaAreaCoordinates
*github.com/gotd/td/tg.MediaAreaGeoPoint
*github.com/gotd/td/tg.MediaAreaSuggestedReaction
*github.com/gotd/td/tg.MediaAreaVenue
*github.com/gotd/td/tg.Message
*github.com/gotd/td/tg.MessageActionBotAllowed
*github.com/gotd/td/tg.MessageActionChannelCreate
*github.com/gotd/td/tg.MessageActionChannelMigrateFrom
*github.com/gotd/td/tg.MessageActionChatAddUser
*github.com/gotd/td/tg.MessageActionChatCreate
*github.com/gotd/td/tg.MessageActionChatDeletePhoto
*github.com/gotd/td/tg.MessageActionChatDeleteUser
*github.com/gotd/td/tg.MessageActionChatEditPhoto
*github.com/gotd/td/tg.MessageActionChatEditTitle
*github.com/gotd/td/tg.MessageActionChatJoinedByLink
*github.com/gotd/td/tg.MessageActionChatJoinedByRequest
*github.com/gotd/td/tg.MessageActionChatMigrateTo
github.com/gotd/td/tg.MessageActionClass (interface)
*github.com/gotd/td/tg.MessageActionContactSignUp
*github.com/gotd/td/tg.MessageActionCustomAction
*github.com/gotd/td/tg.MessageActionEmpty
*github.com/gotd/td/tg.MessageActionGameScore
*github.com/gotd/td/tg.MessageActionGeoProximityReached
*github.com/gotd/td/tg.MessageActionGiftCode
*github.com/gotd/td/tg.MessageActionGiftPremium
*github.com/gotd/td/tg.MessageActionGiveawayLaunch
*github.com/gotd/td/tg.MessageActionGiveawayResults
*github.com/gotd/td/tg.MessageActionGroupCall
*github.com/gotd/td/tg.MessageActionGroupCallScheduled
*github.com/gotd/td/tg.MessageActionHistoryClear
*github.com/gotd/td/tg.MessageActionInviteToGroupCall
*github.com/gotd/td/tg.MessageActionPaymentSent
*github.com/gotd/td/tg.MessageActionPaymentSentMe
*github.com/gotd/td/tg.MessageActionPhoneCall
*github.com/gotd/td/tg.MessageActionPinMessage
*github.com/gotd/td/tg.MessageActionRequestedPeer
*github.com/gotd/td/tg.MessageActionScreenshotTaken
*github.com/gotd/td/tg.MessageActionSecureValuesSent
*github.com/gotd/td/tg.MessageActionSecureValuesSentMe
*github.com/gotd/td/tg.MessageActionSetChatTheme
*github.com/gotd/td/tg.MessageActionSetChatWallPaper
*github.com/gotd/td/tg.MessageActionSetMessagesTTL
*github.com/gotd/td/tg.MessageActionSuggestProfilePhoto
*github.com/gotd/td/tg.MessageActionTopicCreate
*github.com/gotd/td/tg.MessageActionTopicEdit
*github.com/gotd/td/tg.MessageActionWebViewDataSent
*github.com/gotd/td/tg.MessageActionWebViewDataSentMe
github.com/gotd/td/tg.MessageClass (interface)
*github.com/gotd/td/tg.MessageEmpty
*github.com/gotd/td/tg.MessageEntityBankCard
*github.com/gotd/td/tg.MessageEntityBlockquote
*github.com/gotd/td/tg.MessageEntityBold
*github.com/gotd/td/tg.MessageEntityBotCommand
*github.com/gotd/td/tg.MessageEntityCashtag
github.com/gotd/td/tg.MessageEntityClass (interface)
*github.com/gotd/td/tg.MessageEntityCode
*github.com/gotd/td/tg.MessageEntityCustomEmoji
*github.com/gotd/td/tg.MessageEntityEmail
*github.com/gotd/td/tg.MessageEntityHashtag
*github.com/gotd/td/tg.MessageEntityItalic
*github.com/gotd/td/tg.MessageEntityMention
*github.com/gotd/td/tg.MessageEntityMentionName
*github.com/gotd/td/tg.MessageEntityPhone
*github.com/gotd/td/tg.MessageEntityPre
*github.com/gotd/td/tg.MessageEntitySpoiler
*github.com/gotd/td/tg.MessageEntityStrike
*github.com/gotd/td/tg.MessageEntityTextURL
*github.com/gotd/td/tg.MessageEntityUnderline
*github.com/gotd/td/tg.MessageEntityUnknown
*github.com/gotd/td/tg.MessageEntityURL
*github.com/gotd/td/tg.MessageExtendedMedia
github.com/gotd/td/tg.MessageExtendedMediaClass (interface)
*github.com/gotd/td/tg.MessageExtendedMediaPreview
*github.com/gotd/td/tg.MessageFwdHeader
github.com/gotd/td/tg.MessageMediaClass (interface)
*github.com/gotd/td/tg.MessageMediaContact
*github.com/gotd/td/tg.MessageMediaDice
*github.com/gotd/td/tg.MessageMediaDocument
*github.com/gotd/td/tg.MessageMediaEmpty
*github.com/gotd/td/tg.MessageMediaGame
*github.com/gotd/td/tg.MessageMediaGeo
*github.com/gotd/td/tg.MessageMediaGeoLive
*github.com/gotd/td/tg.MessageMediaGiveaway
*github.com/gotd/td/tg.MessageMediaGiveawayResults
*github.com/gotd/td/tg.MessageMediaInvoice
*github.com/gotd/td/tg.MessageMediaPhoto
*github.com/gotd/td/tg.MessageMediaPoll
*github.com/gotd/td/tg.MessageMediaStory
*github.com/gotd/td/tg.MessageMediaUnsupported
*github.com/gotd/td/tg.MessageMediaVenue
*github.com/gotd/td/tg.MessageMediaWebPage
*github.com/gotd/td/tg.MessagePeerReaction
*github.com/gotd/td/tg.MessagePeerVote
github.com/gotd/td/tg.MessagePeerVoteClass (interface)
*github.com/gotd/td/tg.MessagePeerVoteInputOption
*github.com/gotd/td/tg.MessagePeerVoteMultiple
*github.com/gotd/td/tg.MessageRange
*github.com/gotd/td/tg.MessageRangeVector
*github.com/gotd/td/tg.MessageReactions
*github.com/gotd/td/tg.MessageReplies
*github.com/gotd/td/tg.MessageReplyHeader
github.com/gotd/td/tg.MessageReplyHeaderClass (interface)
*github.com/gotd/td/tg.MessageReplyStoryHeader
*github.com/gotd/td/tg.MessageService
*github.com/gotd/td/tg.MessagesAcceptEncryptionRequest
*github.com/gotd/td/tg.MessagesAcceptURLAuthRequest
*github.com/gotd/td/tg.MessagesAddChatUserRequest
*github.com/gotd/td/tg.MessagesAffectedFoundMessages
*github.com/gotd/td/tg.MessagesAffectedHistory
*github.com/gotd/td/tg.MessagesAffectedMessages
*github.com/gotd/td/tg.MessagesAllStickers
github.com/gotd/td/tg.MessagesAllStickersClass (interface)
*github.com/gotd/td/tg.MessagesAllStickersNotModified
*github.com/gotd/td/tg.MessagesArchivedStickers
*github.com/gotd/td/tg.MessagesAvailableReactions
github.com/gotd/td/tg.MessagesAvailableReactionsClass (interface)
*github.com/gotd/td/tg.MessagesAvailableReactionsNotModified
*github.com/gotd/td/tg.MessagesBotApp
*github.com/gotd/td/tg.MessagesBotCallbackAnswer
*github.com/gotd/td/tg.MessagesBotResults
*github.com/gotd/td/tg.MessagesChannelMessages
*github.com/gotd/td/tg.MessagesChatAdminsWithInvites
*github.com/gotd/td/tg.MessagesChatFull
*github.com/gotd/td/tg.MessagesChatInviteImporters
*github.com/gotd/td/tg.MessagesChats
github.com/gotd/td/tg.MessagesChatsClass (interface)
*github.com/gotd/td/tg.MessagesChatsSlice
*github.com/gotd/td/tg.MessagesCheckChatInviteRequest
*github.com/gotd/td/tg.MessagesCheckedHistoryImportPeer
*github.com/gotd/td/tg.MessagesCheckHistoryImportPeerRequest
*github.com/gotd/td/tg.MessagesCheckHistoryImportRequest
*github.com/gotd/td/tg.MessagesClearAllDraftsRequest
*github.com/gotd/td/tg.MessagesClearRecentReactionsRequest
*github.com/gotd/td/tg.MessagesClearRecentStickersRequest
*github.com/gotd/td/tg.MessagesCreateChatRequest
*github.com/gotd/td/tg.MessagesDeleteChatRequest
*github.com/gotd/td/tg.MessagesDeleteChatUserRequest
*github.com/gotd/td/tg.MessagesDeleteExportedChatInviteRequest
*github.com/gotd/td/tg.MessagesDeleteHistoryRequest
*github.com/gotd/td/tg.MessagesDeleteMessagesRequest
*github.com/gotd/td/tg.MessagesDeletePhoneCallHistoryRequest
*github.com/gotd/td/tg.MessagesDeleteRevokedExportedChatInvitesRequest
*github.com/gotd/td/tg.MessagesDeleteScheduledMessagesRequest
*github.com/gotd/td/tg.MessagesDhConfig
github.com/gotd/td/tg.MessagesDhConfigClass (interface)
*github.com/gotd/td/tg.MessagesDhConfigNotModified
*github.com/gotd/td/tg.MessagesDialogs
github.com/gotd/td/tg.MessagesDialogsClass (interface)
*github.com/gotd/td/tg.MessagesDialogsNotModified
*github.com/gotd/td/tg.MessagesDialogsSlice
*github.com/gotd/td/tg.MessagesDiscardEncryptionRequest
*github.com/gotd/td/tg.MessagesDiscussionMessage
*github.com/gotd/td/tg.MessagesEditChatAboutRequest
*github.com/gotd/td/tg.MessagesEditChatAdminRequest
*github.com/gotd/td/tg.MessagesEditChatDefaultBannedRightsRequest
*github.com/gotd/td/tg.MessagesEditChatPhotoRequest
*github.com/gotd/td/tg.MessagesEditChatTitleRequest
*github.com/gotd/td/tg.MessagesEditExportedChatInviteRequest
*github.com/gotd/td/tg.MessagesEditInlineBotMessageRequest
*github.com/gotd/td/tg.MessagesEditMessageRequest
*github.com/gotd/td/tg.MessagesEmojiGroups
github.com/gotd/td/tg.MessagesEmojiGroupsClass (interface)
*github.com/gotd/td/tg.MessagesEmojiGroupsNotModified
*github.com/gotd/td/tg.MessagesExportChatInviteRequest
*github.com/gotd/td/tg.MessagesExportedChatInvite
github.com/gotd/td/tg.MessagesExportedChatInviteClass (interface)
*github.com/gotd/td/tg.MessagesExportedChatInviteReplaced
*github.com/gotd/td/tg.MessagesExportedChatInvites
*github.com/gotd/td/tg.MessagesFavedStickers
github.com/gotd/td/tg.MessagesFavedStickersClass (interface)
*github.com/gotd/td/tg.MessagesFavedStickersNotModified
*github.com/gotd/td/tg.MessagesFaveStickerRequest
*github.com/gotd/td/tg.MessagesFeaturedStickers
github.com/gotd/td/tg.MessagesFeaturedStickersClass (interface)
*github.com/gotd/td/tg.MessagesFeaturedStickersNotModified
github.com/gotd/td/tg.MessagesFilterClass (interface)
*github.com/gotd/td/tg.MessagesForumTopics
*github.com/gotd/td/tg.MessagesForwardMessagesRequest
*github.com/gotd/td/tg.MessagesFoundStickerSets
github.com/gotd/td/tg.MessagesFoundStickerSetsClass (interface)
*github.com/gotd/td/tg.MessagesFoundStickerSetsNotModified
*github.com/gotd/td/tg.MessagesGetAdminsWithInvitesRequest
*github.com/gotd/td/tg.MessagesGetAllDraftsRequest
*github.com/gotd/td/tg.MessagesGetAllStickersRequest
*github.com/gotd/td/tg.MessagesGetArchivedStickersRequest
*github.com/gotd/td/tg.MessagesGetAttachedStickersRequest
*github.com/gotd/td/tg.MessagesGetAttachMenuBotRequest
*github.com/gotd/td/tg.MessagesGetAttachMenuBotsRequest
*github.com/gotd/td/tg.MessagesGetAvailableReactionsRequest
*github.com/gotd/td/tg.MessagesGetBotAppRequest
*github.com/gotd/td/tg.MessagesGetBotCallbackAnswerRequest
*github.com/gotd/td/tg.MessagesGetChatInviteImportersRequest
*github.com/gotd/td/tg.MessagesGetChatsRequest
*github.com/gotd/td/tg.MessagesGetCommonChatsRequest
*github.com/gotd/td/tg.MessagesGetCustomEmojiDocumentsRequest
*github.com/gotd/td/tg.MessagesGetDefaultHistoryTTLRequest
*github.com/gotd/td/tg.MessagesGetDhConfigRequest
*github.com/gotd/td/tg.MessagesGetDialogFiltersRequest
*github.com/gotd/td/tg.MessagesGetDialogsRequest
*github.com/gotd/td/tg.MessagesGetDialogUnreadMarksRequest
*github.com/gotd/td/tg.MessagesGetDiscussionMessageRequest
*github.com/gotd/td/tg.MessagesGetDocumentByHashRequest
*github.com/gotd/td/tg.MessagesGetEmojiGroupsRequest
*github.com/gotd/td/tg.MessagesGetEmojiKeywordsDifferenceRequest
*github.com/gotd/td/tg.MessagesGetEmojiKeywordsLanguagesRequest
*github.com/gotd/td/tg.MessagesGetEmojiKeywordsRequest
*github.com/gotd/td/tg.MessagesGetEmojiProfilePhotoGroupsRequest
*github.com/gotd/td/tg.MessagesGetEmojiStatusGroupsRequest
*github.com/gotd/td/tg.MessagesGetEmojiStickersRequest
*github.com/gotd/td/tg.MessagesGetEmojiURLRequest
*github.com/gotd/td/tg.MessagesGetExportedChatInviteRequest
*github.com/gotd/td/tg.MessagesGetExportedChatInvitesRequest
*github.com/gotd/td/tg.MessagesGetExtendedMediaRequest
*github.com/gotd/td/tg.MessagesGetFavedStickersRequest
*github.com/gotd/td/tg.MessagesGetFeaturedEmojiStickersRequest
*github.com/gotd/td/tg.MessagesGetFeaturedStickersRequest
*github.com/gotd/td/tg.MessagesGetFullChatRequest
*github.com/gotd/td/tg.MessagesGetGameHighScoresRequest
*github.com/gotd/td/tg.MessagesGetHistoryRequest
*github.com/gotd/td/tg.MessagesGetInlineBotResultsRequest
*github.com/gotd/td/tg.MessagesGetInlineGameHighScoresRequest
*github.com/gotd/td/tg.MessagesGetMaskStickersRequest
*github.com/gotd/td/tg.MessagesGetMessageEditDataRequest
*github.com/gotd/td/tg.MessagesGetMessageReactionsListRequest
*github.com/gotd/td/tg.MessagesGetMessageReadParticipantsRequest
*github.com/gotd/td/tg.MessagesGetMessagesReactionsRequest
*github.com/gotd/td/tg.MessagesGetMessagesRequest
*github.com/gotd/td/tg.MessagesGetMessagesViewsRequest
*github.com/gotd/td/tg.MessagesGetOldFeaturedStickersRequest
*github.com/gotd/td/tg.MessagesGetOnlinesRequest
*github.com/gotd/td/tg.MessagesGetPeerDialogsRequest
*github.com/gotd/td/tg.MessagesGetPeerSettingsRequest
*github.com/gotd/td/tg.MessagesGetPinnedDialogsRequest
*github.com/gotd/td/tg.MessagesGetPollResultsRequest
*github.com/gotd/td/tg.MessagesGetPollVotesRequest
*github.com/gotd/td/tg.MessagesGetRecentLocationsRequest
*github.com/gotd/td/tg.MessagesGetRecentReactionsRequest
*github.com/gotd/td/tg.MessagesGetRecentStickersRequest
*github.com/gotd/td/tg.MessagesGetRepliesRequest
*github.com/gotd/td/tg.MessagesGetSavedGifsRequest
*github.com/gotd/td/tg.MessagesGetScheduledHistoryRequest
*github.com/gotd/td/tg.MessagesGetScheduledMessagesRequest
*github.com/gotd/td/tg.MessagesGetSearchCountersRequest
*github.com/gotd/td/tg.MessagesGetSearchResultsCalendarRequest
*github.com/gotd/td/tg.MessagesGetSearchResultsPositionsRequest
*github.com/gotd/td/tg.MessagesGetSplitRangesRequest
*github.com/gotd/td/tg.MessagesGetStickerSetRequest
*github.com/gotd/td/tg.MessagesGetStickersRequest
*github.com/gotd/td/tg.MessagesGetSuggestedDialogFiltersRequest
*github.com/gotd/td/tg.MessagesGetTopReactionsRequest
*github.com/gotd/td/tg.MessagesGetUnreadMentionsRequest
*github.com/gotd/td/tg.MessagesGetUnreadReactionsRequest
*github.com/gotd/td/tg.MessagesGetWebPagePreviewRequest
*github.com/gotd/td/tg.MessagesGetWebPageRequest
*github.com/gotd/td/tg.MessagesHideAllChatJoinRequestsRequest
*github.com/gotd/td/tg.MessagesHideChatJoinRequestRequest
*github.com/gotd/td/tg.MessagesHidePeerSettingsBarRequest
*github.com/gotd/td/tg.MessagesHighScores
*github.com/gotd/td/tg.MessagesHistoryImport
*github.com/gotd/td/tg.MessagesHistoryImportParsed
*github.com/gotd/td/tg.MessagesImportChatInviteRequest
*github.com/gotd/td/tg.MessagesInactiveChats
*github.com/gotd/td/tg.MessagesInitHistoryImportRequest
*github.com/gotd/td/tg.MessagesInstallStickerSetRequest
*github.com/gotd/td/tg.MessagesMarkDialogUnreadRequest
*github.com/gotd/td/tg.MessagesMessageEditData
*github.com/gotd/td/tg.MessagesMessageReactionsList
*github.com/gotd/td/tg.MessagesMessages
github.com/gotd/td/tg.MessagesMessagesClass (interface)
*github.com/gotd/td/tg.MessagesMessagesNotModified
*github.com/gotd/td/tg.MessagesMessagesSlice
*github.com/gotd/td/tg.MessagesMessageViews
*github.com/gotd/td/tg.MessagesMigrateChatRequest
*github.com/gotd/td/tg.MessagesPeerDialogs
*github.com/gotd/td/tg.MessagesPeerSettings
*github.com/gotd/td/tg.MessagesProlongWebViewRequest
*github.com/gotd/td/tg.MessagesRateTranscribedAudioRequest
*github.com/gotd/td/tg.MessagesReactions
github.com/gotd/td/tg.MessagesReactionsClass (interface)
*github.com/gotd/td/tg.MessagesReactionsNotModified
*github.com/gotd/td/tg.MessagesReadDiscussionRequest
*github.com/gotd/td/tg.MessagesReadEncryptedHistoryRequest
*github.com/gotd/td/tg.MessagesReadFeaturedStickersRequest
*github.com/gotd/td/tg.MessagesReadHistoryRequest
*github.com/gotd/td/tg.MessagesReadMentionsRequest
*github.com/gotd/td/tg.MessagesReadMessageContentsRequest
*github.com/gotd/td/tg.MessagesReadReactionsRequest
*github.com/gotd/td/tg.MessagesReceivedMessagesRequest
*github.com/gotd/td/tg.MessagesReceivedQueueRequest
*github.com/gotd/td/tg.MessagesRecentStickers
github.com/gotd/td/tg.MessagesRecentStickersClass (interface)
*github.com/gotd/td/tg.MessagesRecentStickersNotModified
*github.com/gotd/td/tg.MessagesReorderPinnedDialogsRequest
*github.com/gotd/td/tg.MessagesReorderStickerSetsRequest
*github.com/gotd/td/tg.MessagesReportEncryptedSpamRequest
*github.com/gotd/td/tg.MessagesReportReactionRequest
*github.com/gotd/td/tg.MessagesReportRequest
*github.com/gotd/td/tg.MessagesReportSpamRequest
*github.com/gotd/td/tg.MessagesRequestAppWebViewRequest
*github.com/gotd/td/tg.MessagesRequestEncryptionRequest
*github.com/gotd/td/tg.MessagesRequestSimpleWebViewRequest
*github.com/gotd/td/tg.MessagesRequestURLAuthRequest
*github.com/gotd/td/tg.MessagesRequestWebViewRequest
*github.com/gotd/td/tg.MessagesSaveDefaultSendAsRequest
*github.com/gotd/td/tg.MessagesSaveDraftRequest
*github.com/gotd/td/tg.MessagesSavedGifs
github.com/gotd/td/tg.MessagesSavedGifsClass (interface)
*github.com/gotd/td/tg.MessagesSavedGifsNotModified
*github.com/gotd/td/tg.MessagesSaveGifRequest
*github.com/gotd/td/tg.MessagesSaveRecentStickerRequest
*github.com/gotd/td/tg.MessagesSearchCounter
*github.com/gotd/td/tg.MessagesSearchCounterVector
*github.com/gotd/td/tg.MessagesSearchCustomEmojiRequest
*github.com/gotd/td/tg.MessagesSearchEmojiStickerSetsRequest
*github.com/gotd/td/tg.MessagesSearchGlobalRequest
*github.com/gotd/td/tg.MessagesSearchRequest
*github.com/gotd/td/tg.MessagesSearchResultsCalendar
*github.com/gotd/td/tg.MessagesSearchResultsPositions
*github.com/gotd/td/tg.MessagesSearchSentMediaRequest
*github.com/gotd/td/tg.MessagesSearchStickerSetsRequest
*github.com/gotd/td/tg.MessagesSendBotRequestedPeerRequest
*github.com/gotd/td/tg.MessagesSendEncryptedFileRequest
*github.com/gotd/td/tg.MessagesSendEncryptedRequest
*github.com/gotd/td/tg.MessagesSendEncryptedServiceRequest
*github.com/gotd/td/tg.MessagesSendInlineBotResultRequest
*github.com/gotd/td/tg.MessagesSendMediaRequest
*github.com/gotd/td/tg.MessagesSendMessageRequest
*github.com/gotd/td/tg.MessagesSendMultiMediaRequest
*github.com/gotd/td/tg.MessagesSendReactionRequest
*github.com/gotd/td/tg.MessagesSendScheduledMessagesRequest
*github.com/gotd/td/tg.MessagesSendScreenshotNotificationRequest
*github.com/gotd/td/tg.MessagesSendVoteRequest
*github.com/gotd/td/tg.MessagesSendWebViewDataRequest
*github.com/gotd/td/tg.MessagesSendWebViewResultMessageRequest
*github.com/gotd/td/tg.MessagesSentEncryptedFile
*github.com/gotd/td/tg.MessagesSentEncryptedMessage
github.com/gotd/td/tg.MessagesSentEncryptedMessageClass (interface)
*github.com/gotd/td/tg.MessagesSetBotCallbackAnswerRequest
*github.com/gotd/td/tg.MessagesSetBotPrecheckoutResultsRequest
*github.com/gotd/td/tg.MessagesSetBotShippingResultsRequest
*github.com/gotd/td/tg.MessagesSetChatAvailableReactionsRequest
*github.com/gotd/td/tg.MessagesSetChatThemeRequest
*github.com/gotd/td/tg.MessagesSetChatWallPaperRequest
*github.com/gotd/td/tg.MessagesSetDefaultHistoryTTLRequest
*github.com/gotd/td/tg.MessagesSetDefaultReactionRequest
*github.com/gotd/td/tg.MessagesSetEncryptedTypingRequest
*github.com/gotd/td/tg.MessagesSetGameScoreRequest
*github.com/gotd/td/tg.MessagesSetHistoryTTLRequest
*github.com/gotd/td/tg.MessagesSetInlineBotResultsRequest
*github.com/gotd/td/tg.MessagesSetInlineGameScoreRequest
*github.com/gotd/td/tg.MessagesSetTypingRequest
*github.com/gotd/td/tg.MessagesSponsoredMessages
github.com/gotd/td/tg.MessagesSponsoredMessagesClass (interface)
*github.com/gotd/td/tg.MessagesSponsoredMessagesEmpty
*github.com/gotd/td/tg.MessagesStartBotRequest
*github.com/gotd/td/tg.MessagesStartHistoryImportRequest
*github.com/gotd/td/tg.MessagesStickerSet
github.com/gotd/td/tg.MessagesStickerSetClass (interface)
*github.com/gotd/td/tg.MessagesStickerSetInstallResultArchive
github.com/gotd/td/tg.MessagesStickerSetInstallResultClass (interface)
*github.com/gotd/td/tg.MessagesStickerSetInstallResultSuccess
*github.com/gotd/td/tg.MessagesStickerSetNotModified
*github.com/gotd/td/tg.MessagesStickers
github.com/gotd/td/tg.MessagesStickersClass (interface)
*github.com/gotd/td/tg.MessagesStickersNotModified
*github.com/gotd/td/tg.MessagesToggleBotInAttachMenuRequest
*github.com/gotd/td/tg.MessagesToggleDialogPinRequest
*github.com/gotd/td/tg.MessagesToggleNoForwardsRequest
*github.com/gotd/td/tg.MessagesTogglePeerTranslationsRequest
*github.com/gotd/td/tg.MessagesToggleStickerSetsRequest
*github.com/gotd/td/tg.MessagesTranscribeAudioRequest
*github.com/gotd/td/tg.MessagesTranscribedAudio
*github.com/gotd/td/tg.MessagesTranslateResult
*github.com/gotd/td/tg.MessagesTranslateTextRequest
*github.com/gotd/td/tg.MessagesUninstallStickerSetRequest
*github.com/gotd/td/tg.MessagesUnpinAllMessagesRequest
*github.com/gotd/td/tg.MessagesUpdateDialogFilterRequest
*github.com/gotd/td/tg.MessagesUpdateDialogFiltersOrderRequest
*github.com/gotd/td/tg.MessagesUpdatePinnedMessageRequest
*github.com/gotd/td/tg.MessagesUploadEncryptedFileRequest
*github.com/gotd/td/tg.MessagesUploadImportedMediaRequest
*github.com/gotd/td/tg.MessagesUploadMediaRequest
*github.com/gotd/td/tg.MessagesVotesList
*github.com/gotd/td/tg.MessagesWebPage
*github.com/gotd/td/tg.MessageViews
github.com/gotd/td/tg.ModifiedMessagesDialogs (interface)
github.com/gotd/td/tg.ModifiedMessagesMessages (interface)
github.com/gotd/td/tg.ModifiedWebPage (interface)
*github.com/gotd/td/tg.MyBoost
*github.com/gotd/td/tg.NearestDC
github.com/gotd/td/tg.NotEmptyChat (interface)
github.com/gotd/td/tg.NotEmptyEmojiStatus (interface)
github.com/gotd/td/tg.NotEmptyEncryptedChat (interface)
github.com/gotd/td/tg.NotEmptyInputChannel (interface)
github.com/gotd/td/tg.NotEmptyInputEncryptedFile (interface)
github.com/gotd/td/tg.NotEmptyMessage (interface)
github.com/gotd/td/tg.NotEmptyPhoneCall (interface)
github.com/gotd/td/tg.NotEmptyPhotoSize (interface)
github.com/gotd/td/tg.NotEmptyUpdatesChannelDifference (interface)
github.com/gotd/td/tg.NotForbiddenChat (interface)
github.com/gotd/td/tg.NotificationSoundClass (interface)
*github.com/gotd/td/tg.NotificationSoundDefault
*github.com/gotd/td/tg.NotificationSoundLocal
*github.com/gotd/td/tg.NotificationSoundNone
*github.com/gotd/td/tg.NotificationSoundRingtone
*github.com/gotd/td/tg.NotifyBroadcasts
*github.com/gotd/td/tg.NotifyChats
*github.com/gotd/td/tg.NotifyForumTopic
*github.com/gotd/td/tg.NotifyPeer
github.com/gotd/td/tg.NotifyPeerClass (interface)
*github.com/gotd/td/tg.NotifyUsers
*github.com/gotd/td/tg.Null
*github.com/gotd/td/tg.Page
*github.com/gotd/td/tg.PageBlockAnchor
*github.com/gotd/td/tg.PageBlockAudio
*github.com/gotd/td/tg.PageBlockAuthorDate
*github.com/gotd/td/tg.PageBlockBlockquote
*github.com/gotd/td/tg.PageBlockChannel
github.com/gotd/td/tg.PageBlockClass (interface)
*github.com/gotd/td/tg.PageBlockCollage
*github.com/gotd/td/tg.PageBlockCover
*github.com/gotd/td/tg.PageBlockDetails
*github.com/gotd/td/tg.PageBlockDivider
*github.com/gotd/td/tg.PageBlockEmbed
*github.com/gotd/td/tg.PageBlockEmbedPost
*github.com/gotd/td/tg.PageBlockFooter
*github.com/gotd/td/tg.PageBlockHeader
*github.com/gotd/td/tg.PageBlockKicker
*github.com/gotd/td/tg.PageBlockList
*github.com/gotd/td/tg.PageBlockMap
*github.com/gotd/td/tg.PageBlockOrderedList
*github.com/gotd/td/tg.PageBlockParagraph
*github.com/gotd/td/tg.PageBlockPhoto
*github.com/gotd/td/tg.PageBlockPreformatted
*github.com/gotd/td/tg.PageBlockPullquote
*github.com/gotd/td/tg.PageBlockRelatedArticles
*github.com/gotd/td/tg.PageBlockSlideshow
*github.com/gotd/td/tg.PageBlockSubheader
*github.com/gotd/td/tg.PageBlockSubtitle
*github.com/gotd/td/tg.PageBlockTable
*github.com/gotd/td/tg.PageBlockTitle
*github.com/gotd/td/tg.PageBlockUnsupported
*github.com/gotd/td/tg.PageBlockVideo
*github.com/gotd/td/tg.PageCaption
*github.com/gotd/td/tg.PageListItemBlocks
github.com/gotd/td/tg.PageListItemClass (interface)
*github.com/gotd/td/tg.PageListItemText
*github.com/gotd/td/tg.PageListOrderedItemBlocks
github.com/gotd/td/tg.PageListOrderedItemClass (interface)
*github.com/gotd/td/tg.PageListOrderedItemText
*github.com/gotd/td/tg.PageRelatedArticle
*github.com/gotd/td/tg.PageTableCell
*github.com/gotd/td/tg.PageTableRow
github.com/gotd/td/tg.PasswordKdfAlgoClass (interface)
*github.com/gotd/td/tg.PasswordKdfAlgoSHA256SHA256PBKDF2HMACSHA512iter100000SHA256ModPow
*github.com/gotd/td/tg.PasswordKdfAlgoUnknown
*github.com/gotd/td/tg.PaymentCharge
*github.com/gotd/td/tg.PaymentFormMethod
*github.com/gotd/td/tg.PaymentRequestedInfo
*github.com/gotd/td/tg.PaymentSavedCredentialsCard
*github.com/gotd/td/tg.PaymentsApplyGiftCodeRequest
*github.com/gotd/td/tg.PaymentsAssignAppStoreTransactionRequest
*github.com/gotd/td/tg.PaymentsAssignPlayMarketTransactionRequest
*github.com/gotd/td/tg.PaymentsBankCardData
*github.com/gotd/td/tg.PaymentsCanPurchasePremiumRequest
*github.com/gotd/td/tg.PaymentsCheckedGiftCode
*github.com/gotd/td/tg.PaymentsCheckGiftCodeRequest
*github.com/gotd/td/tg.PaymentsClearSavedInfoRequest
*github.com/gotd/td/tg.PaymentsExportedInvoice
*github.com/gotd/td/tg.PaymentsExportInvoiceRequest
*github.com/gotd/td/tg.PaymentsGetBankCardDataRequest
*github.com/gotd/td/tg.PaymentsGetGiveawayInfoRequest
*github.com/gotd/td/tg.PaymentsGetPaymentFormRequest
*github.com/gotd/td/tg.PaymentsGetPaymentReceiptRequest
*github.com/gotd/td/tg.PaymentsGetPremiumGiftCodeOptionsRequest
*github.com/gotd/td/tg.PaymentsGetSavedInfoRequest
*github.com/gotd/td/tg.PaymentsGiveawayInfo
github.com/gotd/td/tg.PaymentsGiveawayInfoClass (interface)
*github.com/gotd/td/tg.PaymentsGiveawayInfoResults
*github.com/gotd/td/tg.PaymentsLaunchPrepaidGiveawayRequest
*github.com/gotd/td/tg.PaymentsPaymentForm
*github.com/gotd/td/tg.PaymentsPaymentReceipt
*github.com/gotd/td/tg.PaymentsPaymentResult
github.com/gotd/td/tg.PaymentsPaymentResultClass (interface)
*github.com/gotd/td/tg.PaymentsPaymentVerificationNeeded
*github.com/gotd/td/tg.PaymentsSavedInfo
*github.com/gotd/td/tg.PaymentsSendPaymentFormRequest
*github.com/gotd/td/tg.PaymentsValidatedRequestedInfo
*github.com/gotd/td/tg.PaymentsValidateRequestedInfoRequest
*github.com/gotd/td/tg.PeerBlocked
*github.com/gotd/td/tg.PeerChannel
*github.com/gotd/td/tg.PeerChat
github.com/gotd/td/tg.PeerClass (interface)
*github.com/gotd/td/tg.PeerClassVector
*github.com/gotd/td/tg.PeerColor
*github.com/gotd/td/tg.PeerLocated
github.com/gotd/td/tg.PeerLocatedClass (interface)
*github.com/gotd/td/tg.PeerNotifySettings
*github.com/gotd/td/tg.PeerSelfLocated
*github.com/gotd/td/tg.PeerSettings
*github.com/gotd/td/tg.PeerStories
*github.com/gotd/td/tg.PeerUser
*github.com/gotd/td/tg.PhoneAcceptCallRequest
*github.com/gotd/td/tg.PhoneCall
*github.com/gotd/td/tg.PhoneCallAccepted
github.com/gotd/td/tg.PhoneCallClass (interface)
*github.com/gotd/td/tg.PhoneCallDiscarded
*github.com/gotd/td/tg.PhoneCallDiscardReasonBusy
github.com/gotd/td/tg.PhoneCallDiscardReasonClass (interface)
*github.com/gotd/td/tg.PhoneCallDiscardReasonDisconnect
*github.com/gotd/td/tg.PhoneCallDiscardReasonHangup
*github.com/gotd/td/tg.PhoneCallDiscardReasonMissed
*github.com/gotd/td/tg.PhoneCallEmpty
*github.com/gotd/td/tg.PhoneCallProtocol
*github.com/gotd/td/tg.PhoneCallRequested
*github.com/gotd/td/tg.PhoneCallWaiting
*github.com/gotd/td/tg.PhoneCheckGroupCallRequest
*github.com/gotd/td/tg.PhoneConfirmCallRequest
*github.com/gotd/td/tg.PhoneConnection
github.com/gotd/td/tg.PhoneConnectionClass (interface)
*github.com/gotd/td/tg.PhoneConnectionWebrtc
*github.com/gotd/td/tg.PhoneCreateGroupCallRequest
*github.com/gotd/td/tg.PhoneDiscardCallRequest
*github.com/gotd/td/tg.PhoneDiscardGroupCallRequest
*github.com/gotd/td/tg.PhoneEditGroupCallParticipantRequest
*github.com/gotd/td/tg.PhoneEditGroupCallTitleRequest
*github.com/gotd/td/tg.PhoneExportedGroupCallInvite
*github.com/gotd/td/tg.PhoneExportGroupCallInviteRequest
*github.com/gotd/td/tg.PhoneGetCallConfigRequest
*github.com/gotd/td/tg.PhoneGetGroupCallJoinAsRequest
*github.com/gotd/td/tg.PhoneGetGroupCallRequest
*github.com/gotd/td/tg.PhoneGetGroupCallStreamChannelsRequest
*github.com/gotd/td/tg.PhoneGetGroupCallStreamRtmpURLRequest
*github.com/gotd/td/tg.PhoneGetGroupParticipantsRequest
*github.com/gotd/td/tg.PhoneGroupCall
*github.com/gotd/td/tg.PhoneGroupCallStreamChannels
*github.com/gotd/td/tg.PhoneGroupCallStreamRtmpURL
*github.com/gotd/td/tg.PhoneGroupParticipants
*github.com/gotd/td/tg.PhoneInviteToGroupCallRequest
*github.com/gotd/td/tg.PhoneJoinAsPeers
*github.com/gotd/td/tg.PhoneJoinGroupCallPresentationRequest
*github.com/gotd/td/tg.PhoneJoinGroupCallRequest
*github.com/gotd/td/tg.PhoneLeaveGroupCallPresentationRequest
*github.com/gotd/td/tg.PhoneLeaveGroupCallRequest
*github.com/gotd/td/tg.PhonePhoneCall
*github.com/gotd/td/tg.PhoneReceivedCallRequest
*github.com/gotd/td/tg.PhoneRequestCallRequest
*github.com/gotd/td/tg.PhoneSaveCallDebugRequest
*github.com/gotd/td/tg.PhoneSaveCallLogRequest
*github.com/gotd/td/tg.PhoneSaveDefaultGroupCallJoinAsRequest
*github.com/gotd/td/tg.PhoneSendSignalingDataRequest
*github.com/gotd/td/tg.PhoneSetCallRatingRequest
*github.com/gotd/td/tg.PhoneStartScheduledGroupCallRequest
*github.com/gotd/td/tg.PhoneToggleGroupCallRecordRequest
*github.com/gotd/td/tg.PhoneToggleGroupCallSettingsRequest
*github.com/gotd/td/tg.PhoneToggleGroupCallStartSubscriptionRequest
*github.com/gotd/td/tg.Photo
*github.com/gotd/td/tg.PhotoCachedSize
github.com/gotd/td/tg.PhotoClass (interface)
*github.com/gotd/td/tg.PhotoEmpty
*github.com/gotd/td/tg.PhotoPathSize
*github.com/gotd/td/tg.PhotoSize
github.com/gotd/td/tg.PhotoSizeClass (interface)
*github.com/gotd/td/tg.PhotoSizeEmpty
*github.com/gotd/td/tg.PhotoSizeProgressive
*github.com/gotd/td/tg.PhotoStrippedSize
*github.com/gotd/td/tg.PhotosDeletePhotosRequest
*github.com/gotd/td/tg.PhotosGetUserPhotosRequest
*github.com/gotd/td/tg.PhotosPhoto
*github.com/gotd/td/tg.PhotosPhotos
github.com/gotd/td/tg.PhotosPhotosClass (interface)
*github.com/gotd/td/tg.PhotosPhotosSlice
*github.com/gotd/td/tg.PhotosUpdateProfilePhotoRequest
*github.com/gotd/td/tg.PhotosUploadContactProfilePhotoRequest
*github.com/gotd/td/tg.PhotosUploadProfilePhotoRequest
*github.com/gotd/td/tg.Poll
*github.com/gotd/td/tg.PollAnswer
*github.com/gotd/td/tg.PollAnswerVoters
*github.com/gotd/td/tg.PollResults
*github.com/gotd/td/tg.PopularContact
*github.com/gotd/td/tg.PostAddress
github.com/gotd/td/tg.PostInteractionCountersClass (interface)
*github.com/gotd/td/tg.PostInteractionCountersMessage
*github.com/gotd/td/tg.PostInteractionCountersStory
*github.com/gotd/td/tg.PremiumApplyBoostRequest
*github.com/gotd/td/tg.PremiumBoostsList
*github.com/gotd/td/tg.PremiumBoostsStatus
*github.com/gotd/td/tg.PremiumGetBoostsListRequest
*github.com/gotd/td/tg.PremiumGetBoostsStatusRequest
*github.com/gotd/td/tg.PremiumGetMyBoostsRequest
*github.com/gotd/td/tg.PremiumGetUserBoostsRequest
*github.com/gotd/td/tg.PremiumGiftCodeOption
*github.com/gotd/td/tg.PremiumGiftCodeOptionVector
*github.com/gotd/td/tg.PremiumGiftOption
*github.com/gotd/td/tg.PremiumMyBoosts
*github.com/gotd/td/tg.PremiumSubscriptionOption
*github.com/gotd/td/tg.PrepaidGiveaway
*github.com/gotd/td/tg.PrivacyKeyAbout
*github.com/gotd/td/tg.PrivacyKeyAddedByPhone
*github.com/gotd/td/tg.PrivacyKeyChatInvite
github.com/gotd/td/tg.PrivacyKeyClass (interface)
*github.com/gotd/td/tg.PrivacyKeyForwards
*github.com/gotd/td/tg.PrivacyKeyPhoneCall
*github.com/gotd/td/tg.PrivacyKeyPhoneNumber
*github.com/gotd/td/tg.PrivacyKeyPhoneP2P
*github.com/gotd/td/tg.PrivacyKeyProfilePhoto
*github.com/gotd/td/tg.PrivacyKeyStatusTimestamp
*github.com/gotd/td/tg.PrivacyKeyVoiceMessages
github.com/gotd/td/tg.PrivacyRuleClass (interface)
*github.com/gotd/td/tg.PrivacyValueAllowAll
*github.com/gotd/td/tg.PrivacyValueAllowChatParticipants
*github.com/gotd/td/tg.PrivacyValueAllowCloseFriends
*github.com/gotd/td/tg.PrivacyValueAllowContacts
*github.com/gotd/td/tg.PrivacyValueAllowUsers
*github.com/gotd/td/tg.PrivacyValueDisallowAll
*github.com/gotd/td/tg.PrivacyValueDisallowChatParticipants
*github.com/gotd/td/tg.PrivacyValueDisallowContacts
*github.com/gotd/td/tg.PrivacyValueDisallowUsers
github.com/gotd/td/tg.PublicForwardClass (interface)
*github.com/gotd/td/tg.PublicForwardMessage
*github.com/gotd/td/tg.PublicForwardStory
github.com/gotd/td/tg.ReactionClass (interface)
*github.com/gotd/td/tg.ReactionCount
*github.com/gotd/td/tg.ReactionCustomEmoji
*github.com/gotd/td/tg.ReactionEmoji
*github.com/gotd/td/tg.ReactionEmpty
*github.com/gotd/td/tg.ReadParticipantDate
*github.com/gotd/td/tg.ReadParticipantDateVector
*github.com/gotd/td/tg.ReceivedNotifyMessage
*github.com/gotd/td/tg.ReceivedNotifyMessageVector
*github.com/gotd/td/tg.RecentMeURLChat
*github.com/gotd/td/tg.RecentMeURLChatInvite
github.com/gotd/td/tg.RecentMeURLClass (interface)
*github.com/gotd/td/tg.RecentMeURLStickerSet
*github.com/gotd/td/tg.RecentMeURLUnknown
*github.com/gotd/td/tg.RecentMeURLUser
*github.com/gotd/td/tg.ReplyInlineMarkup
*github.com/gotd/td/tg.ReplyKeyboardForceReply
*github.com/gotd/td/tg.ReplyKeyboardHide
*github.com/gotd/td/tg.ReplyKeyboardMarkup
github.com/gotd/td/tg.ReplyMarkupClass (interface)
github.com/gotd/td/tg.ReportReasonClass (interface)
*github.com/gotd/td/tg.RequestPeerTypeBroadcast
*github.com/gotd/td/tg.RequestPeerTypeChat
github.com/gotd/td/tg.RequestPeerTypeClass (interface)
*github.com/gotd/td/tg.RequestPeerTypeUser
*github.com/gotd/td/tg.RestrictionReason
github.com/gotd/td/tg.RichTextClass (interface)
*github.com/gotd/td/tg.SavedPhoneContact
*github.com/gotd/td/tg.SavedPhoneContactVector
*github.com/gotd/td/tg.SearchResultPosition
*github.com/gotd/td/tg.SearchResultsCalendarPeriod
*github.com/gotd/td/tg.SecureCredentialsEncrypted
*github.com/gotd/td/tg.SecureData
*github.com/gotd/td/tg.SecureFile
github.com/gotd/td/tg.SecureFileClass (interface)
*github.com/gotd/td/tg.SecureFileEmpty
github.com/gotd/td/tg.SecurePasswordKdfAlgoClass (interface)
*github.com/gotd/td/tg.SecurePasswordKdfAlgoPBKDF2HMACSHA512iter100000
*github.com/gotd/td/tg.SecurePasswordKdfAlgoSHA512
*github.com/gotd/td/tg.SecurePasswordKdfAlgoUnknown
github.com/gotd/td/tg.SecurePlainDataClass (interface)
*github.com/gotd/td/tg.SecurePlainEmail
*github.com/gotd/td/tg.SecurePlainPhone
*github.com/gotd/td/tg.SecureRequiredType
github.com/gotd/td/tg.SecureRequiredTypeClass (interface)
*github.com/gotd/td/tg.SecureRequiredTypeOneOf
*github.com/gotd/td/tg.SecureSecretSettings
*github.com/gotd/td/tg.SecureValue
*github.com/gotd/td/tg.SecureValueError
github.com/gotd/td/tg.SecureValueErrorClass (interface)
*github.com/gotd/td/tg.SecureValueErrorData
*github.com/gotd/td/tg.SecureValueErrorFile
*github.com/gotd/td/tg.SecureValueErrorFiles
*github.com/gotd/td/tg.SecureValueErrorFrontSide
*github.com/gotd/td/tg.SecureValueErrorReverseSide
*github.com/gotd/td/tg.SecureValueErrorSelfie
*github.com/gotd/td/tg.SecureValueErrorTranslationFile
*github.com/gotd/td/tg.SecureValueErrorTranslationFiles
*github.com/gotd/td/tg.SecureValueHash
*github.com/gotd/td/tg.SecureValueTypeAddress
*github.com/gotd/td/tg.SecureValueTypeBankStatement
github.com/gotd/td/tg.SecureValueTypeClass (interface)
*github.com/gotd/td/tg.SecureValueTypeDriverLicense
*github.com/gotd/td/tg.SecureValueTypeEmail
*github.com/gotd/td/tg.SecureValueTypeIdentityCard
*github.com/gotd/td/tg.SecureValueTypeInternalPassport
*github.com/gotd/td/tg.SecureValueTypePassport
*github.com/gotd/td/tg.SecureValueTypePassportRegistration
*github.com/gotd/td/tg.SecureValueTypePersonalDetails
*github.com/gotd/td/tg.SecureValueTypePhone
*github.com/gotd/td/tg.SecureValueTypeRentalAgreement
*github.com/gotd/td/tg.SecureValueTypeTemporaryRegistration
*github.com/gotd/td/tg.SecureValueTypeUtilityBill
*github.com/gotd/td/tg.SecureValueVector
*github.com/gotd/td/tg.SendAsPeer
github.com/gotd/td/tg.SendMessageActionClass (interface)
*github.com/gotd/td/tg.SendMessageCancelAction
*github.com/gotd/td/tg.SendMessageChooseContactAction
*github.com/gotd/td/tg.SendMessageChooseStickerAction
*github.com/gotd/td/tg.SendMessageEmojiInteraction
*github.com/gotd/td/tg.SendMessageEmojiInteractionSeen
*github.com/gotd/td/tg.SendMessageGamePlayAction
*github.com/gotd/td/tg.SendMessageGeoLocationAction
*github.com/gotd/td/tg.SendMessageHistoryImportAction
*github.com/gotd/td/tg.SendMessageRecordAudioAction
*github.com/gotd/td/tg.SendMessageRecordRoundAction
*github.com/gotd/td/tg.SendMessageRecordVideoAction
*github.com/gotd/td/tg.SendMessageTypingAction
*github.com/gotd/td/tg.SendMessageUploadAudioAction
*github.com/gotd/td/tg.SendMessageUploadDocumentAction
*github.com/gotd/td/tg.SendMessageUploadPhotoAction
*github.com/gotd/td/tg.SendMessageUploadRoundAction
*github.com/gotd/td/tg.SendMessageUploadVideoAction
*github.com/gotd/td/tg.ShippingOption
*github.com/gotd/td/tg.SimpleWebViewResultURL
*github.com/gotd/td/tg.SpeakingInGroupCallAction
*github.com/gotd/td/tg.SponsoredMessage
*github.com/gotd/td/tg.SponsoredWebPage
*github.com/gotd/td/tg.StatsAbsValueAndPrev
*github.com/gotd/td/tg.StatsBroadcastStats
*github.com/gotd/td/tg.StatsDateRangeDays
*github.com/gotd/td/tg.StatsGetBroadcastStatsRequest
*github.com/gotd/td/tg.StatsGetMegagroupStatsRequest
*github.com/gotd/td/tg.StatsGetMessagePublicForwardsRequest
*github.com/gotd/td/tg.StatsGetMessageStatsRequest
*github.com/gotd/td/tg.StatsGetStoryPublicForwardsRequest
*github.com/gotd/td/tg.StatsGetStoryStatsRequest
*github.com/gotd/td/tg.StatsGraph
*github.com/gotd/td/tg.StatsGraphAsync
github.com/gotd/td/tg.StatsGraphClass (interface)
*github.com/gotd/td/tg.StatsGraphError
*github.com/gotd/td/tg.StatsGroupTopAdmin
*github.com/gotd/td/tg.StatsGroupTopInviter
*github.com/gotd/td/tg.StatsGroupTopPoster
*github.com/gotd/td/tg.StatsLoadAsyncGraphRequest
*github.com/gotd/td/tg.StatsMegagroupStats
*github.com/gotd/td/tg.StatsMessageStats
*github.com/gotd/td/tg.StatsPercentValue
*github.com/gotd/td/tg.StatsPublicForwards
*github.com/gotd/td/tg.StatsStoryStats
*github.com/gotd/td/tg.StatsURL
*github.com/gotd/td/tg.StickerKeyword
*github.com/gotd/td/tg.StickerPack
*github.com/gotd/td/tg.StickerSet
*github.com/gotd/td/tg.StickerSetCovered
github.com/gotd/td/tg.StickerSetCoveredClass (interface)
*github.com/gotd/td/tg.StickerSetCoveredClassVector
*github.com/gotd/td/tg.StickerSetFullCovered
*github.com/gotd/td/tg.StickerSetMultiCovered
*github.com/gotd/td/tg.StickerSetNoCovered
*github.com/gotd/td/tg.StickersAddStickerToSetRequest
*github.com/gotd/td/tg.StickersChangeStickerPositionRequest
*github.com/gotd/td/tg.StickersChangeStickerRequest
*github.com/gotd/td/tg.StickersCheckShortNameRequest
*github.com/gotd/td/tg.StickersCreateStickerSetRequest
*github.com/gotd/td/tg.StickersDeleteStickerSetRequest
*github.com/gotd/td/tg.StickersRemoveStickerFromSetRequest
*github.com/gotd/td/tg.StickersRenameStickerSetRequest
*github.com/gotd/td/tg.StickersSetStickerSetThumbRequest
*github.com/gotd/td/tg.StickersSuggestedShortName
*github.com/gotd/td/tg.StickersSuggestShortNameRequest
*github.com/gotd/td/tg.StorageFileGif
*github.com/gotd/td/tg.StorageFileJpeg
*github.com/gotd/td/tg.StorageFileMov
*github.com/gotd/td/tg.StorageFileMp3
*github.com/gotd/td/tg.StorageFileMp4
*github.com/gotd/td/tg.StorageFilePartial
*github.com/gotd/td/tg.StorageFilePdf
*github.com/gotd/td/tg.StorageFilePng
github.com/gotd/td/tg.StorageFileTypeClass (interface)
*github.com/gotd/td/tg.StorageFileUnknown
*github.com/gotd/td/tg.StorageFileWebp
*github.com/gotd/td/tg.StoriesActivateStealthModeRequest
*github.com/gotd/td/tg.StoriesAllStories
github.com/gotd/td/tg.StoriesAllStoriesClass (interface)
*github.com/gotd/td/tg.StoriesAllStoriesNotModified
*github.com/gotd/td/tg.StoriesCanSendStoryRequest
*github.com/gotd/td/tg.StoriesDeleteStoriesRequest
*github.com/gotd/td/tg.StoriesEditStoryRequest
*github.com/gotd/td/tg.StoriesExportStoryLinkRequest
*github.com/gotd/td/tg.StoriesGetAllReadPeerStoriesRequest
*github.com/gotd/td/tg.StoriesGetAllStoriesRequest
*github.com/gotd/td/tg.StoriesGetChatsToSendRequest
*github.com/gotd/td/tg.StoriesGetPeerMaxIDsRequest
*github.com/gotd/td/tg.StoriesGetPeerStoriesRequest
*github.com/gotd/td/tg.StoriesGetPinnedStoriesRequest
*github.com/gotd/td/tg.StoriesGetStoriesArchiveRequest
*github.com/gotd/td/tg.StoriesGetStoriesByIDRequest
*github.com/gotd/td/tg.StoriesGetStoriesViewsRequest
*github.com/gotd/td/tg.StoriesGetStoryReactionsListRequest
*github.com/gotd/td/tg.StoriesGetStoryViewsListRequest
*github.com/gotd/td/tg.StoriesIncrementStoryViewsRequest
*github.com/gotd/td/tg.StoriesPeerStories
*github.com/gotd/td/tg.StoriesReadStoriesRequest
*github.com/gotd/td/tg.StoriesReportRequest
*github.com/gotd/td/tg.StoriesSendReactionRequest
*github.com/gotd/td/tg.StoriesSendStoryRequest
*github.com/gotd/td/tg.StoriesStealthMode
*github.com/gotd/td/tg.StoriesStories
*github.com/gotd/td/tg.StoriesStoryReactionsList
*github.com/gotd/td/tg.StoriesStoryViews
*github.com/gotd/td/tg.StoriesStoryViewsList
*github.com/gotd/td/tg.StoriesToggleAllStoriesHiddenRequest
*github.com/gotd/td/tg.StoriesTogglePeerStoriesHiddenRequest
*github.com/gotd/td/tg.StoriesTogglePinnedRequest
*github.com/gotd/td/tg.StoryFwdHeader
*github.com/gotd/td/tg.StoryItem
github.com/gotd/td/tg.StoryItemClass (interface)
*github.com/gotd/td/tg.StoryItemDeleted
*github.com/gotd/td/tg.StoryItemSkipped
*github.com/gotd/td/tg.StoryReaction
github.com/gotd/td/tg.StoryReactionClass (interface)
*github.com/gotd/td/tg.StoryReactionPublicForward
*github.com/gotd/td/tg.StoryReactionPublicRepost
*github.com/gotd/td/tg.StoryView
github.com/gotd/td/tg.StoryViewClass (interface)
*github.com/gotd/td/tg.StoryViewPublicForward
*github.com/gotd/td/tg.StoryViewPublicRepost
*github.com/gotd/td/tg.StoryViews
*github.com/gotd/td/tg.String
*github.com/gotd/td/tg.TestUseConfigSimpleRequest
*github.com/gotd/td/tg.TestUseErrorRequest
*github.com/gotd/td/tg.TextAnchor
*github.com/gotd/td/tg.TextBold
*github.com/gotd/td/tg.TextConcat
*github.com/gotd/td/tg.TextEmail
*github.com/gotd/td/tg.TextEmpty
*github.com/gotd/td/tg.TextFixed
*github.com/gotd/td/tg.TextImage
*github.com/gotd/td/tg.TextItalic
*github.com/gotd/td/tg.TextMarked
*github.com/gotd/td/tg.TextPhone
*github.com/gotd/td/tg.TextPlain
*github.com/gotd/td/tg.TextStrike
*github.com/gotd/td/tg.TextSubscript
*github.com/gotd/td/tg.TextSuperscript
*github.com/gotd/td/tg.TextUnderline
*github.com/gotd/td/tg.TextURL
*github.com/gotd/td/tg.TextWithEntities
*github.com/gotd/td/tg.Theme
*github.com/gotd/td/tg.ThemeSettings
*github.com/gotd/td/tg.TopPeer
*github.com/gotd/td/tg.TopPeerCategoryBotsInline
*github.com/gotd/td/tg.TopPeerCategoryBotsPM
*github.com/gotd/td/tg.TopPeerCategoryChannels
github.com/gotd/td/tg.TopPeerCategoryClass (interface)
*github.com/gotd/td/tg.TopPeerCategoryCorrespondents
*github.com/gotd/td/tg.TopPeerCategoryForwardChats
*github.com/gotd/td/tg.TopPeerCategoryForwardUsers
*github.com/gotd/td/tg.TopPeerCategoryGroups
*github.com/gotd/td/tg.TopPeerCategoryPeers
*github.com/gotd/td/tg.TopPeerCategoryPhoneCalls
*github.com/gotd/td/tg.True
*github.com/gotd/td/tg.UpdateAttachMenuBots
*github.com/gotd/td/tg.UpdateAutoSaveSettings
*github.com/gotd/td/tg.UpdateBotCallbackQuery
*github.com/gotd/td/tg.UpdateBotChatBoost
*github.com/gotd/td/tg.UpdateBotChatInviteRequester
*github.com/gotd/td/tg.UpdateBotCommands
*github.com/gotd/td/tg.UpdateBotInlineQuery
*github.com/gotd/td/tg.UpdateBotInlineSend
*github.com/gotd/td/tg.UpdateBotMenuButton
*github.com/gotd/td/tg.UpdateBotMessageReaction
*github.com/gotd/td/tg.UpdateBotMessageReactions
*github.com/gotd/td/tg.UpdateBotPrecheckoutQuery
*github.com/gotd/td/tg.UpdateBotShippingQuery
*github.com/gotd/td/tg.UpdateBotStopped
*github.com/gotd/td/tg.UpdateBotWebhookJSON
*github.com/gotd/td/tg.UpdateBotWebhookJSONQuery
*github.com/gotd/td/tg.UpdateChannel
*github.com/gotd/td/tg.UpdateChannelAvailableMessages
*github.com/gotd/td/tg.UpdateChannelMessageForwards
*github.com/gotd/td/tg.UpdateChannelMessageViews
*github.com/gotd/td/tg.UpdateChannelParticipant
*github.com/gotd/td/tg.UpdateChannelPinnedTopic
*github.com/gotd/td/tg.UpdateChannelPinnedTopics
*github.com/gotd/td/tg.UpdateChannelReadMessagesContents
*github.com/gotd/td/tg.UpdateChannelTooLong
*github.com/gotd/td/tg.UpdateChannelUserTyping
*github.com/gotd/td/tg.UpdateChannelViewForumAsMessages
*github.com/gotd/td/tg.UpdateChannelWebPage
*github.com/gotd/td/tg.UpdateChat
*github.com/gotd/td/tg.UpdateChatDefaultBannedRights
*github.com/gotd/td/tg.UpdateChatParticipant
*github.com/gotd/td/tg.UpdateChatParticipantAdd
*github.com/gotd/td/tg.UpdateChatParticipantAdmin
*github.com/gotd/td/tg.UpdateChatParticipantDelete
*github.com/gotd/td/tg.UpdateChatParticipants
*github.com/gotd/td/tg.UpdateChatUserTyping
github.com/gotd/td/tg.UpdateClass (interface)
*github.com/gotd/td/tg.UpdateConfig
*github.com/gotd/td/tg.UpdateContactsReset
*github.com/gotd/td/tg.UpdateDCOptions
*github.com/gotd/td/tg.UpdateDeleteChannelMessages
*github.com/gotd/td/tg.UpdateDeleteMessages
*github.com/gotd/td/tg.UpdateDeleteScheduledMessages
*github.com/gotd/td/tg.UpdateDialogFilter
*github.com/gotd/td/tg.UpdateDialogFilterOrder
*github.com/gotd/td/tg.UpdateDialogFilters
*github.com/gotd/td/tg.UpdateDialogPinned
*github.com/gotd/td/tg.UpdateDialogUnreadMark
*github.com/gotd/td/tg.UpdateDraftMessage
*github.com/gotd/td/tg.UpdateEditChannelMessage
*github.com/gotd/td/tg.UpdateEditMessage
*github.com/gotd/td/tg.UpdateEncryptedChatTyping
*github.com/gotd/td/tg.UpdateEncryptedMessagesRead
*github.com/gotd/td/tg.UpdateEncryption
*github.com/gotd/td/tg.UpdateFavedStickers
*github.com/gotd/td/tg.UpdateFolderPeers
*github.com/gotd/td/tg.UpdateGeoLiveViewed
*github.com/gotd/td/tg.UpdateGroupCall
*github.com/gotd/td/tg.UpdateGroupCallConnection
*github.com/gotd/td/tg.UpdateGroupCallParticipants
*github.com/gotd/td/tg.UpdateGroupInvitePrivacyForbidden
*github.com/gotd/td/tg.UpdateInlineBotCallbackQuery
*github.com/gotd/td/tg.UpdateLangPack
*github.com/gotd/td/tg.UpdateLangPackTooLong
*github.com/gotd/td/tg.UpdateLoginToken
*github.com/gotd/td/tg.UpdateMessageExtendedMedia
*github.com/gotd/td/tg.UpdateMessageID
*github.com/gotd/td/tg.UpdateMessagePoll
*github.com/gotd/td/tg.UpdateMessagePollVote
*github.com/gotd/td/tg.UpdateMessageReactions
*github.com/gotd/td/tg.UpdateMoveStickerSetToTop
*github.com/gotd/td/tg.UpdateNewAuthorization
*github.com/gotd/td/tg.UpdateNewChannelMessage
*github.com/gotd/td/tg.UpdateNewEncryptedMessage
*github.com/gotd/td/tg.UpdateNewMessage
*github.com/gotd/td/tg.UpdateNewScheduledMessage
*github.com/gotd/td/tg.UpdateNewStickerSet
*github.com/gotd/td/tg.UpdateNotifySettings
*github.com/gotd/td/tg.UpdatePeerBlocked
*github.com/gotd/td/tg.UpdatePeerHistoryTTL
*github.com/gotd/td/tg.UpdatePeerLocated
*github.com/gotd/td/tg.UpdatePeerSettings
*github.com/gotd/td/tg.UpdatePeerWallpaper
*github.com/gotd/td/tg.UpdatePendingJoinRequests
*github.com/gotd/td/tg.UpdatePhoneCall
*github.com/gotd/td/tg.UpdatePhoneCallSignalingData
*github.com/gotd/td/tg.UpdatePinnedChannelMessages
*github.com/gotd/td/tg.UpdatePinnedDialogs
*github.com/gotd/td/tg.UpdatePinnedMessages
*github.com/gotd/td/tg.UpdatePrivacy
*github.com/gotd/td/tg.UpdatePtsChanged
*github.com/gotd/td/tg.UpdateReadChannelDiscussionInbox
*github.com/gotd/td/tg.UpdateReadChannelDiscussionOutbox
*github.com/gotd/td/tg.UpdateReadChannelInbox
*github.com/gotd/td/tg.UpdateReadChannelOutbox
*github.com/gotd/td/tg.UpdateReadFeaturedEmojiStickers
*github.com/gotd/td/tg.UpdateReadFeaturedStickers
*github.com/gotd/td/tg.UpdateReadHistoryInbox
*github.com/gotd/td/tg.UpdateReadHistoryOutbox
*github.com/gotd/td/tg.UpdateReadMessagesContents
*github.com/gotd/td/tg.UpdateReadStories
*github.com/gotd/td/tg.UpdateRecentEmojiStatuses
*github.com/gotd/td/tg.UpdateRecentReactions
*github.com/gotd/td/tg.UpdateRecentStickers
*github.com/gotd/td/tg.UpdateSavedGifs
*github.com/gotd/td/tg.UpdateSavedRingtones
*github.com/gotd/td/tg.UpdateSentStoryReaction
*github.com/gotd/td/tg.UpdateServiceNotification
*github.com/gotd/td/tg.UpdateShort
*github.com/gotd/td/tg.UpdateShortChatMessage
*github.com/gotd/td/tg.UpdateShortMessage
*github.com/gotd/td/tg.UpdateShortSentMessage
*github.com/gotd/td/tg.UpdateStickerSets
*github.com/gotd/td/tg.UpdateStickerSetsOrder
*github.com/gotd/td/tg.UpdateStoriesStealthMode
*github.com/gotd/td/tg.UpdateStory
*github.com/gotd/td/tg.UpdateStoryID
*github.com/gotd/td/tg.Updates
*github.com/gotd/td/tg.UpdatesChannelDifference
github.com/gotd/td/tg.UpdatesChannelDifferenceClass (interface)
*github.com/gotd/td/tg.UpdatesChannelDifferenceEmpty
*github.com/gotd/td/tg.UpdatesChannelDifferenceTooLong
github.com/gotd/td/tg.UpdatesClass (interface)
*github.com/gotd/td/tg.UpdatesCombined
*github.com/gotd/td/tg.UpdatesDifference
github.com/gotd/td/tg.UpdatesDifferenceClass (interface)
*github.com/gotd/td/tg.UpdatesDifferenceEmpty
*github.com/gotd/td/tg.UpdatesDifferenceSlice
*github.com/gotd/td/tg.UpdatesDifferenceTooLong
*github.com/gotd/td/tg.UpdatesGetChannelDifferenceRequest
*github.com/gotd/td/tg.UpdatesGetDifferenceRequest
*github.com/gotd/td/tg.UpdatesGetStateRequest
*github.com/gotd/td/tg.UpdatesState
*github.com/gotd/td/tg.UpdatesTooLong
*github.com/gotd/td/tg.UpdateTheme
*github.com/gotd/td/tg.UpdateTranscribedAudio
*github.com/gotd/td/tg.UpdateUser
*github.com/gotd/td/tg.UpdateUserEmojiStatus
*github.com/gotd/td/tg.UpdateUserName
*github.com/gotd/td/tg.UpdateUserPhone
*github.com/gotd/td/tg.UpdateUserStatus
*github.com/gotd/td/tg.UpdateUserTyping
*github.com/gotd/td/tg.UpdateWebPage
*github.com/gotd/td/tg.UpdateWebViewResultSent
*github.com/gotd/td/tg.UploadCDNFile
github.com/gotd/td/tg.UploadCDNFileClass (interface)
*github.com/gotd/td/tg.UploadCDNFileReuploadNeeded
*github.com/gotd/td/tg.UploadFile
*github.com/gotd/td/tg.UploadFileCDNRedirect
github.com/gotd/td/tg.UploadFileClass (interface)
*github.com/gotd/td/tg.UploadGetCDNFileHashesRequest
*github.com/gotd/td/tg.UploadGetCDNFileRequest
*github.com/gotd/td/tg.UploadGetFileHashesRequest
*github.com/gotd/td/tg.UploadGetFileRequest
*github.com/gotd/td/tg.UploadGetWebFileRequest
*github.com/gotd/td/tg.UploadReuploadCDNFileRequest
*github.com/gotd/td/tg.UploadSaveBigFilePartRequest
*github.com/gotd/td/tg.UploadSaveFilePartRequest
*github.com/gotd/td/tg.UploadWebFile
*github.com/gotd/td/tg.URLAuthResultAccepted
github.com/gotd/td/tg.URLAuthResultClass (interface)
*github.com/gotd/td/tg.URLAuthResultDefault
*github.com/gotd/td/tg.URLAuthResultRequest
*github.com/gotd/td/tg.User
github.com/gotd/td/tg.UserClass (interface)
*github.com/gotd/td/tg.UserClassVector
*github.com/gotd/td/tg.UserEmpty
*github.com/gotd/td/tg.UserFull
*github.com/gotd/td/tg.Username
*github.com/gotd/td/tg.UserProfilePhoto
github.com/gotd/td/tg.UserProfilePhotoClass (interface)
*github.com/gotd/td/tg.UserProfilePhotoEmpty
github.com/gotd/td/tg.UserStatusClass (interface)
*github.com/gotd/td/tg.UserStatusEmpty
*github.com/gotd/td/tg.UserStatusLastMonth
*github.com/gotd/td/tg.UserStatusLastWeek
*github.com/gotd/td/tg.UserStatusOffline
*github.com/gotd/td/tg.UserStatusOnline
*github.com/gotd/td/tg.UserStatusRecently
*github.com/gotd/td/tg.UsersGetFullUserRequest
*github.com/gotd/td/tg.UsersGetUsersRequest
*github.com/gotd/td/tg.UsersSetSecureValueErrorsRequest
*github.com/gotd/td/tg.UsersUserFull
*github.com/gotd/td/tg.VideoSize
github.com/gotd/td/tg.VideoSizeClass (interface)
*github.com/gotd/td/tg.VideoSizeEmojiMarkup
*github.com/gotd/td/tg.VideoSizeStickerMarkup
*github.com/gotd/td/tg.WallPaper
github.com/gotd/td/tg.WallPaperClass (interface)
*github.com/gotd/td/tg.WallPaperClassVector
*github.com/gotd/td/tg.WallPaperNoFile
*github.com/gotd/td/tg.WallPaperSettings
*github.com/gotd/td/tg.WebAuthorization
*github.com/gotd/td/tg.WebDocument
github.com/gotd/td/tg.WebDocumentClass (interface)
*github.com/gotd/td/tg.WebDocumentNoProxy
*github.com/gotd/td/tg.WebPage
github.com/gotd/td/tg.WebPageAttributeClass (interface)
*github.com/gotd/td/tg.WebPageAttributeStory
*github.com/gotd/td/tg.WebPageAttributeTheme
github.com/gotd/td/tg.WebPageClass (interface)
*github.com/gotd/td/tg.WebPageEmpty
*github.com/gotd/td/tg.WebPageNotModified
*github.com/gotd/td/tg.WebPagePending
*github.com/gotd/td/tg.WebViewMessageSent
*github.com/gotd/td/tg.WebViewResultURL
go.opentelemetry.io/otel/attribute.Type
go.opentelemetry.io/otel/codes.Code
go.opentelemetry.io/otel/trace.SpanID
go.opentelemetry.io/otel/trace.SpanKind
go.opentelemetry.io/otel/trace.TraceFlags
go.opentelemetry.io/otel/trace.TraceID
go.opentelemetry.io/otel/trace.TraceState
*go.uber.org/atomic.Bool
*go.uber.org/atomic.Duration
*go.uber.org/atomic.Float32
*go.uber.org/atomic.Float64
*go.uber.org/atomic.Int32
*go.uber.org/atomic.Int64
*go.uber.org/atomic.Pointer[...]
*go.uber.org/atomic.String
*go.uber.org/atomic.Uint32
*go.uber.org/atomic.Uint64
*go.uber.org/atomic.Uintptr
go.uber.org/zap.AtomicLevel
*go.uber.org/zap/buffer.Buffer
go.uber.org/zap/zapcore.EntryCaller
go.uber.org/zap/zapcore.Level
*golang.org/x/net/internal/socks.Addr
golang.org/x/net/internal/socks.Command
golang.org/x/net/internal/socks.Reply
image.Point
image.Rectangle
image.YCbCrSubsampleRatio
internal/abi.Kind
*internal/godebug.Setting
internal/reflectlite.Type (interface)
io/fs.FileMode
math/big.Accuracy
*math/big.Float
*math/big.Int
*math/big.Rat
math/big.RoundingMode
net.Addr (interface)
net.Flags
net.HardwareAddr
net.IP
*net.IPAddr
net.IPMask
*net.IPNet
*net.TCPAddr
*net.UDPAddr
*net.UnixAddr
net/http.ConnState
*net/http.Cookie
net/netip.Addr
net/netip.AddrPort
net/netip.Prefix
*net/url.URL
*net/url.Userinfo
nhooyr.io/websocket.MessageType
nhooyr.io/websocket.StatusCode
*os.ProcessState
os.Signal (interface)
reflect.ChanDir
reflect.Kind
reflect.Type (interface)
reflect.Value
*regexp.Regexp
regexp/syntax.ErrorCode
*regexp/syntax.Inst
regexp/syntax.InstOp
regexp/syntax.Op
*regexp/syntax.Prog
*regexp/syntax.Regexp
rsc.io/qr/coding.Alpha
rsc.io/qr/coding.Level
rsc.io/qr/coding.Num
rsc.io/qr/coding.Pixel
rsc.io/qr/coding.PixelRole
rsc.io/qr/coding.String
rsc.io/qr/coding.Version
*runtime/debug.BuildInfo
*strings.Builder
syscall.Signal
time.Duration
*time.Location
time.Month
time.Time
time.Weekday
vendor/golang.org/x/net/dns/dnsmessage.Class
vendor/golang.org/x/net/dns/dnsmessage.Name
vendor/golang.org/x/net/dns/dnsmessage.RCode
vendor/golang.org/x/net/dns/dnsmessage.Type
vendor/golang.org/x/net/http2/hpack.HeaderField
*vendor/golang.org/x/net/idna.Profile
*vendor/golang.org/x/text/unicode/bidi.Run
*context.afterFuncCtx
context.backgroundCtx
*context.cancelCtx
context.stringer (interface)
*context.timerCtx
context.todoCtx
*context.valueCtx
context.withoutCancelCtx
*crypto/ecdh.nistCurve[...]
*crypto/ecdh.x25519Curve
crypto/tls.alert
*embed.file
encoding/binary.bigEndian
encoding/binary.littleEndian
encoding/binary.nativeEndian
*encoding/json.encodeState
flag.boolFlag (interface)
flag.boolFuncValue
*flag.boolValue
*flag.durationValue
*flag.float64Value
flag.funcValue
*flag.int64Value
*flag.intValue
*flag.stringValue
flag.textValue
*flag.uint64Value
*flag.uintValue
go.opentelemetry.io/otel/trace.member
internal/reflectlite.mapType
internal/reflectlite.rtype
io/fs.dirInfo
*io/fs.statDirEntry
*math/big.decimal
math/big.nat
net.addrPortUDPAddr
net.fileAddr
net.hostLookupOrder
net.pipeAddr
net.sockaddr (interface)
net/http.connectMethodKey
*net/http.contextKey
net/http.http2ContinuationFrame
net/http.http2DataFrame
net/http.http2ErrCode
net/http.http2FrameHeader
net/http.http2FrameType
net/http.http2FrameWriteRequest
net/http.http2GoAwayFrame
net/http.http2HeadersFrame
net/http.http2MetaHeadersFrame
net/http.http2PingFrame
net/http.http2PriorityFrame
net/http.http2PushPromiseFrame
net/http.http2RSTStreamFrame
net/http.http2Setting
net/http.http2SettingID
net/http.http2SettingsFrame
net/http.http2streamState
net/http.http2UnknownFrame
net/http.http2WindowUpdateFrame
*net/http.http2writeData
*net/http.socksAddr
net/http.socksCommand
net/http.socksReply
*nhooyr.io/websocket.compressionOptions
nhooyr.io/websocket.opcode
nhooyr.io/websocket.websocketAddr
*os.unixDirent
*path/filepath.statDirEntry
*reflect.rtype
*regexp.onePassInst
runtime.lockRank
runtime.stringer (interface)
runtime.stwReason
runtime.waitReason
*strconv.decimal
*vendor/golang.org/x/text/unicode/bidi.bracketPair
Stringer : context.stringer
Stringer : runtime.stringer
func go.opentelemetry.io/otel/attribute.Stringer(k string, v Stringer) attribute.KeyValue
func go.uber.org/zap.Stringer(key string, val Stringer) zap.Field
Package-Level Functions (total 36, in which 23 are exported)
Append formats using the default formats for its operands, appends the result to
the byte slice, and returns the updated slice.
Appendf formats according to a format specifier, appends the result to the byte
slice, and returns the updated slice.
Appendln formats using the default formats for its operands, appends the result
to the byte slice, and returns the updated slice. Spaces are always added
between operands and a newline is appended.
Errorf formats according to a format specifier and returns the string as a
value that satisfies error.
If the format specifier includes a %w verb with an error operand,
the returned error will implement an Unwrap method returning the operand.
If there is more than one %w verb, the returned error will implement an
Unwrap method returning a []error containing all the %w operands in the
order they appear in the arguments.
It is invalid to supply the %w verb with an operand that does not implement
the error interface. The %w verb is otherwise a synonym for %v.
FormatString returns a string representing the fully qualified formatting
directive captured by the State, followed by the argument verb. (State does not
itself contain the verb.) The result has a leading percent sign followed by any
flags, the width, and the precision. Missing flags, width, and precision are
omitted. This function allows a Formatter to reconstruct the original
directive triggering the call to Format.
Fprint formats using the default formats for its operands and writes to w.
Spaces are added between operands when neither is a string.
It returns the number of bytes written and any write error encountered.
Fprintf formats according to a format specifier and writes to w.
It returns the number of bytes written and any write error encountered.
Fprintln formats using the default formats for its operands and writes to w.
Spaces are always added between operands and a newline is appended.
It returns the number of bytes written and any write error encountered.
Fscan scans text read from r, storing successive space-separated
values into successive arguments. Newlines count as space. It
returns the number of items successfully scanned. If that is less
than the number of arguments, err will report why.
Fscanf scans text read from r, storing successive space-separated
values into successive arguments as determined by the format. It
returns the number of items successfully parsed.
Newlines in the input must match newlines in the format.
Fscanln is similar to Fscan, but stops scanning at a newline and
after the final item there must be a newline or EOF.
Print formats using the default formats for its operands and writes to standard output.
Spaces are added between operands when neither is a string.
It returns the number of bytes written and any write error encountered.
Printf formats according to a format specifier and writes to standard output.
It returns the number of bytes written and any write error encountered.
Println formats using the default formats for its operands and writes to standard output.
Spaces are always added between operands and a newline is appended.
It returns the number of bytes written and any write error encountered.
Scan scans text read from standard input, storing successive
space-separated values into successive arguments. Newlines count
as space. It returns the number of items successfully scanned.
If that is less than the number of arguments, err will report why.
Scanf scans text read from standard input, storing successive
space-separated values into successive arguments as determined by
the format. It returns the number of items successfully scanned.
If that is less than the number of arguments, err will report why.
Newlines in the input must match newlines in the format.
The one exception: the verb %c always scans the next rune in the
input, even if it is a space (or tab etc.) or newline.
Scanln is similar to Scan, but stops scanning at a newline and
after the final item there must be a newline or EOF.
Sprint formats using the default formats for its operands and returns the resulting string.
Spaces are added between operands when neither is a string.
Sprintf formats according to a format specifier and returns the resulting string.
Sprintln formats using the default formats for its operands and returns the resulting string.
Spaces are always added between operands and a newline is appended.
Sscan scans the argument string, storing successive space-separated
values into successive arguments. Newlines count as space. It
returns the number of items successfully scanned. If that is less
than the number of arguments, err will report why.
Sscanf scans the argument string, storing successive space-separated
values into successive arguments as determined by the format. It
returns the number of items successfully parsed.
Newlines in the input must match newlines in the format.
Sscanln is similar to Sscan, but stops scanning at a newline and
after the final item there must be a newline or EOF.
Package-Level Variables (total 5, none are exported)
Package-Level Constants (total 30, none are exported)
The pages are generated with Golds v0.6.7. (GOOS=linux GOARCH=amd64) Golds is a Go 101 project developed by Tapir Liu. PR and bug reports are welcome and can be submitted to the issue list. Please follow @Go100and1 (reachable from the left QR code) to get the latest news of Golds. |