]> git.mxchange.org Git - quix0rs-gnu-social.git/blob - js/util.js
No separate placeholder input element for replyforms
[quix0rs-gnu-social.git] / js / util.js
1 /*
2  * StatusNet - a distributed open-source microblogging tool
3  * Copyright (C) 2008, StatusNet, Inc.
4  *
5  * This program is free software: you can redistribute it and/or modify
6  * it under the terms of the GNU Affero General Public License as published by
7  * the Free Software Foundation, either version 3 of the License, or
8  * (at your option) any later version.
9  *
10  * This program is distributed in the hope that it will be useful,
11  * but WITHOUT ANY WARRANTY; without even the implied warranty of
12  * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
13  * GNU Affero General Public License for more details.
14  *
15  * You should have received a copy of the GNU Affero General Public License
16  * along with this program.  If not, see <http://www.gnu.org/licenses/>.
17  *
18  * @category  UI interaction
19  * @package   StatusNet
20  * @author    Sarven Capadisli <csarven@status.net>
21  * @author    Evan Prodromou <evan@status.net>
22  * @author    Brion Vibber <brion@status.net>
23  * @copyright 2009,2010 StatusNet, Inc.
24  * @license   http://www.fsf.org/licensing/licenses/agpl-3.0.html GNU Affero General Public License version 3.0
25  * @link      http://status.net/
26  */
27
28 var SN = { // StatusNet
29     C: { // Config
30         I: { // Init
31             CounterBlackout: false,
32             MaxLength: 140,
33             PatternUsername: /^[0-9a-zA-Z\-_.]*$/,
34             HTTP20x30x: [200, 201, 202, 203, 204, 205, 206, 300, 301, 302, 303, 304, 305, 306, 307],
35             NoticeFormMaster: null // to be cloned from the one at top
36         },
37
38         /**
39          * @fixme are these worth the trouble? They seem to mostly just duplicate
40          * themselves while slightly obscuring the actual selector, so it's hard
41          * to pop over to the HTML and find something.
42          *
43          * In theory, minification could reduce them to shorter variable names,
44          * but at present that doesn't happen with yui-compressor.
45          */
46         S: { // Selector
47             Disabled: 'disabled',
48             Warning: 'warning',
49             Error: 'error',
50             Success: 'success',
51             Processing: 'processing',
52             CommandResult: 'command_result',
53             FormNotice: 'form_notice',
54             NoticeDataGeo: 'notice_data-geo',
55             NoticeDataGeoCookie: 'NoticeDataGeo',
56             NoticeDataGeoSelected: 'notice_data-geo_selected',
57             StatusNetInstance: 'StatusNetInstance'
58         }
59     },
60
61     /**
62      * Map of localized message strings exported to script from the PHP
63      * side via Action::getScriptMessages().
64      *
65      * Retrieve them via SN.msg(); this array is an implementation detail.
66      *
67      * @access private
68      */
69     messages: {},
70
71     /**
72      * Grabs a localized string that's been previously exported to us
73      * from server-side code via Action::getScriptMessages().
74      *
75      * @example alert(SN.msg('coolplugin-failed'));
76      *
77      * @param {String} key: string key name to pull from message index
78      * @return matching localized message string
79      */
80     msg: function (key) {
81         if (SN.messages[key] === undefined) {
82             return '[' + key + ']';
83         }
84         return SN.messages[key];
85     },
86
87     U: { // Utils
88         /**
89          * Setup function -- DOES NOT trigger actions immediately.
90          *
91          * Sets up event handlers on the new notice form.
92          *
93          * @param {jQuery} form: jQuery object whose first matching element is the form
94          * @access private
95          */
96         FormNoticeEnhancements: function (form) {
97             if (jQuery.data(form[0], 'ElementData') === undefined) {
98                 var MaxLength = form.find('.count').text();
99                 if (MaxLength === undefined) {
100                     MaxLength = SN.C.I.MaxLength;
101                 }
102                 jQuery.data(form[0], 'ElementData', {MaxLength: MaxLength});
103
104                 SN.U.Counter(form);
105
106                 var NDT = form.find('.notice_data-text:first');
107
108                 NDT.on('keyup', function (e) {
109                     SN.U.Counter(form);
110                 });
111
112                 var delayedUpdate = function (e) {
113                     // Cut and paste events fire *before* the operation,
114                     // so we need to trigger an update in a little bit.
115                     // This would be so much easier if the 'change' event
116                     // actually fired every time the value changed. :P
117                     window.setTimeout(function () {
118                         SN.U.Counter(form);
119                     }, 50);
120                 };
121                 // Note there's still no event for mouse-triggered 'delete'.
122                 NDT.on('cut', delayedUpdate)
123                     .on('paste', delayedUpdate);
124             } else {
125                 form.find('.count').text(jQuery.data(form[0], 'ElementData').MaxLength);
126             }
127         },
128
129         /**
130          * To be called from event handlers on the notice import form.
131          * Triggers an update of the remaining-characters counter.
132          *
133          * Additional counter updates will be suppressed during the
134          * next half-second to avoid flooding the layout engine with
135          * updates, followed by another automatic check.
136          *
137          * The maximum length is pulled from data established by
138          * FormNoticeEnhancements.
139          *
140          * @param {jQuery} form: jQuery object whose first element is the notice posting form
141          * @access private
142          */
143         Counter: function (form) {
144             SN.C.I.FormNoticeCurrent = form;
145
146             var MaxLength = jQuery.data(form[0], 'ElementData').MaxLength;
147
148             if (MaxLength <= 0) {
149                 return;
150             }
151
152             var remaining = MaxLength - SN.U.CharacterCount(form);
153             var counter = form.find('.count');
154
155             if (remaining.toString() != counter.text()) {
156                 if (!SN.C.I.CounterBlackout || remaining === 0) {
157                     if (counter.text() != String(remaining)) {
158                         counter.text(remaining);
159                     }
160                     if (remaining < 0) {
161                         form.addClass(SN.C.S.Warning);
162                     } else {
163                         form.removeClass(SN.C.S.Warning);
164                     }
165                     // Skip updates for the next 500ms.
166                     // On slower hardware, updating on every keypress is unpleasant.
167                     if (!SN.C.I.CounterBlackout) {
168                         SN.C.I.CounterBlackout = true;
169                         SN.C.I.FormNoticeCurrent = form;
170                         window.setTimeout("SN.U.ClearCounterBlackout(SN.C.I.FormNoticeCurrent);", 500);
171                     }
172                 }
173             }
174         },
175
176         /**
177          * Pull the count of characters in the current edit field.
178          * Plugins replacing the edit control may need to override this.
179          *
180          * @param {jQuery} form: jQuery object whose first element is the notice posting form
181          * @return number of chars
182          */
183         CharacterCount: function (form) {
184             return form.find('.notice_data-text:first').val().length;
185         },
186
187         /**
188          * Called internally after the counter update blackout period expires;
189          * runs another update to make sure we didn't miss anything.
190          *
191          * @param {jQuery} form: jQuery object whose first element is the notice posting form
192          * @access private
193          */
194         ClearCounterBlackout: function (form) {
195             // Allow keyup events to poke the counter again
196             SN.C.I.CounterBlackout = false;
197             // Check if the string changed since we last looked
198             SN.U.Counter(form);
199         },
200
201         /**
202          * Helper function to rewrite default HTTP form action URLs to HTTPS
203          * so we can actually fetch them when on an SSL page in ssl=sometimes
204          * mode.
205          *
206          * It would be better to output URLs that didn't hardcode protocol
207          * and hostname in the first place...
208          *
209          * @param {String} url
210          * @return string
211          */
212         RewriteAjaxAction: function (url) {
213             // Quick hack: rewrite AJAX submits to HTTPS if they'd fail otherwise.
214             if (document.location.protocol === 'https:' && url.substr(0, 5) === 'http:') {
215                 return url.replace(/^http:\/\/[^:\/]+/, 'https://' + document.location.host);
216             }
217             return url;
218         },
219
220         /**
221          * Grabs form data and submits it asynchronously, with 'ajax=1'
222          * parameter added to the rest.
223          *
224          * If a successful response includes another form, that form
225          * will be extracted and copied in, replacing the original form.
226          * If there's no form, the first paragraph will be used.
227          *
228          * This will automatically be applied on the 'submit' event for
229          * any form with the 'ajax' class.
230          *
231          * @fixme can sometimes explode confusingly if returnd data is bogus
232          * @fixme error handling is pretty vague
233          * @fixme can't submit file uploads
234          *
235          * @param {jQuery} form: jQuery object whose first element is a form
236          * @param function onSuccess: something extra to do on success
237          *
238          * @access public
239          */
240         FormXHR: function (form, onSuccess) {
241             $.ajax({
242                 type: 'POST',
243                 dataType: 'xml',
244                 url: SN.U.RewriteAjaxAction(form.attr('action')),
245                 data: form.serialize() + '&ajax=1',
246                 beforeSend: function (xhr) {
247                     form
248                         .addClass(SN.C.S.Processing)
249                         .find('.submit')
250                             .addClass(SN.C.S.Disabled)
251                             .prop(SN.C.S.Disabled, true);
252                 },
253                 error: function (xhr, textStatus, errorThrown) {
254                     // If the server end reported an error from StatusNet,
255                     // find it -- otherwise we'll see what was reported
256                     // from the browser.
257                     var errorReported = null;
258                     if (xhr.responseXML) {
259                         errorReported = $('#error', xhr.responseXML).text();
260                     }
261                     window.alert(errorReported || errorThrown || textStatus);
262
263                     // Restore the form to original state.
264                     // Hopefully. :D
265                     form
266                         .removeClass(SN.C.S.Processing)
267                         .find('.submit')
268                             .removeClass(SN.C.S.Disabled)
269                             .prop(SN.C.S.Disabled, false);
270                 },
271                 success: function (data, textStatus) {
272                     if ($('form', data)[0] !== undefined) {
273                         var form_new = document._importNode($('form', data)[0], true);
274                         form.replaceWith(form_new);
275                         if (onSuccess) {
276                             onSuccess();
277                         }
278                     } else if ($('p', data)[0] !== undefined) {
279                         form.replaceWith(document._importNode($('p', data)[0], true));
280                         if (onSuccess) {
281                             onSuccess();
282                         }
283                     } else {
284                         window.alert('Unknown error.');
285                     }
286                 }
287             });
288         },
289
290         /**
291          * Setup function -- DOES NOT trigger actions immediately.
292          *
293          * Sets up event handlers for special-cased async submission of the
294          * notice-posting form, including some pre-post validation.
295          *
296          * Unlike FormXHR() this does NOT submit the form immediately!
297          * It sets up event handlers so that any method of submitting the
298          * form (click on submit button, enter, submit() etc) will trigger
299          * it properly.
300          *
301          * Also unlike FormXHR(), this system will use a hidden iframe
302          * automatically to handle file uploads via <input type="file">
303          * controls.
304          *
305          * @fixme tl;dr
306          * @fixme vast swaths of duplicate code and really long variable names clutter this function up real bad
307          * @fixme error handling is unreliable
308          * @fixme cookieValue is a global variable, but probably shouldn't be
309          * @fixme saving the location cache cookies should be split out
310          * @fixme some error messages are hardcoded english: needs i18n
311          *
312          * @param {jQuery} form: jQuery object whose first element is a form
313          *
314          * @access public
315          */
316         FormNoticeXHR: function (form) {
317             SN.C.I.NoticeDataGeo = {};
318             form.append('<input type="hidden" name="ajax" value="1"/>');
319
320             // Make sure we don't have a mixed HTTP/HTTPS submission...
321             form.attr('action', SN.U.RewriteAjaxAction(form.attr('action')));
322
323             /**
324              * Show a response feedback bit under the new-notice dialog.
325              *
326              * @param {String} cls: CSS class name to use ('error' or 'success')
327              * @param {String} text
328              * @access private
329              */
330             var showFeedback = function (cls, text) {
331                 form.append(
332                     $('<p class="form_response"></p>')
333                         .addClass(cls)
334                         .text(text)
335                 );
336             };
337
338             /**
339              * Hide the previous response feedback, if any.
340              */
341             var removeFeedback = function () {
342                 form.find('.form_response').remove();
343             };
344
345             form.ajaxForm({
346                 dataType: 'xml',
347                 timeout: '60000',
348                 beforeSend: function (formData) {
349                     if (form.find('.notice_data-text:first').val() == '') {
350                         form.addClass(SN.C.S.Warning);
351                         return false;
352                     }
353                     form
354                         .addClass(SN.C.S.Processing)
355                         .find('.submit')
356                             .addClass(SN.C.S.Disabled)
357                             .prop(SN.C.S.Disabled, true);
358
359                     SN.U.normalizeGeoData(form);
360
361                     return true;
362                 },
363                 error: function (xhr, textStatus, errorThrown) {
364                     form
365                         .removeClass(SN.C.S.Processing)
366                         .find('.submit')
367                             .removeClass(SN.C.S.Disabled)
368                             .prop(SN.C.S.Disabled, false);
369                     removeFeedback();
370                     if (textStatus == 'timeout') {
371                         // @fixme i18n
372                         showFeedback('error', 'Sorry! We had trouble sending your notice. The servers are overloaded. Please try again, and contact the site administrator if this problem persists.');
373                     } else {
374                         var response = SN.U.GetResponseXML(xhr);
375                         if ($('.' + SN.C.S.Error, response).length > 0) {
376                             form.append(document._importNode($('.' + SN.C.S.Error, response)[0], true));
377                         } else {
378                             if (parseInt(xhr.status) === 0 || jQuery.inArray(parseInt(xhr.status), SN.C.I.HTTP20x30x) >= 0) {
379                                 form
380                                     .resetForm()
381                                     .find('.attach-status').remove();
382                                 SN.U.FormNoticeEnhancements(form);
383                             } else {
384                                 // @fixme i18n
385                                 showFeedback('error', '(Sorry! We had trouble sending your notice (' + xhr.status + ' ' + xhr.statusText + '). Please report the problem to the site administrator if this happens again.');
386                             }
387                         }
388                     }
389                 },
390                 success: function (data, textStatus) {
391                     removeFeedback();
392                     var errorResult = $('#' + SN.C.S.Error, data);
393                     if (errorResult.length > 0) {
394                         showFeedback('error', errorResult.text());
395                     } else {
396                         var commandResult = $('#' + SN.C.S.CommandResult, data);
397                         if (commandResult.length > 0) {
398                             showFeedback('success', commandResult.text());
399                         } else {
400                             // New notice post was successful. If on our timeline, show it!
401                             var notice = document._importNode($('li', data)[0], true);
402                             var notices = $('#notices_primary .notices:first');
403                             var replyItem = form.closest('li.notice-reply');
404
405                             if (replyItem.length > 0) {
406                                 // If this is an inline reply, remove the form...
407                                 var list = form.closest('.threaded-replies');
408                                 var placeholder = list.find('.notice-reply-placeholder');
409                                 replyItem.remove();
410
411                                 var id = $(notice).attr('id');
412                                 if ($('#' + id).length == 0) {
413                                     $(notice).insertBefore(placeholder);
414                                 } // else Realtime came through before us...
415
416                                 // ...and show the placeholder form.
417                                 placeholder.show();
418                             } else if (notices.length > 0 && SN.U.belongsOnTimeline(notice)) {
419                                 // Not a reply. If on our timeline, show it at the top!
420
421                                 if ($('#' + notice.id).length === 0) {
422                                     var notice_irt_value = form.find('[name=inreplyto]').val();
423                                     var notice_irt = '#notices_primary #notice-' + notice_irt_value;
424                                     if ($('body')[0].id == 'conversation') {
425                                         if (notice_irt_value.length > 0 && $(notice_irt + ' .notices').length < 1) {
426                                             $(notice_irt).append('<ul class="notices"></ul>');
427                                         }
428                                         $($(notice_irt + ' .notices')[0]).append(notice);
429                                     } else {
430                                         notices.prepend(notice);
431                                     }
432                                     $('#' + notice.id)
433                                         .css({display: 'none'})
434                                         .fadeIn(2500);
435                                     SN.U.NoticeWithAttachment($('#' + notice.id));
436                                     SN.U.switchInputFormTab(null);
437                                 }
438                             } else {
439                                 // Not on a timeline that this belongs on?
440                                 // Just show a success message.
441                                 // @fixme inline
442                                 showFeedback('success', $('title', data).text());
443                             }
444                         }
445                         form.resetForm();
446                         form.find('[name=inreplyto]').val('');
447                         form.find('.attach-status').remove();
448                         SN.U.FormNoticeEnhancements(form);
449                     }
450                 },
451                 complete: function (xhr, textStatus) {
452                     form
453                         .removeClass(SN.C.S.Processing)
454                         .find('.submit')
455                             .prop(SN.C.S.Disabled, false)
456                             .removeClass(SN.C.S.Disabled);
457
458                     form.find('[name=lat]').val(SN.C.I.NoticeDataGeo.NLat);
459                     form.find('[name=lon]').val(SN.C.I.NoticeDataGeo.NLon);
460                     form.find('[name=location_ns]').val(SN.C.I.NoticeDataGeo.NLNS);
461                     form.find('[name=location_id]').val(SN.C.I.NoticeDataGeo.NLID);
462                     form.find('[name=notice_data-geo]').prop('checked', SN.C.I.NoticeDataGeo.NDG);
463                 }
464             });
465         },
466
467         FormProfileSearchXHR: function (form) {
468             $.ajax({
469                 type: 'POST',
470                 dataType: 'xml',
471                 url: form.attr('action'),
472                 data: form.serialize() + '&ajax=1',
473                 beforeSend: function (xhr) {
474                     form
475                         .addClass(SN.C.S.Processing)
476                         .find('.submit')
477                             .addClass(SN.C.S.Disabled)
478                             .prop(SN.C.S.Disabled, true);
479                 },
480                 error: function (xhr, textStatus, errorThrown) {
481                     window.alert(errorThrown || textStatus);
482                 },
483                 success: function (data, textStatus) {
484                     var results_placeholder = $('#profile_search_results');
485                     if ($('ul', data)[0] !== undefined) {
486                         var list = document._importNode($('ul', data)[0], true);
487                         results_placeholder.replaceWith(list);
488                     } else {
489                         var _error = $('<li/>').append(document._importNode($('p', data)[0], true));
490                         results_placeholder.html(_error);
491                     }
492                     form
493                         .removeClass(SN.C.S.Processing)
494                         .find('.submit')
495                             .removeClass(SN.C.S.Disabled)
496                             .prop(SN.C.S.Disabled, false);
497                 }
498             });
499         },
500
501         FormPeopletagsXHR: function (form) {
502             $.ajax({
503                 type: 'POST',
504                 dataType: 'xml',
505                 url: form.attr('action'),
506                 data: form.serialize() + '&ajax=1',
507                 beforeSend: function (xhr) {
508                     form.find('.submit')
509                             .addClass(SN.C.S.Processing)
510                             .addClass(SN.C.S.Disabled)
511                             .prop(SN.C.S.Disabled, true);
512                 },
513                 error: function (xhr, textStatus, errorThrown) {
514                     window.alert(errorThrown || textStatus);
515                 },
516                 success: function (data, textStatus) {
517                     var results_placeholder = form.parents('.entity_tags');
518                     if ($('.entity_tags', data)[0] !== undefined) {
519                         var tags = document._importNode($('.entity_tags', data)[0], true);
520                         $(tags).find('.editable').append($('<button class="peopletags_edit_button"/>'));
521                         results_placeholder.replaceWith(tags);
522                     } else {
523                         results_placeholder.find('p').remove();
524                         results_placeholder.append(document._importNode($('p', data)[0], true));
525                         form.removeClass(SN.C.S.Processing)
526                             .find('.submit')
527                                 .removeClass(SN.C.S.Disabled)
528                                 .prop(SN.C.S.Disabled, false);
529                     }
530                 }
531             });
532         },
533
534         normalizeGeoData: function (form) {
535             SN.C.I.NoticeDataGeo.NLat = form.find('[name=lat]').val();
536             SN.C.I.NoticeDataGeo.NLon = form.find('[name=lon]').val();
537             SN.C.I.NoticeDataGeo.NLNS = form.find('[name=location_ns]').val();
538             SN.C.I.NoticeDataGeo.NLID = form.find('[name=location_id]').val();
539             SN.C.I.NoticeDataGeo.NDG = form.find('[name=notice_data-geo]').prop('checked'); // @fixme (does this still need to be fixed somehow?)
540
541             var cookieValue = $.cookie(SN.C.S.NoticeDataGeoCookie);
542
543             if (cookieValue !== undefined && cookieValue != 'disabled') {
544                 cookieValue = JSON.parse(cookieValue);
545                 SN.C.I.NoticeDataGeo.NLat = form.find('[name=lat]').val(cookieValue.NLat).val();
546                 SN.C.I.NoticeDataGeo.NLon = form.find('[name=lon]').val(cookieValue.NLon).val();
547                 if (cookieValue.NLNS) {
548                     SN.C.I.NoticeDataGeo.NLNS = form.find('[name=location_ns]').val(cookieValue.NLNS).val();
549                     SN.C.I.NoticeDataGeo.NLID = form.find('[name=location_id]').val(cookieValue.NLID).val();
550                 } else {
551                     form.find('[name=location_ns]').val('');
552                     form.find('[name=location_id]').val('');
553                 }
554             }
555             if (cookieValue == 'disabled') {
556                 SN.C.I.NoticeDataGeo.NDG = form.find('[name=notice_data-geo]').prop('checked', false).prop('checked');
557             } else {
558                 SN.C.I.NoticeDataGeo.NDG = form.find('[name=notice_data-geo]').prop('checked', true).prop('checked');
559             }
560
561         },
562
563         /**
564          * Fetch an XML DOM from an XHR's response data.
565          *
566          * Works around unavailable responseXML when document.domain
567          * has been modified by Meteor or other tools, in some but not
568          * all browsers.
569          *
570          * @param {XMLHTTPRequest} xhr
571          * @return DOMDocument
572          */
573         GetResponseXML: function (xhr) {
574             try {
575                 return xhr.responseXML;
576             } catch (e) {
577                 return (new DOMParser()).parseFromString(xhr.responseText, "text/xml");
578             }
579         },
580
581         /**
582          * Setup function -- DOES NOT trigger actions immediately.
583          *
584          * Sets up event handlers on all visible notice's reply buttons to
585          * tweak the new-notice form with needed variables and focus it
586          * when pushed.
587          *
588          * (This replaces the default reply button behavior to submit
589          * directly to a form which comes back with a specialized page
590          * with the form data prefilled.)
591          *
592          * @access private
593          */
594         NoticeReply: function () {
595             $(document).on('click', '#content .notice_reply', function (e) {
596                 e.preventDefault();
597                 var notice = $(this).closest('li.notice');
598                 SN.U.NoticeInlineReplyTrigger(notice);
599                 return false;
600             });
601         },
602
603         /**
604          * Stub -- kept for compat with plugins for now.
605          * @access private
606          */
607         NoticeReplyTo: function (notice) {
608         },
609
610         /**
611          * Open up a notice's inline reply box.
612          *
613          * @param {jQuery} notice: jQuery object containing one notice
614          * @param {String} initialText
615          */
616         NoticeInlineReplyTrigger: function (notice, initialText) {
617             // Find the notice we're replying to...
618             var id = $($('.notice_id', notice)[0]).text();
619             var replyForm, placeholder;
620             var parentNotice = notice;
621             var stripForm = true; // strip a couple things out of reply forms that are inline
622
623             var list = notice.closest('.notices');
624             if (list.hasClass('threaded-replies')) {
625                 // We're replying to a reply; use reply form on the end of this list.
626             } else {
627                 // We're replying to a parent notice; pull its threaded list
628                 // and we'll add on the end of it. Will add the threaded list if needed.
629                 var list = $('ul.threaded-replies', notice);
630                 if (list.length == 0) {
631                     list = $('<ul class="notices threaded-replies xoxo"></ul>');
632                     notice.append(list);
633                     list = notice.find('ul.threaded-replies');
634                 }
635             }
636
637             var nextStep = function () {
638                 // Override...?
639                 replyForm.find('input[name=inreplyto]').val(id);
640                 if (stripForm) {
641                     // Don't do this for old-school reply form, as they don't come back!
642                     replyForm.find('#notice_to').prop('disabled', true).hide();
643                     replyForm.find('#notice_private').prop('disabled', true).hide();
644                     replyForm.find('label[for=notice_to]').hide();
645                     replyForm.find('label[for=notice_private]').hide();
646                 }
647
648                 // Set focus...
649                 var text = replyForm.find('textarea');
650                 if (text.length == 0) {
651                     throw "No textarea";
652                 }
653                 var replyto = '';
654                 if (initialText) {
655                     replyto = initialText + ' ';
656                 }
657                 text.val(replyto + text.val().replace(new RegExp(replyto, 'i'), ''));
658                 text.data('initialText', $.trim(initialText));
659                 text.focus();
660                 if (text[0].setSelectionRange) {
661                     var len = text.val().length;
662                     text[0].setSelectionRange(len, len);
663                 }
664             };
665
666             // See if the form's already open...
667             replyForm = $('.notice-reply-form', list);
668             if (replyForm.length > 0) {
669                 // Update the existing form...
670                 nextStep();
671             } else {
672                 // Create the reply form entry at the end
673                 var replyItem = $('li.notice-reply > form', list);
674                 if (replyItem.length == 0) {
675                     replyItem = $('<li class="notice-reply"></li>');
676
677                     var intermediateStep = function (formMaster) {
678                         var formEl = document._importNode(formMaster, true);
679                         replyItem.append(formEl);
680                         list.append(replyItem); // *after* the placeholder
681
682                         var form = $(formEl);
683                         replyForm = form;
684                         SN.Init.NoticeFormSetup(form);
685
686                         nextStep();
687                     };
688                     if (SN.C.I.NoticeFormMaster) {
689                         // We've already saved a master copy of the form.
690                         // Clone it in!
691                         intermediateStep(SN.C.I.NoticeFormMaster);
692                     } else {
693                         // Fetch a fresh copy of the notice form over AJAX.
694                         // Warning: this can have a delay, which looks bad.
695                         // @fixme this fallback may or may not work
696                         var url = $('#form_notice').attr('action');
697                         $.get(url, {ajax: 1}, function (data, textStatus, xhr) {
698                             intermediateStep($('form', data)[0]);
699                         });
700                     }
701                 }
702             }
703         },
704
705         /**
706          * Setup function -- DOES NOT apply immediately.
707          *
708          * Uses 'on' rather than 'live' or 'bind', so applies to future as well as present items.
709          */
710         NoticeInlineReplySetup: function () {
711             // Expand conversation links
712             $(document).on('click', 'li.notice-reply-comments a', function () {
713                     var url = $(this).attr('href');
714                     var area = $(this).closest('.threaded-replies');
715                     $.get(url, {ajax: 1}, function (data, textStatus, xhr) {
716                         var replies = $('.threaded-replies', data);
717                         if (replies.length) {
718                             area.replaceWith(document._importNode(replies[0], true));
719                         }
720                     });
721                     return false;
722                 });
723         },
724
725         /**
726          * Setup function -- DOES NOT trigger actions immediately.
727          *
728          * Sets up event handlers for repeat forms to toss up a confirmation
729          * popout before submitting.
730          *
731          * Uses 'on' rather than 'live' or 'bind', so applies to future as well as present items.
732          *
733          */
734         NoticeRepeat: function () {
735             $('body').on('click', '.form_repeat', function (e) {
736                 e.preventDefault();
737
738                 SN.U.NoticeRepeatConfirmation($(this));
739                 return false;
740             });
741         },
742
743         /**
744          * Shows a confirmation dialog box variant of the repeat button form.
745          * This seems to use a technique where the repeat form contains
746          * _both_ a standalone button _and_ text and buttons for a dialog.
747          * The dialog will close after its copy of the form is submitted,
748          * or if you click its 'close' button.
749          *
750          * The dialog is created by duplicating the original form and changing
751          * its style; while clever, this is hard to generalize and probably
752          * duplicates a lot of unnecessary HTML output.
753          *
754          * @fixme create confirmation dialogs through a generalized interface
755          * that can be reused instead of hardcoded text and styles.
756          *
757          * @param {jQuery} form
758          */
759         NoticeRepeatConfirmation: function (form) {
760             var submit_i = form.find('.submit');
761
762             var submit = submit_i.clone();
763             submit
764                 .addClass('submit_dialogbox')
765                 .removeClass('submit');
766             form.append(submit);
767             submit.on('click', function () { SN.U.FormXHR(form); return false; });
768
769             submit_i.hide();
770
771             form
772                 .addClass('dialogbox')
773                 .append('<button class="close">&#215;</button>')
774                 .closest('.notice-options')
775                     .addClass('opaque');
776
777             form.find('button.close').click(function () {
778                 $(this).remove();
779
780                 form
781                     .removeClass('dialogbox')
782                     .closest('.notice-options')
783                         .removeClass('opaque');
784
785                 form.find('.submit_dialogbox').remove();
786                 form.find('.submit').show();
787
788                 return false;
789             });
790         },
791
792         /**
793          * Setup function -- DOES NOT trigger actions immediately.
794          *
795          * Goes through all notices currently displayed and sets up attachment
796          * handling if needed.
797          */
798         NoticeAttachments: function () {
799             $('.notice a.attachment').each(function () {
800                 SN.U.NoticeWithAttachment($(this).closest('.notice'));
801             });
802         },
803
804         /**
805          * Setup function -- DOES NOT trigger actions immediately.
806          *
807          * Sets up special attachment link handling if needed. Currently this
808          * consists only of making the "more" button used for OStatus message
809          * cropping turn into an auto-expansion button that loads the full
810          * text from an attachment file.
811          *
812          * @param {jQuery} notice
813          */
814         NoticeWithAttachment: function (notice) {
815             if (notice.find('.attachment').length === 0) {
816                 return;
817             }
818
819                         $(document).on('click','.attachment.more',function () {
820                                 var m = $(this);
821                                 m.addClass(SN.C.S.Processing);
822                                 $.get(m.attr('href'), {ajax: 1}, function (data) {
823                                         m.parent('.e-content').html($(data).find('#attachment_view .e-content').html());
824                                 });
825
826                                 return false;
827                         });
828
829         },
830
831         /**
832          * Setup function -- DOES NOT trigger actions immediately.
833          *
834          * Sets up event handlers for the file-attachment widget in the
835          * new notice form. When a file is selected, a box will be added
836          * below the text input showing the filename and, if supported
837          * by the browser, a thumbnail preview.
838          *
839          * This preview box will also allow removing the attachment
840          * prior to posting.
841          *
842          * @param {jQuery} form
843          */
844         NoticeDataAttach: function (form) {
845             var i;
846             var NDA = form.find('input[type=file]');
847             NDA.change(function (event) {
848                 form.find('.attach-status').remove();
849
850                 var filename = $(this).val();
851                 if (!filename) {
852                     // No file -- we've been tricked!
853                     return false;
854                 }
855
856                 var attachStatus = $('<div class="attach-status ' + SN.C.S.Success + '"><code></code> <button class="close">&#215;</button></div>');
857                 attachStatus.find('code').text(filename);
858                 attachStatus.find('button').click(function () {
859                     attachStatus.remove();
860                     NDA.val('');
861
862                     return false;
863                 });
864                 form.append(attachStatus);
865
866                 if (typeof this.files === "object") {
867                     // Some newer browsers will let us fetch the files for preview.
868                     for (i = 0; i < this.files.length; i++) {
869                         SN.U.PreviewAttach(form, this.files[i]);
870                     }
871                 }
872             });
873         },
874
875         /**
876          * Get PHP's MAX_FILE_SIZE setting for this form;
877          * used to apply client-side file size limit checks.
878          *
879          * @param {jQuery} form
880          * @return int max size in bytes; 0 or negative means no limit
881          */
882         maxFileSize: function (form) {
883             var max = $(form).find('input[name=MAX_FILE_SIZE]').attr('value');
884             if (max) {
885                 return parseInt(max);
886             }
887             return 0;
888         },
889
890         /**
891          * For browsers with FileAPI support: make a thumbnail if possible,
892          * and append it into the attachment display widget.
893          *
894          * Known good:
895          * - Firefox 3.6.6, 4.0b7
896          * - Chrome 8.0.552.210
897          *
898          * Known ok metadata, can't get contents:
899          * - Safari 5.0.2
900          *
901          * Known fail:
902          * - Opera 10.63, 11 beta (no input.files interface)
903          *
904          * @param {jQuery} form
905          * @param {File} file
906          *
907          * @todo use configured thumbnail size
908          * @todo detect pixel size?
909          * @todo should we render a thumbnail to a canvas and then use the smaller image?
910          */
911         PreviewAttach: function (form, file) {
912             var tooltip = file.type + ' ' + Math.round(file.size / 1024) + 'KB';
913             var preview = true;
914
915             var blobAsDataURL;
916             if (window.createObjectURL !== undefined) {
917                 /**
918                  * createObjectURL lets us reference the file directly from an <img>
919                  * This produces a compact URL with an opaque reference to the file,
920                  * which we can reference immediately.
921                  *
922                  * - Firefox 3.6.6: no
923                  * - Firefox 4.0b7: no
924                  * - Safari 5.0.2: no
925                  * - Chrome 8.0.552.210: works!
926                  */
927                 blobAsDataURL = function (blob, callback) {
928                     callback(window.createObjectURL(blob));
929                 };
930             } else if (window.FileReader !== undefined) {
931                 /**
932                  * FileAPI's FileReader can build a data URL from a blob's contents,
933                  * but it must read the file and build it asynchronously. This means
934                  * we'll be passing a giant data URL around, which may be inefficient.
935                  *
936                  * - Firefox 3.6.6: works!
937                  * - Firefox 4.0b7: works!
938                  * - Safari 5.0.2: no
939                  * - Chrome 8.0.552.210: works!
940                  */
941                 blobAsDataURL = function (blob, callback) {
942                     var reader = new FileReader();
943                     reader.onload = function (event) {
944                         callback(reader.result);
945                     };
946                     reader.readAsDataURL(blob);
947                 };
948             } else {
949                 preview = false;
950             }
951
952             var imageTypes = ['image/png', 'image/jpeg', 'image/gif', 'image/svg+xml'];
953             if ($.inArray(file.type, imageTypes) == -1) {
954                 // We probably don't know how to show the file.
955                 preview = false;
956             }
957
958             var maxSize = 8 * 1024 * 1024;
959             if (file.size > maxSize) {
960                 // Don't kill the browser trying to load some giant image.
961                 preview = false;
962             }
963
964             if (preview) {
965                 blobAsDataURL(file, function (url) {
966                     var img = $('<img>')
967                         .attr('title', tooltip)
968                         .attr('alt', tooltip)
969                         .attr('src', url)
970                         .attr('style', 'height: 120px');
971                     form.find('.attach-status').append(img);
972                 });
973             } else {
974                 var img = $('<div></div>').text(tooltip);
975                 form.find('.attach-status').append(img);
976             }
977         },
978
979         /**
980          * Setup function -- DOES NOT trigger actions immediately.
981          *
982          * Initializes state for the location-lookup features in the
983          * new-notice form. Seems to set up some event handlers for
984          * triggering lookups and using the new values.
985          *
986          * @param {jQuery} form
987          *
988          * @fixme tl;dr
989          * @fixme there's not good visual state update here, so users have a
990          *        hard time figuring out if it's working or fixing if it's wrong.
991          *
992          */
993         NoticeLocationAttach: function (form) {
994             // @fixme this should not be tied to the main notice form, as there may be multiple notice forms...
995             var NLat = form.find('[name=lat]');
996             var NLon = form.find('[name=lon]');
997             var NLNS = form.find('[name=location_ns]').val();
998             var NLID = form.find('[name=location_id]').val();
999             var NLN = ''; // @fixme
1000             var NDGe = form.find('[name=notice_data-geo]');
1001             var check = form.find('[name=notice_data-geo]');
1002             var label = form.find('label.notice_data-geo');
1003
1004             function removeNoticeDataGeo(error) {
1005                 label
1006                     .attr('title', jQuery.trim(label.text()))
1007                     .removeClass('checked');
1008
1009                 form.find('[name=lat]').val('');
1010                 form.find('[name=lon]').val('');
1011                 form.find('[name=location_ns]').val('');
1012                 form.find('[name=location_id]').val('');
1013                 form.find('[name=notice_data-geo]').prop('checked', false);
1014
1015                 $.cookie(SN.C.S.NoticeDataGeoCookie, 'disabled', { path: '/' });
1016
1017                 if (error) {
1018                     form.find('.geo_status_wrapper').removeClass('success').addClass('error');
1019                     form.find('.geo_status_wrapper .geo_status').text(error);
1020                 } else {
1021                     form.find('.geo_status_wrapper').remove();
1022                 }
1023             }
1024
1025             function getJSONgeocodeURL(geocodeURL, data) {
1026                 SN.U.NoticeGeoStatus(form, 'Looking up place name...');
1027                 $.getJSON(geocodeURL, data, function (location) {
1028                     var lns, lid, NLN_text;
1029
1030                     if (location.location_ns !== undefined) {
1031                         form.find('[name=location_ns]').val(location.location_ns);
1032                         lns = location.location_ns;
1033                     }
1034
1035                     if (location.location_id !== undefined) {
1036                         form.find('[name=location_id]').val(location.location_id);
1037                         lid = location.location_id;
1038                     }
1039
1040                     if (location.name === undefined) {
1041                         NLN_text = data.lat + ';' + data.lon;
1042                     } else {
1043                         NLN_text = location.name;
1044                     }
1045
1046                     SN.U.NoticeGeoStatus(form, NLN_text, data.lat, data.lon, location.url);
1047                     label
1048                         .attr('title', NoticeDataGeo_text.ShareDisable + ' (' + NLN_text + ')');
1049
1050                     form.find('[name=lat]').val(data.lat);
1051                     form.find('[name=lon]').val(data.lon);
1052                     form.find('[name=location_ns]').val(lns);
1053                     form.find('[name=location_id]').val(lid);
1054                     form.find('[name=notice_data-geo]').prop('checked', true);
1055
1056                     var cookieValue = {
1057                         NLat: data.lat,
1058                         NLon: data.lon,
1059                         NLNS: lns,
1060                         NLID: lid,
1061                         NLN: NLN_text,
1062                         NLNU: location.url,
1063                         NDG: true
1064                     };
1065
1066                     $.cookie(SN.C.S.NoticeDataGeoCookie, JSON.stringify(cookieValue), { path: '/' });
1067                 });
1068             }
1069
1070             if (check.length > 0) {
1071                 if ($.cookie(SN.C.S.NoticeDataGeoCookie) == 'disabled') {
1072                     check.prop('checked', false);
1073                 } else {
1074                     check.prop('checked', true);
1075                 }
1076
1077                 var NGW = form.find('.notice_data-geo_wrap');
1078                 var geocodeURL = NGW.attr('data-api');
1079
1080                 label.attr('title', label.text());
1081
1082                 check.change(function () {
1083                     if (check.prop('checked') === true || $.cookie(SN.C.S.NoticeDataGeoCookie) === null) {
1084                         label
1085                             .attr('title', NoticeDataGeo_text.ShareDisable)
1086                             .addClass('checked');
1087
1088                         if ($.cookie(SN.C.S.NoticeDataGeoCookie) === null || $.cookie(SN.C.S.NoticeDataGeoCookie) == 'disabled') {
1089                             if (navigator.geolocation) {
1090                                 SN.U.NoticeGeoStatus(form, 'Requesting location from browser...');
1091                                 navigator.geolocation.getCurrentPosition(
1092                                     function (position) {
1093                                         form.find('[name=lat]').val(position.coords.latitude);
1094                                         form.find('[name=lon]').val(position.coords.longitude);
1095
1096                                         var data = {
1097                                             lat: position.coords.latitude,
1098                                             lon: position.coords.longitude,
1099                                             token: $('#token').val()
1100                                         };
1101
1102                                         getJSONgeocodeURL(geocodeURL, data);
1103                                     },
1104
1105                                     function (error) {
1106                                         switch(error.code) {
1107                                             case error.PERMISSION_DENIED:
1108                                                 removeNoticeDataGeo('Location permission denied.');
1109                                                 break;
1110                                             case error.TIMEOUT:
1111                                                 //$('#' + SN.C.S.NoticeDataGeo).prop('checked', false);
1112                                                 removeNoticeDataGeo('Location lookup timeout.');
1113                                                 break;
1114                                         }
1115                                     },
1116
1117                                     {
1118                                         timeout: 10000
1119                                     }
1120                                 );
1121                             } else {
1122                                 if (NLat.length > 0 && NLon.length > 0) {
1123                                     var data = {
1124                                         lat: NLat,
1125                                         lon: NLon,
1126                                         token: $('#token').val()
1127                                     };
1128
1129                                     getJSONgeocodeURL(geocodeURL, data);
1130                                 } else {
1131                                     removeNoticeDataGeo();
1132                                     check.remove();
1133                                     label.remove();
1134                                 }
1135                             }
1136                         } else {
1137                             try {
1138                                 var cookieValue = JSON.parse($.cookie(SN.C.S.NoticeDataGeoCookie));
1139
1140                                 form.find('[name=lat]').val(cookieValue.NLat);
1141                                 form.find('[name=lon]').val(cookieValue.NLon);
1142                                 form.find('[name=location_ns]').val(cookieValue.NLNS);
1143                                 form.find('[name=location_id]').val(cookieValue.NLID);
1144                                 form.find('[name=notice_data-geo]').prop('checked', cookieValue.NDG);
1145
1146                                SN.U.NoticeGeoStatus(form, cookieValue.NLN, cookieValue.NLat, cookieValue.NLon, cookieValue.NLNU);
1147                                 label
1148                                     .attr('title', NoticeDataGeo_text.ShareDisable + ' (' + cookieValue.NLN + ')')
1149                                     .addClass('checked');
1150                             } catch (e) {
1151                                 console.log('Parsing error:', e);
1152                             }
1153                         }
1154                     } else {
1155                         removeNoticeDataGeo();
1156                     }
1157                 }).change();
1158             }
1159         },
1160
1161         /**
1162          * Create or update a geolocation status widget in this notice posting form.
1163          *
1164          * @param {jQuery} form
1165          * @param {String} status
1166          * @param {String} lat (optional)
1167          * @param {String} lon (optional)
1168          * @param {String} url (optional)
1169          */
1170         NoticeGeoStatus: function (form, status, lat, lon, url)
1171         {
1172             var wrapper = form.find('.geo_status_wrapper');
1173             if (wrapper.length == 0) {
1174                 wrapper = $('<div class="' + SN.C.S.Success + ' geo_status_wrapper"><button class="close" style="float:right">&#215;</button><div class="geo_status"></div></div>');
1175                 wrapper.find('button.close').click(function () {
1176                     form.find('[name=notice_data-geo]').prop('checked', false).change();
1177                     return false;
1178                 });
1179                 form.append(wrapper);
1180             }
1181             var label;
1182             if (url) {
1183                 label = $('<a></a>').attr('href', url);
1184             } else {
1185                 label = $('<span></span>');
1186             }
1187             label.text(status);
1188             if (lat || lon) {
1189                 var latlon = lat + ';' + lon;
1190                 label.attr('title', latlon);
1191                 if (!status) {
1192                     label.text(latlon)
1193                 }
1194             }
1195             wrapper.find('.geo_status').empty().append(label);
1196         },
1197
1198         /**
1199          * Setup function -- DOES NOT trigger actions immediately.
1200          *
1201          * Initializes event handlers for the "Send direct message" link on
1202          * profile pages, setting it up to display a dialog box when clicked.
1203          *
1204          * Unlike the repeat confirmation form, this appears to fetch
1205          * the form _from the original link target_, so the form itself
1206          * doesn't need to be in the current document.
1207          *
1208          * @fixme breaks ability to open link in new window?
1209          */
1210         NewDirectMessage: function () {
1211             NDM = $('.entity_send-a-message a');
1212             NDM.attr({'href': NDM.attr('href') + '&ajax=1'});
1213             NDM.on('click', function () {
1214                 var NDMF = $('.entity_send-a-message form');
1215                 if (NDMF.length === 0) {
1216                     $(this).addClass(SN.C.S.Processing);
1217                     $.get(NDM.attr('href'), null, function (data) {
1218                         $('.entity_send-a-message').append(document._importNode($('form', data)[0], true));
1219                         NDMF = $('.entity_send-a-message .form_notice');
1220                         SN.U.FormNoticeXHR(NDMF);
1221                         SN.U.FormNoticeEnhancements(NDMF);
1222                         NDMF.append('<button class="close">&#215;</button>');
1223                         $('.entity_send-a-message button').click(function () {
1224                             NDMF.hide();
1225                             return false;
1226                         });
1227                         NDM.removeClass(SN.C.S.Processing);
1228                     });
1229                 } else {
1230                     NDMF.show();
1231                     $('.entity_send-a-message textarea').focus();
1232                 }
1233                 return false;
1234             });
1235         },
1236
1237         /**
1238          * Return a date object with the current local time on the
1239          * given year, month, and day.
1240          *
1241          * @param {number} year: 4-digit year
1242          * @param {number} month: 0 == January
1243          * @param {number} day: 1 == 1
1244          * @return {Date}
1245          */
1246         GetFullYear: function (year, month, day) {
1247             var date = new Date();
1248             date.setFullYear(year, month, day);
1249
1250             return date;
1251         },
1252
1253         /**
1254          * Some sort of object interface for storing some structured
1255          * information in a cookie.
1256          *
1257          * Appears to be used to save the last-used login nickname?
1258          * That's something that browsers usually take care of for us
1259          * these days, do we really need to do it? Does anything else
1260          * use this interface?
1261          *
1262          * @fixme what is this?
1263          * @fixme should this use non-cookie local storage when available?
1264          */
1265         StatusNetInstance: {
1266             /**
1267              * @fixme what is this?
1268              */
1269             Set: function (value) {
1270                 var SNI = SN.U.StatusNetInstance.Get();
1271                 if (SNI !== null) {
1272                     value = $.extend(SNI, value);
1273                 }
1274
1275                 $.cookie(
1276                     SN.C.S.StatusNetInstance,
1277                     JSON.stringify(value),
1278                     {
1279                         path: '/',
1280                         expires: SN.U.GetFullYear(2029, 0, 1)
1281                     });
1282             },
1283
1284             /**
1285              * @fixme what is this?
1286              */
1287             Get: function () {
1288                 var cookieValue = $.cookie(SN.C.S.StatusNetInstance);
1289                 if (cookieValue !== undefined) {
1290                     return JSON.parse(cookieValue);
1291                 }
1292                 return null;
1293             },
1294
1295             /**
1296              * @fixme what is this?
1297              */
1298             Delete: function () {
1299                 $.cookie(SN.C.S.StatusNetInstance, null);
1300             }
1301         },
1302
1303         /**
1304          * Check if the current page is a timeline where the current user's
1305          * posts should be displayed immediately on success.
1306          *
1307          * @fixme this should be done in a saner way, with machine-readable
1308          * info about what page we're looking at.
1309          *
1310          * @param {DOMElement} notice: HTML chunk with formatted notice
1311          * @return boolean
1312          */
1313         belongsOnTimeline: function (notice) {
1314             var action = $("body").attr('id');
1315             if (action == 'public') {
1316                 return true;
1317             }
1318
1319             var profileLink = $('#nav_profile a').attr('href');
1320             if (profileLink) {
1321                 var authorUrl = $(notice).find('.h-card.p-author').attr('href');
1322                 if (authorUrl == profileLink) {
1323                     if (action == 'all' || action == 'showstream') {
1324                         // Posts always show on your own friends and profile streams.
1325                         return true;
1326                     }
1327                 }
1328             }
1329
1330             // @fixme tag, group, reply timelines should be feasible as well.
1331             // Mismatch between id-based and name-based user/group links currently complicates
1332             // the lookup, since all our inline mentions contain the absolute links but the
1333             // UI links currently on the page use malleable names.
1334             
1335             return false;
1336         },
1337
1338         /**
1339          * Switch to another active input sub-form.
1340          * This will hide the current form (if any), show the new one, and
1341          * update the input type tab selection state.
1342          *
1343          * @param {String} tag
1344          */
1345         switchInputFormTab: function (tag, setFocus) {
1346             if (typeof setFocus === 'undefined') { setFocus = true; }
1347             // The one that's current isn't current anymore
1348             $('.input_form_nav_tab.current').removeClass('current');
1349             if (tag != null) {
1350                 $('#input_form_nav_' + tag).addClass('current');
1351             }
1352
1353             // Don't remove 'current' if we also have the "nonav" class.
1354             // An example would be the message input form. removing
1355             // 'current' will cause the form to vanish from the page.
1356             var nonav = $('.input_form.current.nonav');
1357             if (nonav.length > 0) {
1358                 return;
1359             }
1360
1361             $('.input_form.current').removeClass('current');
1362             if (tag == null) {
1363                 // we're done here, no new inputform to focus on
1364                 return false;
1365             }
1366
1367             var noticeForm = $('#input_form_' + tag)
1368                     .addClass('current')
1369                     .find('.ajax-notice').each(function () {
1370                         var form = $(this);
1371                         SN.Init.NoticeFormSetup(form);
1372                     });
1373             if (setFocus) {
1374                 noticeForm.find('.notice_data-text').focus();
1375             }
1376
1377             return false;
1378         },
1379
1380         showMoreMenuItems: function (menuid) {
1381             $('#' + menuid + ' .more_link').remove();
1382             var selector = '#' + menuid + ' .extended_menu';
1383             var extended = $(selector);
1384             extended.removeClass('extended_menu');
1385             return void(0);
1386         }
1387     },
1388
1389     Init: {
1390         /**
1391          * If user is logged in, run setup code for the new notice form:
1392          *
1393          *  - char counter
1394          *  - AJAX submission
1395          *  - location events
1396          *  - file upload events
1397          */
1398         NoticeForm: function () {
1399             if ($('body.user_in').length > 0) {
1400                 // SN.Init.NoticeFormSetup() will get run
1401                 // when forms get displayed for the first time...
1402
1403                 // Initialize the input form field
1404                 $('#input_form_nav .input_form_nav_tab.current').each(function () {
1405                     current_tab_id = $(this).attr('id').substring('input_form_nav_'.length);
1406                     SN.U.switchInputFormTab(current_tab_id, false);
1407                 });
1408
1409                 // Make inline reply forms self-close when clicking out.
1410                 $('body').on('click', function (e) {
1411                     var openReplies = $('li.notice-reply');
1412                     if (openReplies.length > 0) {
1413                         var target = $(e.target);
1414                         openReplies.each(function () {
1415                             // Did we click outside this one?
1416                             var replyItem = $(this);
1417                             if (replyItem.has(e.target).length == 0) {
1418                                 var textarea = replyItem.find('.notice_data-text:first');
1419                                 var cur = $.trim(textarea.val());
1420                                 // Only close if there's been no edit.
1421                                 if (cur == '' || cur == textarea.data('initialText')) {
1422                                     var parentNotice = replyItem.closest('li.notice');
1423                                     replyItem.remove();
1424                                     parentNotice.find('li.notice-reply-placeholder').show();
1425                                 }
1426                             }
1427                         });
1428                     }
1429                 });
1430
1431                 // Infield labels for notice form inputs.
1432                 $('.input_forms fieldset fieldset label').inFieldLabels({ fadeOpacity:0 });
1433             }
1434         },
1435
1436         /**
1437          * Encapsulate notice form setup for a single form.
1438          * Plugins can add extra setup by monkeypatching this
1439          * function.
1440          *
1441          * @param {jQuery} form
1442          */
1443         NoticeFormSetup: function (form) {
1444             if (!form.data('NoticeFormSetup')) {
1445                 SN.U.NoticeLocationAttach(form);
1446                 SN.U.FormNoticeXHR(form);
1447                 SN.U.FormNoticeEnhancements(form);
1448                 SN.U.NoticeDataAttach(form);
1449                 form.data('NoticeFormSetup', true);
1450             }
1451         },
1452
1453         /**
1454          * Run setup code for notice timeline views items:
1455          *
1456          * - AJAX submission for fave/repeat/reply (if logged in)
1457          * - Attachment link extras ('more' links)
1458          */
1459         Notices: function () {
1460             if ($('body.user_in').length > 0) {
1461                 var masterForm = $('.form_notice:first');
1462                 if (masterForm.length > 0) {
1463                     SN.C.I.NoticeFormMaster = document._importNode(masterForm[0], true);
1464                 }
1465                 SN.U.NoticeRepeat();
1466                 SN.U.NoticeReply();
1467                 SN.U.NoticeInlineReplySetup();
1468             }
1469
1470             SN.U.NoticeAttachments();
1471         },
1472
1473         /**
1474          * Run setup code for user & group profile page header area if logged in:
1475          *
1476          * - AJAX submission for sub/unsub/join/leave/nudge
1477          * - AJAX form popup for direct-message
1478          */
1479         EntityActions: function () {
1480             if ($('body.user_in').length > 0) {
1481                 $(document).on('click', '.form_user_subscribe', function () { SN.U.FormXHR($(this)); return false; });
1482                 $(document).on('click', '.form_user_unsubscribe', function () { SN.U.FormXHR($(this)); return false; });
1483                 $(document).on('click', '.form_group_join', function () { SN.U.FormXHR($(this)); return false; });
1484                 $(document).on('click', '.form_group_leave', function () { SN.U.FormXHR($(this)); return false; });
1485                 $(document).on('click', '.form_user_nudge', function () { SN.U.FormXHR($(this)); return false; });
1486                 $(document).on('click', '.form_peopletag_subscribe', function () { SN.U.FormXHR($(this)); return false; });
1487                 $(document).on('click', '.form_peopletag_unsubscribe', function () { SN.U.FormXHR($(this)); return false; });
1488                 $(document).on('click', '.form_user_add_peopletag', function () { SN.U.FormXHR($(this)); return false; });
1489                 $(document).on('click', '.form_user_remove_peopletag', function () { SN.U.FormXHR($(this)); return false; });
1490
1491                 SN.U.NewDirectMessage();
1492             }
1493         },
1494
1495         ProfileSearch: function () {
1496             if ($('body.user_in').length > 0) {
1497                 $(document).on('click', '.form_peopletag_edit_user_search input.submit', function () {
1498                     SN.U.FormProfileSearchXHR($(this).parents('form')); return false;
1499                 });
1500             }
1501         },
1502
1503         /**
1504          * Run setup code for login form:
1505          *
1506          * - loads saved last-used-nickname from cookie
1507          * - sets event handler to save nickname to cookie on submit
1508          *
1509          * @fixme is this necessary? Browsers do their own form saving these days.
1510          */
1511         Login: function () {
1512             if (SN.U.StatusNetInstance.Get() !== null) {
1513                 var nickname = SN.U.StatusNetInstance.Get().Nickname;
1514                 if (nickname !== null) {
1515                     $('#form_login #nickname').val(nickname);
1516                 }
1517             }
1518
1519             $('#form_login').on('submit', function () {
1520                 SN.U.StatusNetInstance.Set({Nickname: $('#form_login #nickname').val()});
1521                 return true;
1522             });
1523         },
1524
1525         /**
1526          * Run setup for the ajax people tags editor
1527          *
1528          * - show edit button
1529          * - set event handle for click on edit button
1530          *   - loads people tag autocompletion data if not already present
1531          *     or if it is stale.
1532          *
1533          */
1534         PeopleTags: function () {
1535             $('.user_profile_tags .editable').append($('<button class="peopletags_edit_button"/>'));
1536
1537             $(document).on('click', '.peopletags_edit_button', function () {
1538                 var form = $(this).parents('dd').eq(0).find('form');
1539                 // We can buy time from the above animation
1540
1541                 $.ajax({
1542                     url: _peopletagAC,
1543                     dataType: 'json',
1544                     data: {token: $('#token').val()},
1545                     ifModified: true,
1546                     success: function (data) {
1547                         // item.label is used to match
1548                         for (i=0; i < data.length; i++) {
1549                             data[i].label = data[i].tag;
1550                         }
1551
1552                         SN.C.PtagACData = data;
1553                     }
1554                 });
1555
1556                 $(this).parents('ul').eq(0).fadeOut(200, function () {form.fadeIn(200).find('input#tags')});
1557             });
1558
1559             $(document).on('click', '.user_profile_tags form .submit', function () {
1560                 SN.U.FormPeopletagsXHR($(this).parents('form')); return false;
1561             });
1562         },
1563
1564         /**
1565          * Set up any generic 'ajax' form so it submits via AJAX with auto-replacement.
1566          */
1567         AjaxForms: function () {
1568             $(document).on('submit', 'form.ajax', function () {
1569                 SN.U.FormXHR($(this));
1570                 return false;
1571             });
1572             $(document).on('click', 'form.ajax input[type=submit]', function () {
1573                 // Some forms rely on knowing which submit button was clicked.
1574                 // Save a hidden input field which'll be picked up during AJAX
1575                 // submit...
1576                 var button = $(this);
1577                 var form = button.closest('form');
1578                 form.find('.hidden-submit-button').remove();
1579                 $('<input class="hidden-submit-button" type="hidden" />')
1580                     .attr('name', button.attr('name'))
1581                     .val(button.val())
1582                     .appendTo(form);
1583             });
1584         },
1585
1586         /**
1587          * Add logic to any file upload forms to handle file size limits,
1588          * on browsers that support basic FileAPI.
1589          */
1590         UploadForms: function () {
1591             $('input[type=file]').change(function (event) {
1592                 if (typeof this.files === "object" && this.files.length > 0) {
1593                     var size = 0;
1594                     for (var i = 0; i < this.files.length; i++) {
1595                         size += this.files[i].size;
1596                     }
1597
1598                     var max = SN.U.maxFileSize($(this.form));
1599                     if (max > 0 && size > max) {
1600                         var msg = 'File too large: maximum upload size is %d bytes.';
1601                         alert(msg.replace('%d', max));
1602
1603                         // Clear the files.
1604                         $(this).val('');
1605                         event.preventDefault();
1606                         return false;
1607                     }
1608                 }
1609             });
1610         },
1611
1612         CheckBoxes: function () {
1613             $("span[class='checkbox-wrapper']").addClass("unchecked");
1614             $(".checkbox-wrapper").click(function () {
1615                 if ($(this).children("input").prop("checked")) {
1616                     // uncheck
1617                     $(this).children("input").prop("checked", false);
1618                     $(this).removeClass("checked");
1619                     $(this).addClass("unchecked");
1620                     $(this).children("label").text("Private?");
1621                 } else {
1622                     // check
1623                     $(this).children("input").prop("checked", true);
1624                     $(this).removeClass("unchecked");
1625                     $(this).addClass("checked");
1626                     $(this).children("label").text("Private");
1627                 }
1628             });
1629         }
1630     }
1631 };
1632
1633 /**
1634  * Run initialization functions on DOM-ready.
1635  *
1636  * Note that if we're waiting on other scripts to load, this won't happen
1637  * until that's done. To load scripts asynchronously without delaying setup,
1638  * don't start them loading until after DOM-ready time!
1639  */
1640 $(function () {
1641     SN.Init.AjaxForms();
1642     SN.Init.UploadForms();
1643     SN.Init.CheckBoxes();
1644     if ($('.' + SN.C.S.FormNotice).length > 0) {
1645         SN.Init.NoticeForm();
1646     }
1647     if ($('#content .notices').length > 0) {
1648         SN.Init.Notices();
1649     }
1650     if ($('#content .entity_actions').length > 0) {
1651         SN.Init.EntityActions();
1652     }
1653     if ($('#form_login').length > 0) {
1654         SN.Init.Login();
1655     }
1656     if ($('#profile_search_results').length > 0) {
1657         SN.Init.ProfileSearch();
1658     }
1659     if ($('.user_profile_tags .editable').length > 0) {
1660         SN.Init.PeopleTags();
1661     }
1662 });
1663