Аватар для Raisin Zn
101 / 100 / 51
Регистрация: 19.04.2011
Сообщений: 961
1

Курсор убегает в конец поля в редакторе

01.03.2016, 17:02. Показов 1566. Ответов 1
Метки нет (Все метки)

Author24 — интернет-сервис помощи студентам
Здравствуйте.
С этим редактором беда, убегает курсор в самый конец текста:
1. Когда надо вставить BBcode, где то в середине текста, теги вставляются там, где был курсор, а после курсор прыгает в конец.
2. Выделяю текст, чтобы завернуть его тегами, жму кнопку (для вставки тегов), выделенный текст становится между тегами, а сам курсор опять летит в конец текста.
Это очень не удобно, так как, после каждой вставки тегов приходится искать то место, где редактировал текст, бывают большие статьи.
Javascript
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
/* jQuery plugin: PutCursorAtEnd 1.0
    [url]http://plugins.jquery.com/project/PutCursorAtEnd[/url]
    by teedyay
 
    Puts the cursor at the end of a textbox/ textarea
    codesnippet: 691e18b1-f4f9-41b4-8fe8-bc8ee51b48d4
*/
$Behavior.putCursorAtEnd = function()
{
    jQuery.fn.putCursorAtEnd = function()
    {
        return this.each(function()
        {
            $(this).focus();
            /* If this function exists...*/
            if (this.setSelectionRange)
            {
                /* ... then use it
                    (Doesn't work in IE)
                    Double the length because Opera is inconsistent about whether a carriage return is one character or two. Sigh.*/
                var len = $(this).val().length * 2;
                this.setSelectionRange(len, len);
            }
            else
            {
                /* ... otherwise replace the contents with itself
                   (Doesn't work in Google Chrome)*/
                $(this).val($(this).val());
            }
            /* Scroll to the bottom, in case we're in a tall textarea
               (Necessary for Firefox and Google Chrome)*/
            this.scrollTop = 999999;
        });
    };
};
 
if (typeof(oEditor) == 'undefined')
{
    debug('oEditor not defined.');
}
 
var bAllowEditor = true;
if (oEditor['wysiwyg'] === false)
{
    bAllowEditor = false;   
}
 
var Editor = 
{
    sVersion: '1.0',
    
    sEditorId: 'text',
    
    sImagePath: getParam('sJsStaticImage') + 'editor/',
    
    sEditor: getParam('sEditor'),
    
    aEditors: new Array(),
    
    setId: function(sId)
    {
        this.sEditorId = sId;   
        
        this.aEditors[sId] = true;
        
        return this;
    },
    
    getId: function()
    {
        return this.sEditorId;
    },
    
    getEditors: function()
    {
        for (sEditor in this.aEditors)
        {
            this.sEditorId = sEditor;
            this.getEditor();
        }
    },
    
    fullScreen: function(sEditorId)
    {
        tb_show(oTranslations['core.full_screen_editor'], '#?TB_inline=true&type=textarea&parent_id=' + sEditorId);     
        
        return false;
    },
    
    getEditor: function(bReturn)
    {
        var sHtml;      
        
        if (this.sEditor == 'tinymce' && typeof(tinyMCE) == 'object' && tinyMCE.getInstanceById(this.sEditorId) == null)
        {
            this.sEditor = 'default';
        }
        
        if (!bAllowEditor)
        {
            this.sEditor = 'default';
        }
 
        sHtml = ''; 
/*
        if (!isset(oEditor['no_fullscreen']) && !getParam('bJsIsMobile'))
        {
            sHtml += '<div style="float:right;"><a href="#" onclick="return Editor.fullScreen(\'' + this.sEditorId + '\');" class="editor_button">' + this.getImage(oEditor['toggle_image'], oEditor['toggle_phrase']) + '</a></div>';      
        }
*/
        $(oEditor['images']).each(function($iKey, $aValue)
        {
            if (isset($aValue[0]) && $aValue[0] == 'separator')
            {
                sHtml += Editor.getSeparator(); 
            }
            else
            {
                if (isset($aValue['command']))
                {
                    sHtml += Editor.getBBCode($aValue['image'], $aValue['command'], $aValue['phrase']);
                }
                else
                {
                    sHtml += '<div class="editor_button_holder">';
                    sHtml += '<a href="#" class="editor_button" onclick="' + (isset($aValue['js']) ? $aValue['js'] : 'Editor.ajaxCall(this, \'' + $aValue['ajax'] + '\');') + ' return false;">' + Editor.getImage($aValue['image'], $aValue['phrase']) + '</a>';
                    sHtml += '<div class="editor_drop_holder"><div class="editor_drop_content"></div></div>';
                    sHtml += '</div>';
                }
            }
        });     
    
        /*
        if ((bAllowEditor || oEditor['toggle']) && getParam('bWysiwyg'))
        {
            sHtml += this.getSeparator();           
            sHtml += '<a href="#" class="editor_button" onclick="return Editor.toggle(\'' + this.sEditorId + '\');"><img class="editor_button" src="' + this.sImagePath + 'toggle.gif" alt="' + getPhrase('core.toggle') + '" title="' + getPhrase('core.toggle') + '" id="editor_toggle" /></a>';
        }
        */
        
        sHtml += '<div class="clear"></div>';
        
        if (bReturn)
        {
            return sHtml;
        }
 
        $('#js_editor_menu_' + this.getId()).html(sHtml);
        $('#js_editor_menu_' + this.getId()).show();
        $('#editor_toggle').blur();
 
        return true;
    },
    
    getList: function($sType)
    {
        var $sList = ($sType == 'bullet' ? 'ul' : 'ol');
        this.sLastListType = $sList;
        Editor.createBBtag("[" + $sList + "]", '', this.sEditorId);
        
        this.getListReply();
    },
    
    getListReply: function()
    {
        var $sReply = prompt('Enter text to build your list. Once you are done click cancel.', '');
        
        if (!empty($sReply))
        {
            Editor.createBBtag("\n[*]", "", this.sEditorId, $sReply);
            
            this.getListReply();
        }
        else
        {
            Editor.createBBtag("\n[/" + this.sLastListType + "]\n",'', this.sEditorId);
        }
    },
    
    ajaxCall: function($oObject, $sCall)
    {
        if (!empty($($oObject).parent().find('.editor_drop_content').html()))
        {
            $($oObject).parent().find('.editor_drop_holder').toggle();
            return;
        }
        
        var $sQuery = '';
        $sQuery = getParam('sGlobalTokenName') + '[ajax]=true&' + getParam('sGlobalTokenName') + '[call]=' + $sCall + '&editor_id=' + this.getId();
        
        $.ajax(
        {
            type: 'GET',
            dataType: 'html',
            url: getParam('sJsAjax'),
            data: $sQuery,
            success: function($sOutput)
            {                           
                $($oObject).parent().find('.editor_drop_content').html($sOutput);
                $($oObject).parent().find('.editor_drop_holder').show();
            }
        });     
    },
    
    getAttachments: function(sEditorId)
    {
        tb_show('' + getPhrase('attachment.attach_files') + '', $.ajaxBox('attachment.add', 'height=500&width=600&category_id=' + Attachment['sCategory'] + '&attachments=' + $('#js_attachment').val() + '&item_id=' + Attachment['iItemId'] + '&editor_id=' + sEditorId));
        
        return false;
    },
    
    promptUrl: function(sEditorId)
    {
        tb_show('', $.ajaxBox('core.prompt', 'height=200&width=300&type=url&editor=' + sEditorId));
        
        return false;
    },
    
    promptImg: function(sEditorId)
    {
        tb_show('', $.ajaxBox('core.prompt', 'height=200&width=300&type=img&editor=' + sEditorId));
 
        return false;
    },  
    
    toggle: function(sEditorId) 
    {
        if (tinyMCE.getInstanceById(sEditorId) == null)
        {
            this.sEditor = 'tinymce';
            if (oEditor['toggle'])
            {
                customTinyMCE_init(sEditorId);
            }
            tinyMCE.execCommand('mceAddControl', false, sEditorId);
            $('#js_editor_menu_' + sEditorId).hide();
            debug('Enabled WYSIWYG text editor');
            deleteCookie('editor_wysiwyg');
        }
        else 
        {           
            tinyMCE.execCommand('mceRemoveControl', false, sEditorId);
            if (oEditor['toggle'])
            {
                $('#layer_text').html('<div id="layer_text"><textarea name="val[text]" rows="12" cols="50" class="w_95" id="text">' + tinyMCE.activeEditor.getContent() + '</textarea></div>');             
            }
            debug('Disabled WYSIWYG text editor');          
            setCookie('editor_wysiwyg', true, 360);
            if ($('#js_editor_menu_' + sEditorId).html() != '')
            {
                $('#js_editor_menu_' + sEditorId).show();
                $('#editor_toggle').blur();
                return false;
            }
 
            this.getEditor();
        }
        
        return false;
    },
    
    getSeparator: function()
    {
        return '<div class="editor_separator"></div>';
    },
    
    getBBCode: function(sName, sCode, sTitle)
    {
        sHtml = '<div class="editor_button_holder">';
        sHtml += '<a href="#" class="editor_button" onclick="return Editor.createBBtag(\'[' + sCode + ']\', \'[/' + sCode + ']\', \'' + this.sEditorId + '\');">' + this.getImage(sName, sTitle) + '</a>';
        sHtml += '</div>';
        
        return sHtml;
    },
    
    getImage: function(sName, sTitle)
    {
        return '<img class="editor_button" src="' + sName + '" alt="' + sTitle + '" title="' + sTitle + '" />';     
    },
    
    setContent: function(mValue)
    {       
        eval('var sContent = ' + this.sEditor + '_wysiwyg_setContent(mValue);');        
    },  
    
    getContent: function()
    {       
        eval('var sContent = ' + this.sEditor + '_wysiwyg_getContent();');
    
        return sContent;
    },
    
    insert: function(mValue)
    {   
        eval(this.sEditor + '_wysiwyg_insert(mValue);');
        
        $('.editor_drop_holder').hide();
        
        return true;
    },
    
    remove: function(mValue)
    {   
        eval(this.sEditor + '_wysiwyg_remove(mValue);');
        
        return true;
    },
    
    createBBtag: function(openerTag, closerTag, areaId, sEmptyValue) 
    {
        if(bIsIE && bIsWin) 
        {
            this.createBBtag_IE( openerTag , closerTag , areaId, sEmptyValue );
        }
        else 
        {
            this.createBBtag_nav( openerTag , closerTag , areaId, sEmptyValue );
        }
        
        $('#' + areaId).putCursorAtEnd();
        return false;
    },
    
    createBBtag_IE: function( openerTag , closerTag , areaId, sEmptyValue ) 
    {
        var txtArea = document.getElementById( areaId );
        var aSelection = document.selection.createRange().text;
        var range = txtArea.createTextRange();
    
        if(aSelection) 
        {
            document.selection.createRange().text = openerTag + aSelection + closerTag;
            txtArea.focus();
            range.move('textedit');
            range.select();
        }
        else 
        {
            if (!empty(sEmptyValue))
            {
                openerTag = openerTag + sEmptyValue;
            }           
            
            var oldStringLength = range.text.length + openerTag.length;
            txtArea.value += openerTag + closerTag;
            txtArea.focus();
            range.move('character',oldStringLength);
            range.collapse(false);
            range.select();
        }
        return;
    },
    
    createBBtag_nav: function( openerTag , closerTag , areaId, sEmptyValue ) 
    {
        var txtArea = document.getElementById( areaId );
        if (txtArea.selectionEnd && (txtArea.selectionEnd - txtArea.selectionStart > 0) ) 
        {
            var preString = (txtArea.value).substring(0,txtArea.selectionStart);
            var newString = openerTag + (txtArea.value).substring(txtArea.selectionStart,txtArea.selectionEnd) + closerTag;
            var postString = (txtArea.value).substring(txtArea.selectionEnd);
            txtArea.value = preString + newString + postString;
            txtArea.focus();
        }
        else 
        {
            if (!empty(sEmptyValue))
            {
                openerTag = openerTag + sEmptyValue;
            }
            
            var offset = txtArea.selectionStart;
            var preString = (txtArea.value).substring(0,offset);
            var newString = openerTag + closerTag;
            var postString = (txtArea.value).substring(offset);
            txtArea.value = preString + newString + postString;
            txtArea.selectionStart = offset + openerTag.length;
            txtArea.selectionEnd = offset + openerTag.length;
            txtArea.focus();
        }
        return;
    }   
};
 
if (!bAllowEditor)
{
    var bForceDefaultEditor = true;
}
Что надо изменить, что бы курсор не убегал в конец, а оставался, там где был до вставки тегов?
Спасибо.
0
Programming
Эксперт
39485 / 9562 / 3019
Регистрация: 12.04.2006
Сообщений: 41,671
Блог
01.03.2016, 17:02
Ответы с готовыми решениями:

Как переместить курсор в начало или конец поля?
выложите пример используя эти файлы пожалуйста.....

Курсор в редакторе delphi 7
Здравствуйте вообщем тут такая проблема: в редакторе delphi 7, курсор ставиться туда куда...

Курсор стал прямоугольным в редакторе кода
ребята нажал на какие то горячие клавиши .. и теперь курсор стал таким толстым прямоугольником .....

В редакторе VBA иногда курсор превращается из обычной черточки в мигающий прямоугольник
Добрый день. Такая проблема. При работе в редакторе VBA у меня иногда курсор превращается из...

1
 Аватар для Raisin Zn
101 / 100 / 51
Регистрация: 19.04.2011
Сообщений: 961
05.03.2016, 16:17  [ТС] 2
Как я понял, функция:
Javascript
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
$Behavior.putCursorAtEnd = function()
{
    jQuery.fn.putCursorAtEnd = function()
    {
        return this.each(function()
        {
            if (this.setSelectionRange)
            {
                
                var len = $(this).val().length * 2;
                this.setSelectionRange(len, len);
            }
            else
            {
                $(this).val($(this).val());
            }
 
            this.scrollTop = 999999;
        });
    };
};
Отправляет курсор в конец текста...
Что тут изменить?
0
05.03.2016, 16:17
Надоела реклама? Зарегистрируйтесь и она исчезнет полностью.
inter-admin
Эксперт
29715 / 6470 / 2152
Регистрация: 06.03.2009
Сообщений: 28,500
Блог
05.03.2016, 16:17
Помогаю со студенческими работами здесь

Курсор в конец строки
Вообщем есть небольшой скрипт для добавления смайлика в поле div c contenteditable=true. Он...

Перевести курсор в конец TextBox
Нужно сдвинуть курсор в конец TextBox'а с текстом, те: я в начале записываю текст неопределённой...

Поместить курсор в конец текста.
Podskazite kak mne pomestit kursor v konze teksta v textbox posle prozeduri textBox_change, v koroi...

Установить курсор в конец текста
Установить курсор в конец текста. При нажатии на клавиатуре кнопки Enter должно выводиться окно...

Как установить курсор в конец строки?
Всем доброго времени суток. Столкнулся с трудностью... Имеется поле: &lt;div id=&quot;text&quot;...

Курсор в начало/конец строки у textarea и contenteditable
Подскажите как переместить курсор в начало или конец строки в contenteditable. Заранее спасибо.


Искать еще темы с ответами

Или воспользуйтесь поиском по форуму:
2
Ответ Создать тему
Опции темы

Новые блоги и статьи
Как клонировать определенную ветку в Git
bytestream 24.01.2025
Одной из ключевых функций Git является возможность клонирования веток, что позволяет создавать локальные копии удаленных репозиториев и работать с определенными версиями проекта. Этот механизм. . .
Как в цикле обойти строки DataFrame в Pandas Python
bytestream 24.01.2025
DataFrame представляет собой одну из основных структур данных в библиотеке Python Pandas, которая организует информацию в виде двумерной таблицы с строками и столбцами. Эта структура данных особенно. . .
Как получить имя текущей ветки в Git
bytestream 24.01.2025
При работе с Git часто возникает необходимость определить имя текущей ветки, в которой ведется разработка. Знание текущей ветки является критически важным аспектом для эффективного управления. . .
Как отсортировать массив объектов по значению поля объекта в JavaScript
bytestream 24.01.2025
При разработке веб-приложений на JavaScript разработчики часто сталкиваются с необходимостью работать с массивами объектов. Эти структуры данных представляют собой упорядоченные наборы элементов, где. . .
Ошибка "src refspec master does not match any" при пуше коммита в Git
bytestream 24.01.2025
При работе с системой контроля версий Git разработчики нередко сталкиваются с различными ошибками, одной из которых является сообщение "src refspec master does not match any". Эта ошибка возникает. . .
Как округлить не более двух цифр после запятой в JavaScript
bytestream 24.01.2025
При работе с числами в JavaScript разработчики часто сталкиваются с необходимостью округления десятичных значений до определенного количества знаков после запятой. Это особенно важно при работе с. . .
Как сделать UPDATE из SELECT в SQL Server
hw_wired 24.01.2025
В современных системах управления базами данных операции обновления и выборки данных являются фундаментальными инструментами для работы с информацией. SQL Server предоставляет мощные команды UPDATE и. . .
Как вставить элемент в массив на указанный индекс в JavaScript
hw_wired 24.01.2025
Массивы являются одной из фундаментальных структур данных в JavaScript, предоставляющей разработчикам мощный инструмент для хранения и управления упорядоченными наборами данных. Они позволяют хранить. . .
Чем отличаются HashMap и Hashtable в Java
hw_wired 24.01.2025
В мире разработки на Java существует множество инструментов для работы с коллекциями данных, и среди них особое место занимают структуры данных для хранения пар ключ-значение. HashMap и Hashtable. . .
Как конвертировать видео в GIF
hw_wired 24.01.2025
В современном мире анимированные изображения стали неотъемлемой частью цифровой коммуникации. Формат GIF (Graphics Interchange Format) представляет собой особый тип файлов, который позволяет. . .
Как скопировать текст в буфер обмена на JavaScript во всех браузерах
hw_wired 24.01.2025
Копирование текста в буфер обмена стало неотъемлемой частью современных веб-приложений, значительно улучшающей пользовательский опыт и упрощающей работу с контентом. В эпоху активного обмена. . .
Как скрыть клавиатуру на Android
hw_wired 24.01.2025
При разработке Android-приложений часто возникает необходимость управлять видимостью экранной клавиатуры для улучшения пользовательского опыта. Одним из наиболее эффективных способов контроля. . .
КиберФорум - форум программистов, компьютерный форум, программирование
Powered by vBulletin
Copyright ©2000 - 2025, CyberForum.ru