Перенос слов в английском языке
Word wrap — Перенос слов
Наилучший вариант — не переносить слова, но если это всё же необходимо, то нужно соблюдать следующие правила:
1. Не переносятся:
а.Сокращения и аббревиатуры
USA (The United States of America)
AVE (Avenue)
km (kilometre)
б. Имена собственные
Paris
Australia
в. Фамилии не отделяются от инициалов
S.P. Gilmor
г. Слова, состоящие из одного слога
height
through
like
д. Окончание третьего лица единственного числа s/-es
mak
es
swim
s
е. Составные части названий
Latin America
ж. Сочетания букв в слове, означающие один звук
th [θ]
sh [?]
з. Числа от сокращений, к которым они относятся
65 kg.
и. Окончание множественного числа существительных
troubl
es
2. При переносе:
а. Сложные слова делятся на свои составные части.
anybody — any-body
б. Префиксы и суффиксы производных слов отделяются от корня слова (о способах словообразования существительных — в материале «Английское существительное. Основные понятия»).
kind
ness
— kind-ness
pre
position — pre-position
в. Удвоенная согласная или две согласные, стоящие друг за другом разделяются при переносе.
gra
ffi
ti — graf-fity
co
nv
e
rt
er — con-ver-ter
г. Согласная между двумя гласными остается со вторым слогом при переносе.
bee
l
ine — bee-line
Ранее в категории:
- Сложное предложение
- Прямая и косвенная речь
- Знаки препинания
Английский язык онлайн
From Wikipedia, the free encyclopedia
Line breaking, also known as word wrapping, is breaking a section of text into lines so that it will fit into the available width of a page, window or other display area. In text display, line wrap is continuing on a new line when a line is full, so that each line fits into the viewable window, allowing text to be read from top to bottom without any horizontal scrolling. Word wrap is the additional feature of most text editors, word processors, and web browsers, of breaking lines between words rather than within words, where possible. Word wrap makes it unnecessary to hard-code newline delimiters within paragraphs, and allows the display of text to adapt flexibly and dynamically to displays of varying sizes.
Soft and hard returns[edit]
A soft return or soft wrap is the break resulting from line wrap or word wrap (whether automatic or manual), whereas a hard return or hard wrap is an intentional break, creating a new paragraph. With a hard return, paragraph-break formatting can (and should) be applied (either indenting or vertical whitespace). Soft wrapping allows line lengths to adjust automatically with adjustments to the width of the user’s window or margin settings, and is a standard feature of all modern text editors, word processors, and email clients. Manual soft breaks are unnecessary when word wrap is done automatically, so hitting the «Enter» key usually produces a hard return.
Alternatively, «soft return» can mean an intentional, stored line break that is not a paragraph break. For example, it is common to print postal addresses in a multiple-line format, but the several lines are understood to be a single paragraph. Line breaks are needed to divide the words of the address into lines of the appropriate length.
In the contemporary graphical word processors Microsoft Word and OpenOffice.org, users are expected to type a carriage return (↵ Enter) between each paragraph. Formatting settings, such as first-line indentation or spacing between paragraphs, take effect where the carriage return marks the break. A non-paragraph line break, which is a soft return, is inserted using ⇧ Shift+↵ Enter or via the menus, and is provided for cases when the text should start on a new line but none of the other side effects of starting a new paragraph are desired.
In text-oriented markup languages, a soft return is typically offered as a markup tag. For example, in HTML there is a <br> tag that has the same purpose as the soft return in word processors described above.
Unicode[edit]
The Unicode Line Breaking Algorithm determines a set of positions, known as break opportunities, that are appropriate places in which to begin a new line. The actual line break positions are picked from among the break opportunities by the higher level software that calls the algorithm, not by the algorithm itself, because only the higher level software knows about the width of the display the text is displayed on and the width of the glyphs that make up the displayed text.[1]
The Unicode character set provides a line separator character as well as a paragraph separator to represent the semantics of the soft return and hard return.
- 0x2028 LINE SEPARATOR
- * may be used to represent this semantic unambiguously
- 0x2029 PARAGRAPH SEPARATOR
- * may be used to represent this semantic unambiguously
Word boundaries, hyphenation, and hard spaces[edit]
The soft returns are usually placed after the ends of complete words, or after the punctuation that follows complete words. However, word wrap may also occur following a hyphen inside of a word. This is sometimes not desired, and can be blocked by using a non-breaking hyphen, or hard hyphen, instead of a regular hyphen.
A word without hyphens can be made wrappable by having soft hyphens in it. When the word isn’t wrapped (i.e., isn’t broken across lines), the soft hyphen isn’t visible. But if the word is wrapped across lines, this is done at the soft hyphen, at which point it is shown as a visible hyphen on the top line where the word is broken. (In the rare case of a word that is meant to be wrappable by breaking it across lines but without making a hyphen ever appear, a zero-width space is put at the permitted breaking point(s) in the word.)
Sometimes word wrap is undesirable between adjacent words. In such cases, word wrap can usually be blocked by using a hard space or non-breaking space between the words, instead of regular spaces.
Word wrapping in text containing Chinese, Japanese, and Korean[edit]
In Chinese, Japanese, and Korean, word wrapping can usually occur before and after any Han character, but certain punctuation characters are not allowed to begin a new line.[2] Japanese kana, letters of the Japanese alphabet, are treated the same way as Han Characters (Kanji) by extension, meaning words can, and tend to be broken without any hyphen or other indication that this has happened.
Under certain circumstances, however, word wrapping is not desired. For instance,
- word wrapping might not be desired within personal names, and
- word wrapping might not be desired within any compound words (when the text is flush left but only in some styles).
Most existing word processors and typesetting software cannot handle either of the above scenarios.
CJK punctuation may or may not follow rules similar to the above-mentioned special circumstances. It is up to line breaking rules in CJK.
A special case of line breaking rules in CJK, however, always applies: line wrap must never occur inside the CJK dash and ellipsis. Even though each of these punctuation marks must be represented by two characters due to a limitation of all existing character encodings, each of these are intrinsically a single punctuation mark that is two ems wide, not two one-em-wide punctuation marks.
Algorithm[edit]
Word wrapping is an optimization problem. Depending on what needs to be optimized for, different algorithms are used.
Minimum number of lines[edit]
A simple way to do word wrapping is to use a greedy algorithm that puts as many words on a line as possible, then moving on to the next line to do the same until there are no more words left to place. This method is used by many modern word processors, such as OpenOffice.org Writer and Microsoft Word.[citation needed] This algorithm always uses the minimum possible number of lines but may lead to lines of widely varying lengths. The following pseudocode implements this algorithm:
SpaceLeft := LineWidth for each Word in Text if (Width(Word) + SpaceWidth) > SpaceLeft insert line break before Word in Text SpaceLeft := LineWidth - Width(Word) else SpaceLeft := SpaceLeft - (Width(Word) + SpaceWidth)
Where LineWidth
is the width of a line, SpaceLeft
is the remaining width of space on the line to fill, SpaceWidth
is the width of a single space character, Text
is the input text to iterate over and Word
is a word in this text.
Minimum raggedness[edit]
A different algorithm, used in TeX, minimizes the sum of the squares of the lengths of the spaces at the end of lines to produce a more aesthetically pleasing result. The following example compares this method with the greedy algorithm, which does not always minimize squared space.
For the input text
AAA BB CC DDDDD
with line width 6, the greedy algorithm would produce:
------ Line width: 6 AAA BB Remaining space: 0 CC Remaining space: 4 DDDDD Remaining space: 1
The sum of squared space left over by this method is . However, the optimal solution achieves the smaller sum :
------ Line width: 6 AAA Remaining space: 3 BB CC Remaining space: 1 DDDDD Remaining space: 1
The difference here is that the first line is broken before BB
instead of after it, yielding a better right margin and a lower cost 11.
By using a dynamic programming algorithm to choose the positions at which to break the line, instead of choosing breaks greedily, the solution with minimum raggedness may be found in time , where is the number of words in the input text. Typically, the cost function for this technique should be modified so that it does not count the space left on the final line of a paragraph; this modification allows a paragraph to end in the middle of a line without penalty. It is also possible to apply the same dynamic programming technique to minimize more complex cost functions that combine other factors such as the number of lines or costs for hyphenating long words.[3] Faster but more complicated linear time algorithms based on the SMAWK algorithm are also known for the minimum raggedness problem, and for some other cost functions that have similar properties.[4][5]
History[edit]
A primitive line-breaking feature was used in 1955 in a «page printer control unit» developed by Western Union. This system used relays rather than programmable digital computers, and therefore needed a simple algorithm that could be implemented without data buffers. In the Western Union system, each line was broken at the first space character to appear after the 58th character, or at the 70th character if no space character was found.[6]
The greedy algorithm for line-breaking predates the dynamic programming method outlined by Donald Knuth in an unpublished 1977 memo describing his TeX typesetting system[7] and later published in more detail by Knuth & Plass (1981).
See also[edit]
- Non-breaking space
- Typographic alignment
- Zero-width space
- Word divider
- Word joiner
References[edit]
- ^ Heninger, Andy, ed. (2013-01-25). «Unicode Line Breaking Algorithm» (PDF). Technical Reports. Annex #14 (Proposed Update Unicode Standard): 2. Retrieved 10 March 2015.
WORD JOINER should be used if the intent is to merely prevent a line break
- ^ Lunde, Ken (1999), CJKV Information Processing: Chinese, Japanese, Korean & Vietnamese Computing, O’Reilly Media, Inc., p. 352, ISBN 9781565922242.
- ^ Knuth, Donald E.; Plass, Michael F. (1981), «Breaking paragraphs into lines», Software: Practice and Experience, 11 (11): 1119–1184, doi:10.1002/spe.4380111102, S2CID 206508107.
- ^ Wilber, Robert (1988), «The concave least-weight subsequence problem revisited», Journal of Algorithms, 9 (3): 418–425, doi:10.1016/0196-6774(88)90032-6, MR 0955150.
- ^ Galil, Zvi; Park, Kunsoo (1990), «A linear-time algorithm for concave one-dimensional dynamic programming», Information Processing Letters, 33 (6): 309–311, doi:10.1016/0020-0190(90)90215-J, MR 1045521.
- ^ Harris, Robert W. (January 1956), «Keyboard standardization», Western Union Technical Review, 10 (1): 37–42.
- ^ Knuth, Donald (1977), TEXDR.AFT, retrieved 2013-04-07. Reprinted in Knuth, Donald (1999), Digital Typography, CSLI Lecture Notes, vol. 78, Stanford, California: Center for the Study of Language and Information, ISBN 1-57586-010-4.
External links[edit]
- Unicode Line Breaking Algorithm
Knuth’s algorithm[edit]
- «Knuth & Plass line-breaking Revisited»
- «tex_wrap»: «Implements TeX’s algorithm for breaking paragraphs into lines.» Reference: «Breaking Paragraphs into Lines», D.E. Knuth and M.F. Plass, chapter 3 of _Digital Typography_, CSLI Lecture Notes #78.
- Text::Reflow — Perl module for reflowing text files using Knuth’s paragraphing algorithm. «The reflow algorithm tries to keep the lines the same length but also tries to break at punctuation, and avoid breaking within a proper name or after certain connectives («a», «the», etc.). The result is a file with a more «ragged» right margin than is produced by fmt or Text::Wrap but it is easier to read since fewer phrases are broken across line breaks.»
- adjusting the Knuth algorithm to recognize the «soft hyphen».
- Knuth’s breaking algorithm. «The detailed description of the model and the algorithm can be found on the paper «Breaking Paragraphs into Lines» by Donald E. Knuth, published in the book «Digital Typography» (Stanford, California: Center for the Study of Language and Information, 1999), (CSLI Lecture Notes, no. 78.)»; part of Google Summer Of Code 2006
- «Bridging the Algorithm Gap: A Linear-time Functional Program for Paragraph Formatting» by Oege de Moor, Jeremy Gibbons, 1997
Other word-wrap links[edit]
- the reverse problem — picking columns just wide enough to fit (wrapped) text (Archived version)
- «Knuth linebreaking elements for Formatting Objects» by Simon Pepping 2006. Extends the Knuth model to handle a few enhancements.
- «a Knuth-Plass-like linebreaking algorithm … The *really* interesting thing is how Adobe’s algorithm differs from the Knuth-Plass algorithm. It must differ, since Adobe has managed to patent its algorithm (6,510,441).»[1]
- «Line breaking» compares the algorithms of various time complexities.
In my experience, publishers don’t bother to fiddle with word wrap issues except in connection with coverlines and other display type (headlines, subheads, table titles, and sometimes captions).
Part of the reason for their restraint on this score is that they’ve elected to dedicate their limited editorial resources to more-pressing problems (such as narrative coherence and typographical accuracy) instead. But a further issue is that artificially arranging to keep ideas together on a line can have a detrimental effect on the jaggedness of a paragraph’s right margin (if the text is set ragged right) or on the looseness of particular lines (if the text is set right-justified).
In other words, keeping ideas together on a line isn’t necessarily a cost-free process.
In display type, however, the benefits of keeping blocks of text together to avoid ending lines with weak words such as «a,» «the,» or «and,» and to avoid inviting misinterpretations of the type Kris mentions in a comment above increase, while the disadvantages tend to diminish—especially since coverlines (in particular) are subject to painstaking alteration to fit available space more effectively.
In the case of a report that you type, format, and publish yourself, of course, you are free to be as meticulous as you wish within the limits of the time available. But I’m not aware of any widely enforced rules in major style guides governing the question of how to handle line turnovers.
Educalingo cookies are used to personalize ads and get web traffic statistics. We also share information about the use of the site with our social media, advertising and analytics partners.
Download the app
educalingo
PRONUNCIATION OF WORD WRAP
GRAMMATICAL CATEGORY OF WORD WRAP
Word wrap is a noun.
A noun is a type of word the meaning of which determines reality. Nouns provide the names for all things: people, objects, sensations, feelings, etc.
WHAT DOES WORD WRAP MEAN IN ENGLISH?
Word wrap
In text display, line wrap is the feature of continuing on a new line when a line is full, such that each line fits in the viewable window, allowing text to be read from top to bottom without any horizontal scrolling. Word wrap obviates the hard-coding of newline delimiters inside paragraphs and allows the dynamic reflowing of text with new automatic line-breaking decisions on the fly. Word wrap is the additional feature of most text editors, word processors, and web browsers, of breaking lines between and not within words, except when a single word is longer than a line.
Definition of word wrap in the English dictionary
The definition of word wrap in the dictionary is a function that shifts a word at the end of a line to a new line in order to keep within preset margins.
WORDS THAT RHYME WITH WORD WRAP
Synonyms and antonyms of word wrap in the English dictionary of synonyms
Translation of «word wrap» into 25 languages
TRANSLATION OF WORD WRAP
Find out the translation of word wrap to 25 languages with our English multilingual translator.
The translations of word wrap from English to other languages presented in this section have been obtained through automatic statistical translation; where the essential translation unit is the word «word wrap» in English.
Translator English — Chinese
自动换行
1,325 millions of speakers
Translator English — Spanish
ajuste de línea
570 millions of speakers
Translator English — Hindi
शब्द की चादर
380 millions of speakers
Translator English — Arabic
الكلمة الختامية
280 millions of speakers
Translator English — Russian
перенос слов
278 millions of speakers
Translator English — Portuguese
quebra de linha
270 millions of speakers
Translator English — Bengali
শব্দ মোড়ানো
260 millions of speakers
Translator English — French
retour à la ligne
220 millions of speakers
Translator English — Malay
Balut perkataan
190 millions of speakers
Translator English — German
Zeilenumbruch
180 millions of speakers
Translator English — Japanese
ワードラップ
130 millions of speakers
Translator English — Korean
줄 바꿈
85 millions of speakers
Translator English — Javanese
Tembung bungkus
85 millions of speakers
Translator English — Vietnamese
từ bọc
80 millions of speakers
Translator English — Tamil
வார்த்தை மடக்கு
75 millions of speakers
Translator English — Marathi
शब्द ओघ
75 millions of speakers
Translator English — Turkish
Kelime sarma
70 millions of speakers
Translator English — Italian
il ritorno a capo
65 millions of speakers
Translator English — Polish
zawijania
50 millions of speakers
Translator English — Ukrainian
перенос слів
40 millions of speakers
Translator English — Romanian
folie de cuvânt
30 millions of speakers
Translator English — Greek
wrap λέξη
15 millions of speakers
Translator English — Afrikaans
woord wrap
14 millions of speakers
Translator English — Swedish
radbrytning
10 millions of speakers
Translator English — Norwegian
ordet wrap
5 millions of speakers
Trends of use of word wrap
TENDENCIES OF USE OF THE TERM «WORD WRAP»
The term «word wrap» is regularly used and occupies the 70.421 position in our list of most widely used terms in the English dictionary.
The map shown above gives the frequency of use of the term «word wrap» in the different countries.
Principal search tendencies and common uses of word wrap
List of principal searches undertaken by users to access our English online dictionary and most widely used expressions with the word «word wrap».
FREQUENCY OF USE OF THE TERM «WORD WRAP» OVER TIME
The graph expresses the annual evolution of the frequency of use of the word «word wrap» during the past 500 years. Its implementation is based on analysing how often the term «word wrap» appears in digitalised printed sources in English between the year 1500 and the present day.
Examples of use in the English literature, quotes and news about word wrap
10 ENGLISH BOOKS RELATING TO «WORD WRAP»
Discover the use of word wrap in the following bibliographical selection. Books relating to word wrap and brief extracts from same to provide context of its use in English literature.
1
HTML: Complete Concepts and Techniques
Maximize button changed to a Restore Down button because window is
maximized scroll bar Figure 2–4 To Enable Word Wrap in Notepad In Notepad,
the text entered in the text area scrolls continuously to the right unless the Word
Wrap …
Gary Shelly, Denise Woods, 2008
2
HTML, XHTML, and CSS: Comprehensive
To Enable Word Wrap in Notepad++ In Notepad++, the text entered in the text
area scrolls continuously to the right unless the word wrap feature is enabled, or
turned on. Word wrap causes text lines to break at the right edge of the window
and …
Gary Shelly, Denise Woods, William Dorin, 2010
3
HTML5 and CSS: Complete
To Enable Word Wrap in Notepad++ In Notepad++, the text entered in the text
area scrolls continuously to the right unless the word wrap feature is enabled, or
turned on. Word wrap causes text lines to break at the right edge of the window
and …
4
HTML, XHTML, and CSS: Introductory
To Enable Word Wrap in Notepad++ In Notepad++, the text entered in the text
area scrolls continuously to the right unless the word wrap feature is enabled, or
turned on. Word wrap causes text lines to break at the right edge of the window
and …
Gary Shelly, Denise Woods, 2010
5
HTML5 and CSS: Comprehensive, 7th ed.
To Enable Word Wrap in Notepad++ In Notepad++, the text entered in the text
area scrolls continuously to the right unless the word wrap feature is enabled, or
turned on. Word wrap causes text lines to break at the right edge of the window
and …
6
HTML5 and CSS: Introductory
To Enable Word Wrap in Notepad++ In Notepad++, the text entered in the text
area scrolls continuously to the right unless the word wrap feature is enabled, or
turned on. Word wrap causes text lines to break at the right edge of the window
and …
7
HTML: Introductory Concepts and Techniques
I Llrstitled — Notepad To Enable Word Wrap in Notepad Figure 2—4 _ _ / .
Maximize button changed to a Restore Down button because window is
maximized scroll bar Other Ways 1. Double-click Notepad icon on desktop, if one
is present 2.
Gary Shelly, Denise Woods, 2008
8
Premiere 6.5 for Windows and Macintosh
You can use the word wrap setting to control how text reflows within a text box.
When word wrap is on, text automatically starts a new line when it reaches the
edge of the text box or drawing area (depending on the kind of text you’re using;
see …
9
The Definitive Guide to SWT and JFace
Wrapping to the next line is called word wrap, and is off by default in StyledText.
You can turn word wrap on at construction time by passing the SWT.WRAP style
bit. You can retrieve word wrap settings at run time by calling getWordWrap( ) …
Robert Harris, Rob Warner, 2004
10
Web Marketing for the Music Business
p> effect of the «right“ tag on word wrap. Center Justified Text <p align:»center»>
Center Justified Text</p> <p align:»center»>Here is a small block of text where
Here is a small block of text where the sentence the sentence wraps and
illustrates …
5 NEWS ITEMS WHICH INCLUDE THE TERM «WORD WRAP»
Find out what the national and international press are talking about and how the term word wrap is used in the context of the following news items.
Microsoft Office for iPad Isn’t Perfect, But It’s What We Needed All …
I often start writing a document on my PC, but continue editing in Word on the …. art in my documents (even tight word wraps that changed as I moved the art), … «Mashable, Mar 14»
Office Mobile for Office 365 Subscribers (Android): Full Review
These templates include Outline, Agenda and Report for Word and Budget, Event … highlighting text automatically pulls up commands such as Word Wrap and … «LAPTOP Magazine, Aug 13»
Firefox 22 introduces line wrapping of long lines of text
Starting with Firefox 22, the browser is now using the word wrap feature to display long text lines directly on the screen so that users of the browser do not have … «Ghacks Technology News, Apr 13»
Brackets Sprint 22 adds word wrap and community commits
Build 22 of Adobe’s open source code editor Brackets, also known as «Brackets Sprint 22», adds word wrap and several user interface improvements. «The H, Apr 13»
Fujifilm app can ‘word wrap‘ text from photos (Video)
The best of them let you zoom in, and automatically re-wrap the words on the page so that they all fit on the screen. When this doesn’t happen, you have to scroll … «Digitaltrends.com, Jul 12»
REFERENCE
« EDUCALINGO. Word wrap [online]. Available <https://educalingo.com/en/dic-en/word-wrap>. Apr 2023 ».
Download the educalingo app
Discover all that is hidden in the words on
Updated: 08/02/2020 by
Word wrap may refer to any of the following:
1. Sometimes called a run around and wrap around, word wrap is a feature in text editors and word processors. It moves the cursor to the next line when reaching the end without requiring you to press Enter. For example, in the picture below, as each section shrinks, the sentence is wrapped, so it doesn’t extend past the border. You can see a live example of how text wraps by resizing the browser window on this page.
- Live example of word wrap
- Why is word wrapping used?
- Turning off word wrap.
- Why would someone turn off word wrap?
- How to wrap text at a certain number of characters.
Live example of word wrap
In textarea fields, the cursor automatically moves to the next line when it reaches the edge of the box. You can test this in the textarea below.
Why is word wrapping used?
Word wrapping is used to help contain text within an area and to prevent text from being cut off or missed. For example, all of the text on this page is wrapped in an HTML div tag for easy reading. If there were no word wrapping, you would have to scroll horizontally (left-to-right) instead of vertically (up and down) on any long line of text.
Turning off word wrap
Word wrap is often set up by default and can be turned off by enabling hyphenation, clicking the word wrap button, or adjusting the program’s settings. The picture shows an example of what a word wrap button may look like or resemble for programs that have the option.
Note
If word wrap is disabled, when typing, the line of text continues horizontally on the same line until Enter is pressed.
Why would someone turn off word wrap?
When working with files that contain long lines of text, it may be easier to view and find text with word wrap turned off. For example, if you had a .csv file with several values per line, you can see the beginning of each row more easily if you disable word wrap.
How to wrap text at a certain number of characters
You can use our text tool to wrap any text at a certain length. For example, if you wanted to wrap your text at 100 character length you can paste your text into the tool and enter «100» into the «wrap text at» section.
2. In Microsoft Excel and other spreadsheet programs, word wrap is more commonly called Wrap Text.
Alignment, Soft return, Text wrap, Word, Word processor terms
Meaning of WORD WRAP in English
transcription, транскрипция: [ noun ]
Date: 1977
: a word processing feature that automatically transfers a word for which there is insufficient space from the end of one line of text to the beginning of the next
Merriam-Webster’s Collegiate English vocabulary.
Энциклопедический словарь английского языка Merriam Webster.
2003
These examples may contain rude words based on your search.
These examples may contain colloquial words based on your search.
Other features such as word wrap and transparency were also added.
Также были добавлены другие функции, такие как перенос слов и прозрачность.
The web browser has automatic word wrap when zooming, the user can easily read long lines without scrolling horizontally.
Веб-браузер производит автоматический перенос слов при масштабировании, пользователь может легко читать длинные строки без необходимости прокрутки по горизонтали.
The browser has word wrap
Justifies lines in word wrap mode.
Выравнивание строк по ширине в режиме переноса по словам.
By default, the word wrap is unchecked.
В то время, как слово «заря» ударением не проверяется.
If the Enable static word wrap option is selected this entry determines the length (in characters) at which the editor will automatically start a new line.
Если установлен флажок Переносить строки, то в этом поле можно определить длину строки (в символах), по достижении которой курсор и текст будут автоматически перенесены на следующую строку.
The program not only checks the punctuation but also the spelling, correct word wrap and contains a huge dictionary of synonyms which will be useful to you.
Программа не только проверяет пунктуацию, но также орфографию, правильность переноса слов и содержит в себе огромный словарь синонимов, который вам обязательно пригодится.
word wrap: Automatically moves to the next line when you have filled one line with text, and it will readjust text if you change the margins.
перенос слова: Автоматически перемещается на следующую строку, когда вы заполнили одну строку текстом, и он перенастроит текст, если вы измените поля,
SVG 1.0 lacked such a demanded feature as text that adapts to the shape of the container with the correct word wrap.
В SVG 1.0 отсутствовала такая востребованная особенность, как подстраивающийся под форму контейнера текст с правильным переносом слов.
This color is used to draw a pattern to the left of dynamically wrapped lines when those are aligned vertically, as well as for the static word wrap marker.
Этот цвет используется для маркера динамически перенесённых строк. Также он используется для маркера статического переноса строк.
Use this command to wrap all lines of the current document which are longer than the width of the current view, to fit into this view. This is a static word wrap, meaning it is not updated when the view is resized.
Используйте эту команду, чтобы перенести строки в текущем документе, которые не помещаются по ширине окна для того, чтобы был виден весь текст. Этот перенос строк является не- автоматическим, что означает, что при изменении размеров окна строки не будут перенесены автоматически.
Maximum line length if word wrap is enabled
Максимальная длина строки при переносе
Choose when and how the dynamic word wrap indicators should be displayed. This is only available if the Dynamic Word Wrap option is checked.
Позволяет выбрать, когда и как должны показываться маркеры динамического переноса строк. Доступно только если включен Динамический перенос строк.
Toggles dynamic word wrap in the current view. Dynamic word wrap makes all the text in a view visible without the need for horizontal scrolling by rendering one actual line on more visual lines as needed.
Включает/ отключает динамический перенос строк текущего документа. При динамическом переносе текст в окне можно просматривать без горизонтальной перемотки, то есть строка, непрерывная на самом деле, для удобства делится на несколько.
To enable/ disable it, check/ uncheck the Static Word Wrap checkbox in the edit page of the configuration dialog.
Чтобы включить или выключить её, воспользуйтесь опцией Перенос строк на странице правки диалогового окна Настройки.
If this option is checked, a vertical line will be drawn at the word wrap column as defined in the Settings Configure Editor… in the Editing tab. Please note that the word wrap marker is only drawn if you use a fixed pitch font.
Если этот пункт включен, на столбце, указанном в Настройка Настроить редактор… в разделе Редактирование будет показана вертикальная линия. Обратите внимание, маркер будет виден только если вы используете моноширинный шрифт.
If this option is checked, a vertical line will be drawn at the word wrap column as defined in the Settings Configure Editor… in the Editing tab. Please note that the word wrap marker is only drawn if you use a fixed pitch font.
Если этот параметр включён, то на границе переноса строк будет отображаться вертикальная линия, как определено в меню Настройка Редактирование на вкладке Правка. Заметьте, что этот маркёр может отображаться, только если вы используете моноширинный шрифт.
Results: 17. Exact: 17. Elapsed time: 34 ms.
Documents
Corporate solutions
Conjugation
Synonyms
Grammar Check
Help & about
Word index: 1-300, 301-600, 601-900
Expression index: 1-400, 401-800, 801-1200
Phrase index: 1-400, 401-800, 801-1200
-
1
word wrap
- переход на новую строку
- перенос слова
Англо-русский словарь нормативно-технической терминологии > word wrap
-
2
word wrap
English-Russian base dictionary > word wrap
-
3
word wrap
1. переход на новую строку
2. перенос
English-Russian dictionary of Information technology > word wrap
-
4
word wrap
Большой англо-русский и русско-английский словарь > word wrap
-
5
word wrap
Универсальный англо-русский словарь > word wrap
-
6
word wrap
1)
вчт
перемещение (целого) слова на следующую строку || перемещать (целое) слова на следующую строку
2)
вчт
форматирование текста без переносов || форматировать текст без переносов
3) автоматический переход на новую строку || автоматически переходить на новую строку
English-Russian electronics dictionary > word wrap
-
7
word wrap
English-Russian dictionary of computer science and programming > word wrap
-
8
word wrap
Англо-русский словарь нефтегазовой промышленности > word wrap
-
9
word wrap
Англо-русский словарь по полиграфии и издательскому делу > word wrap
-
10
word wrap
Англо-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > word wrap
-
11
word wrap
English-Russian dictionary of terms that are used in computer games > word wrap
-
12
word wrap
автоматический переход на новую строку; перенос строк; перенос слова (без разбивки) на новую строку; «обтекание» иллюстраций
English-Russian information technology > word wrap
-
13
word wrap
English-Russian dictionary of computer science > word wrap
-
14
word wrap
English-Russian big medical dictionary > word wrap
-
15
word wrap-around
- переход на новую строку
Англо-русский словарь нормативно-технической терминологии > word wrap-around
-
16
word wrap toggle
Большой англо-русский и русско-английский словарь > word wrap toggle
-
17
word wrap-around
Универсальный англо-русский словарь > word wrap-around
-
18
word wrap toggle
English-Russian dictionary of computer science and programming > word wrap toggle
-
19
word wrap-around
Англо-русский словарь нефтегазовой промышленности > word wrap-around
-
20
word wrap-around
English-Russian dictionary of terms that are used in computer games > word wrap-around
Страницы
- Следующая →
- 1
- 2
- 3
См. также в других словарях:
-
Word wrap — or line wrap is the feature, supported by most text editors, word processors, and web browsers, of automatically replacing some of the blank spaces between words by line breaks, such that each line fits in the viewable window, allowing text to be … Wikipedia
-
word wrap — a feature of word processing systems and some electronic typewriters that automatically moves a word to a new line to avoid overrunning the margin. Also called wraparound. [1975 80] * * * word wrapping or word wrap noun (computing) (on a screen)… … Useful english dictionary
-
word wrap — noun Date: 1977 a word processing feature that automatically transfers a word for which there is insufficient space from the end of one line of text to the beginning of the next … New Collegiate Dictionary
-
word wrap — a feature of word processing systems and some electronic typewriters that automatically moves a word to a new line to avoid overrunning the margin. Also called wraparound. [1975 80] * * * … Universalium
-
word wrap — A function of editors on BBS s (just like that found in most word processors) which will move a word that won t fit at the very right hand of the screen down to the next line … Dictionary of telecommunications
-
word wrap — noun a word processing feature which automatically adjusts lines of text to fit within the page margins. Words exceeding the margins are set to begin a new line … Wiktionary
-
word wrap — ‚wÉœrd‚ræp /‚wÉœËd ability of a word processor to transfer entire words to the next line if they exceed the margins … English contemporary dictionary
-
Word wrap — (автоматический) переход на новую строку (в системе обработки текста); (автоматический) переход на нужную строку … Краткий толковый словарь по полиграфии
-
word wrap — /ˈwɜd ræp/ (say werd rap) noun Computers the automatic formatting of lines of text to fit into a computer screen …
-
word — O.E. word speech, talk, utterance, word, from P.Gmc. *wurdan (Cf. O.S., O.Fris. word, Du. woord, O.H.G., Ger. wort, O.N. orð, Goth. waurd), from PIE *were speak, say (see VERB (Cf. verb)). The meaning promise was in O.E., as … Etymology dictionary
-
word wrapping — or word wrap noun (computing) (on a screen) the automatic placing of a line feed between words so that any text placed beyond the right hand end of a line is moved to the start of the next line, wraparound • • • Main Entry: ↑word … Useful english dictionary