en
stringlengths
16
938
ru
stringlengths
11
986
after v in the nested call to Sprintln to tell the compiler to treat v as a list of arguments;
после v при вызове функции Sprintln объявляет компилятору о том что v является списком аргументов;
alignment. Alignment assumes that an editor is using a fixed-width font.
выравнивание. Выравнивание предполагает, что редактор использует шрифт фиксированной ширины.
allocates an array of 100 ints and then creates a slice structure with length 10 and a capacity of 100 pointing at the first 10 elements of the array.
создает массив из 100 значений типа int и затем создает структуру среза длинной 10 и емкостью 100 со ссылкой только на первые 10 элементов.
and as the documentation says, it returns the number of bytes written and a non-nil error when n != len(b).
и как предусмотрено документацией, он возвращает число записанных байт и ненулевое значение ошибки error, когда n != len(b).
and there are new control structures including a type switch and a multiway communications multiplexer, select.
В-пятых, есть новые операторы, такие как типизированный switch и многоканальный select.
and trailing spaces, so that individual sections of a Go program can be
и конечные пробелы, чтобы отдельные разделы программы Go можно было
break and continue statements take an optional label to identify what to break or continue;
break и continue опционально принимают метку, к которой необходимо перейти.
call your string-converter method String not ToString.
назовите Ваш метод конвертации в строку String , а не ToString.
control structures (if, for, switch) do not have parentheses in their syntax.
структуры ветвления, цикла ( if , for , switch) не имеют круглых скобок в своём синтаксисе.
directory, recursively. (Files starting with a period are ignored.) By default,
каталог рекурсивно. (Файлы, начинающиеся с точки, игнорируются.) По умолчанию
don't construct a String method by calling Sprintf in a way that will recur into your String method indefinitely.
Однако, не создавайте функцию String вызывающую метод Sprintf, в случаи если далее будет рекурсивно вызвана String.
fmt.Printf, fmt.Fprintf, fmt.Sprintf and so on.
fmt.Printf, fmt.Fprintf, fmt.Sprintf и так далее.
formatted by piping them through gofmt.
отформатирован путем передачи их через gofmt.
gofmt prints the reformatted sources to standard output.
gofmt выводит переформатированные исходные тексты на стандартный вывод.
gofmt will line up the columns:
gofmt произведет выравнивание по колонкам:
if and switch accept an optional initialization statement like that of for;
В-третьих if и switch имеют опциональную инициализацию переменных, как и в for.
if not, it can be more efficient to construct the object with a single allocation. For reference, here are sketches of the two methods.
если нет, то может оказаться более эффективным создать объект с помощью одного выделения. Для справки, вот эскизы двух методов.
if reqDidTimeout is true, the error is wrapped and
если reqDidTimeout имеет значение true, ошибка переносится и
if the answer doesn't seem right, rearrange your program (or file a bug about gofmt), don't work around it.
если структура неверна, gofmt поправит Вашу программу (или файл сообщит об ошибке gofmt), не работайте в обход форматирования программой gofmt.
in-band error returns such as -1 for EOF and modifying an argument passed by address.
Одно из особенностей языка Go - это то, что функции и методы могут возвращать множество значений.
instead, the printing routines use the type of the argument to decide these properties.
Вместо этого, функции печати используют тип аргумента для задания свойств.
it operates on that file; given a directory, it operates on all .go files in
он работает с этим файлом; учитывая каталог, он работает со всеми файлами .go в
just assign it to a slice of itself.
просто назначьте его фрагменту самого себя.
localhostCert is a PEM-encoded TLS cert generated from src/crypto/tls:
localhostCert — это сертификат TLS в формате PEM, созданный из src/crypto/tls:
marked as net.Error that hit its timeout.
помечен как net.Error, достигший тайм-аута.
means what the spacing implies, unlike in the other languages.
не нуждается в добавлении пробелов, в отличии от других языков.
needs no semicolons.
точка с запятой не требуется.
operates on that file; given a directory, it operates on all .go files in that
работает с этим файлом; учитывая каталог, он работает со всеми файлами .go в этом каталоге.
or a program fragment. A program fragment must be a syntactically
или фрагмент программы. Фрагмент программы должен быть синтаксически
otherwise it would just pass v as a single slice argument.
с другой стороны v воспринимается как простой срез аргументов.
pairs within the input string: result[2*n:2*n+2] identifies the indexes
пары во входной строке: result[2*n:2*n+2] идентифицирует индексы
such a fragment, gofmt preserves leading indentation as well as leading
такого фрагмента, gofmt сохраняет как ведущие отступы, так и ведущие
switch is more flexible;
Во-вторых, switch более гибкий.
that directory, recursively. (Files starting with a period are ignored.)
этот каталог рекурсивно. (Файлы, начинающиеся с точки, игнорируются.)
the corresponding value in the initialization is assignable to v, and
соответствующее значение, при инициализации, может быть присвоено v
the importing package can talk about bytes.Buffer. It's helpful if everyone using the package can use the same name to refer to its contents, which implies that the package name should be good: short, concise, evocative. By convention, packages are given lower case, single-word names; there should be no need for underscores or mixedCaps. Err on the side of brevity, since everyone using your package will be typing that name. And don't worry about collisions a priori. The package name is only the default name for imports; it need not be unique across all source code, and in the rare case of a collision the importing package can choose a different name to use locally. In any case, confusion is rare because the file name in the import determines just which package is being used.
импортирующий пакет может говорить о bytes.Buffer. Будет полезно, если каждый, кто использует пакет, сможет использовать одно и то же имя для обозначения его содержимого. Это означает, что имя пакета должно быть хорошим: коротким, лаконичным, запоминающимся. По соглашению, пакетам присваиваются имена, состоящие из одного слова, строчными буквами; не должно быть необходимости в подчеркиваниях или смешанных прописных буквах. Будьте кратки, поскольку все, кто использует ваш пакет, будут вводить это имя. И не беспокойтесь о столкновениях априори. Имя пакета является только именем по умолчанию для импорта; оно не обязательно должно быть уникальным во всем исходном коде, и в редких случаях конфликта импортирующий пакет может выбрать другое имя для локального использования. В любом случае путаница возникает редко, поскольку имя файла при импорте определяет, какой именно пакет используется.
the length within the slice sets an upper limit of how much data to read.
длина среза указывает верхний предел количество данных которые необходимо прочитать.
the lexer always inserts a semicolon after the token.
то, лексер всегда добавляет точку с запятой после него.
the original file is restored from an automatic backup.
исходный файл восстанавливается из автоматической резервной копии.
the other is to allocate a single array and point the individual slices into it.
Второй, создание простого массива срезов.
the result is exactly what Print and Println would produce.
и результат будет одинаков как для Print так и для Println.
the storage associated with the variable survives after the function returns.
хранилище, связанное с переменной, сохраняется после возврата функции.
the variables os.Stdout and os.Stderr are familiar instances.
Значения os.Stdout и os.Stderr знакомы.
there are no parentheses and the bodies must always be brace-delimited.
отсутствуют круглые скобки в условии, и тело структуры всегда должно быть ограничено фигурными скобками.
there is at least one other variable that is created by the declaration.
существует хотя бы одна новая переменная в объявлении, которая будет создана заново
this declaration is in the same scope as the existing declaration of v (if v is already declared in an outer scope, the declaration will create a new variable §),
если объявление происходит в той же самой области видимости, что и существующая переменная v (если v уже объявлена за пределами видимости, то объявление создаст новую переменную §)
this example used a pointer because that's more efficient and idiomatic for struct types.
этот пример использует указатель, т.к. они более эффективны и идиоматичны типу структуры.)
to standard output.
на стандартный вывод.
value pairs, the initializers can appear in any order, with the missing ones left as their respective zero values.
значение, могут инициализироваться в любом порядке, с пропущенными полями заполняемые нулями.
which gives output:
который печатает следующий результат
which looks as if it declares d and err.
который выглядит как объявления двух переменных d и err.
with gofmt's version. If an error occurred during overwriting,
с версией gofmt. Если при перезаписи произошла ошибка,
§ It's worth noting here that in Go the scope of function parameters and return values is the same as the function body, even though they appear lexically outside the braces that enclose the body.
§ Нет ничего плохого в том, что в Go область видимости параметров и возвращаемых значений функции - есть само тело функции, хотя они лексически находятся за скобками, ограничивающими тело функции.
“Doc comments” are comments that appear immediately before top-level package, const, func, type, and var declarations with no intervening newlines. Every exported (capitalized) name should have a doc comment.
«Комментарии к документу» — это комментарии, которые появляются непосредственно перед объявлениями package, const, func, type и var верхнего уровня без промежуточных символов новой строки. Каждое экспортированное (с заглавной буквы) имя должно иметь комментарий в документе.