diff --git a/apps/search/tests/test_json.py b/apps/search/tests/test_json.py index 0b89a6c7fb1..3e0dc0f622c 100644 --- a/apps/search/tests/test_json.py +++ b/apps/search/tests/test_json.py @@ -2,6 +2,8 @@ from django.test.client import Client +import test_utils + from sumo.urlresolvers import reverse from .test_search import SphinxTestCase @@ -51,3 +53,35 @@ def test_json_callback_validation(self): }) eq_(response['Content-Type'], 'application/x-javascript') eq_(response.status_code, status) + + def test_json_empty_query(self): + """Empty query returns JSON format""" + c = Client() + + # Test with flags for advanced search or not + a_types = (0, 1, 2) + for a in a_types: + response = c.get(reverse('search'), { + 'format': 'json', 'a': a, + }) + eq_(response['Content-Type'], 'application/json') + + +def test_json_down(): + """When the Sphinx is down, return JSON and 503 status""" + c = Client() + + # Test with flags for advanced search or not + callbacks = ( + ('', 503, 'application/json'), + ('validCallback', 503, 'application/x-javascript'), + # Invalid callback does not search + ('eval("xss");a', 400, 'application/x-javascript'), + ) + for callback, status, mimetype in callbacks: + response = c.get(reverse('search'), { + 'q': 'json down', 'format': 'json', + 'callback': callback, + }) + eq_(response['Content-Type'], mimetype); + eq_(response.status_code, status) diff --git a/apps/search/tests/test_search.py b/apps/search/tests/test_search.py index 8ca8eb24c79..74164c526a2 100644 --- a/apps/search/tests/test_search.py +++ b/apps/search/tests/test_search.py @@ -102,6 +102,21 @@ def create_extra_tables(): (62, 14), (62, 19), (62, 25); """) + cursor.execute(""" + INSERT IGNORE INTO tiki_freetags (tagId, tag, raw_tag, lang) VALUES + (1, 'installation', 'installation', 'en'), + (26, 'video', 'video', 'en'), + (28, 'realplayer', 'realplayer', 'en'); + """) + + cursor.execute(""" + INSERT IGNORE INTO tiki_freetagged_objects (tagId, objectId, user, + created) VALUES + (1, 5, 'admin', 1185895872), + (26, 62, 'np', 188586976), + (28, 62, 'Vectorspace', 186155207); + """) + cursor.execute('SET SQL_NOTES=@OLD_SQL_NOTES;') @@ -163,27 +178,41 @@ def tearDownClass(cls): class SearchTest(SphinxTestCase): + def setUp(self): + SphinxTestCase.setUp(self) + self.client = client.Client() + def test_indexer(self): wc = WikiClient() results = wc.query('practice') self.assertNotEquals(0, len(results)) + def test_content(self): + """Ensure template is rendered with no errors for a common search""" + response = self.client.get(reverse('search'), {'q': 'audio', 'w': 3}) + self.assertEquals(response['Content-Type'], + 'text/html; charset=utf-8') + self.assertEquals(response.status_code, 200) + def test_category_filter(self): wc = WikiClient() results = wc.query('', ({'filter': 'category', 'value': [13]},)) self.assertNotEquals(0, len(results)) def test_category_exclude(self): - c = client.Client() - response = c.get(reverse('search'), - {'q': 'audio', 'format': 'json', 'w': 3}) + response = self.client.get(reverse('search'), + {'q': 'audio', 'format': 'json', 'w': 3}) self.assertNotEquals(0, json.loads(response.content)['total']) - response = c.get(reverse('search'), - {'q': 'audio', 'category': [-13] + - list(settings.SEARCH_DEFAULT_CATEGORIES), - 'format': 'json', 'w': 1}) - self.assertEquals(0, json.loads(response.content)['total']) + response = self.client.get(reverse('search'), + {'q': 'audio', 'category': -13, + 'format': 'json', 'w': 1}) + self.assertEquals(1, json.loads(response.content)['total']) + + def test_category_invalid(self): + qs = {'a': 1, 'w': 3, 'format': 'json', 'category': 'invalid'} + response = self.client.get(reverse('search'), qs) + self.assertNotEquals(0, json.loads(response.content)['total']) def test_no_filter(self): """Test searching with no filters.""" @@ -204,9 +233,8 @@ def test_range_filter(self): def test_search_en_locale(self): """Searches from the en-US locale should return documents from en.""" - c = client.Client() qs = {'q': 'contribute', 'w': 1, 'format': 'json', 'category': 23} - response = c.get(reverse('search'), qs) + response = self.client.get(reverse('search'), qs) self.assertNotEquals(0, json.loads(response.content)['total']) def test_sort_mode(self): @@ -226,6 +254,77 @@ def test_sort_mode(self): results[-1]['attrs'][test_for[i]]) i += 1 + def test_lastmodif(self): + qs = {'a': 1, 'w': 3, 'format': 'json', 'lastmodif': 1} + response = self.client.get(reverse('search'), qs) + self.assertNotEquals(0, json.loads(response.content)['total']) + + def test_created(self): + qs = {'a': 1, 'w': 2, 'format': 'json', + 'sortby': 2, 'created_date': '10/13/2008'} + created_vals = ( + (1, '/8288'), + (2, '/185508'), + ) + + for created, url_id in created_vals: + qs.update({'created': created}) + response = self.client.get(reverse('search'), qs) + self.assertEquals(url_id, json.loads(response.content)['results'] + [-1]['url'][-len(url_id):]) + + def test_created_invalid(self): + """Invalid created_date is ignored.""" + qs = {'a': 1, 'w': 2, 'format': 'json', + 'created': 1, 'created_date': 'invalid'} + response = self.client.get(reverse('search'), qs) + self.assertEquals(9, json.loads(response.content)['total']) + + def test_author(self): + """Check several author values, including test for (anon)""" + qs = {'a': 1, 'w': 2, 'format': 'json'} + author_vals = ( + ('DoesNotExist', 0), + ('Andreas Gustafsson', 1), + ('Bob', 2), + ) + + for author, total in author_vals: + qs.update({'author': author}) + response = self.client.get(reverse('search'), qs) + self.assertEquals(total, json.loads(response.content)['total']) + + def test_status(self): + qs = {'a': 1, 'w': 2, 'format': 'json'} + status_vals = ( + (91, 8), + (92, 2), + (93, 1), + (94, 2), + (95, 1), + (96, 3), + ) + + for status, total in status_vals: + qs.update({'status': status}) + response = self.client.get(reverse('search'), qs) + self.assertEquals(total, json.loads(response.content)['total']) + + def test_tags(self): + """Search for tags, includes multiple""" + qs = {'a': 1, 'w': 1, 'format': 'json'} + tags_vals = ( + ('doesnotexist', 0), + ('video', 1), + ('realplayer video', 1), + ('realplayer installation', 0), + ) + + for tag_string, total in tags_vals: + qs.update({'tags': tag_string}) + response = self.client.get(reverse('search'), qs) + self.assertEquals(total, json.loads(response.content)['total']) + def test_unicode_excerpt(self): """Unicode characters in the excerpt should not be a problem.""" wc = WikiClient() diff --git a/apps/search/views.py b/apps/search/views.py index 9350ed6f130..61bede41b0e 100644 --- a/apps/search/views.py +++ b/apps/search/views.py @@ -43,11 +43,12 @@ def clean(self): # Validate created date if cleaned_data['created_date'] != '': try: - cleaned_data['created_date'] = int(time.mktime( + created_timestamp = time.mktime( time.strptime(cleaned_data['created_date'], - '%m/%d/%Y'), )) + '%m/%d/%Y')) + cleaned_data['created_date'] = int(created_timestamp) except ValueError: - raise ValidationError('Invalid created date.') + cleaned_data['created'] = None # Set defaults for MultipleChoiceFields and convert to ints. # Ticket #12398 adds TypedMultipleChoiceField which would replace @@ -66,49 +67,68 @@ def clean(self): return cleaned_data + class NoValidateMultipleChoiceField(forms.MultipleChoiceField): + def valid_value(self, value): + return True + # Common fields q = forms.CharField(required=False) w = forms.TypedChoiceField(widget=forms.HiddenInput, - required=False, - coerce=int, - empty_value=constants.WHERE_ALL, - choices=((constants.WHERE_FORUM, None), - (constants.WHERE_WIKI, None), - (constants.WHERE_ALL, None))) + required=False, coerce=int, + empty_value=constants.WHERE_ALL, + choices=((constants.WHERE_FORUM, None), + (constants.WHERE_WIKI, None), + (constants.WHERE_ALL, None))) a = forms.IntegerField(widget=forms.HiddenInput, required=False) # KB fields tags = forms.CharField(label=_('Tags'), required=False) - language = forms.ChoiceField(label=_('Language'), required=False, + language = forms.ChoiceField( + label=_('Language'), required=False, choices=[(LOCALES[k].external, LOCALES[k].native) for k in settings.SUMO_LANGUAGES]) categories = [(cat.categId, cat.name) for cat in Category.objects.all()] - category = forms.MultipleChoiceField( + category = NoValidateMultipleChoiceField( widget=forms.CheckboxSelectMultiple, label=_('Category'), choices=categories, required=False) # Forum fields - status = forms.TypedChoiceField(label=_('Post status'), coerce=int, - choices=constants.STATUS_LIST, empty_value=0, required=False) + status = forms.TypedChoiceField( + label=_('Post status'), coerce=int, empty_value=0, + choices=constants.STATUS_LIST, required=False) author = forms.CharField(required=False) - created = forms.TypedChoiceField(label=_('Created'), coerce=int, - choices=constants.CREATED_LIST, empty_value=0, required=False) + created = forms.TypedChoiceField( + label=_('Created'), coerce=int, empty_value=0, + choices=constants.CREATED_LIST, required=False) created_date = forms.CharField(required=False) - lastmodif = forms.TypedChoiceField(label=_('Last updated'), coerce=int, - choices=constants.LUP_LIST, empty_value=0, required=False) - sortby = forms.TypedChoiceField(label=_('Sort results by'), coerce=int, - choices=constants.SORTBY_LIST, empty_value=0, required=False) + lastmodif = forms.TypedChoiceField( + label=_('Last updated'), coerce=int, empty_value=0, + choices=constants.LUP_LIST, required=False) + sortby = forms.TypedChoiceField( + label=_('Sort results by'), coerce=int, empty_value=0, + choices=constants.SORTBY_LIST, required=False) forums = [(f.forumId, f.name) for f in Forum.objects.all()] - forum = forms.MultipleChoiceField(label=_('Search in forum'), - choices=forums, required=False) + forum = NoValidateMultipleChoiceField(label=_('Search in forum'), + choices=forums, required=False) + + # JSON-specific variables + is_json = (request.GET.get('format') == 'json') + callback = request.GET.get('callback', '').strip() + mimetype = 'application/x-javascript' if callback else 'application/json' + + # Check callback is valid + if is_json and callback and not jsonp_is_valid(callback): + return HttpResponse( + json.dumps({'error': _('Invalid callback function.')}), + mimetype=mimetype, status=400) language = request.GET.get('language', request.locale) if not language in LOCALES: @@ -119,7 +139,7 @@ def clean(self): # Search default values try: category = map(int, r.getlist('category')) or \ - settings.SEARCH_DEFAULT_CATEGORIES + settings.SEARCH_DEFAULT_CATEGORIES except ValueError: category = settings.SEARCH_DEFAULT_CATEGORIES r.setlist('category', [x for x in category if x > 0]) @@ -137,9 +157,15 @@ def clean(self): search_form = SearchForm(r) if not search_form.is_valid() or a == '2': - return jingo.render(request, 'form.html', - {'advanced': a, 'request': request, - 'search_form': search_form}) + if is_json: + return HttpResponse( + json.dumps({'error': _('Invalid search data.')}), + mimetype=mimetype, + status=400) + else: + return jingo.render(request, 'form.html', + {'advanced': a, 'request': request, + 'search_form': search_form}) cleaned = search_form.cleaned_data search_locale = (crc32(LOCALES[language].internal),) @@ -268,14 +294,19 @@ def clean(self): documents += fc.query(cleaned['q'], filters_f) except SearchError: - return jingo.render(request, 'down.html', {}, status=503) + if is_json: + return HttpResponse(json.dumps({'error': + _('Search Unavailable')}), + mimetype=mimetype, status=503) + else: + return jingo.render(request, 'down.html', {}, status=503) pages = paginate(request, documents, settings.SEARCH_RESULTS_PER_PAGE) results = [] for i in range(offset, offset + settings.SEARCH_RESULTS_PER_PAGE): try: - if documents[i]['attrs'].get('category', False): + if documents[i]['attrs'].get('category', False) != False: wiki_page = WikiPage.objects.get(pk=documents[i]['id']) excerpt = wc.excerpt(wiki_page.data, cleaned['q']) @@ -307,29 +338,18 @@ def clean(self): refine_query = u'?%s' % urlencode(items) - if request.GET.get('format') == 'json': - callback = request.GET.get('callback', '').strip() - # Check callback is valid - if callback and not jsonp_is_valid(callback): - return HttpResponse('', mimetype='application/x-javascript', - status=400) - + if is_json: data = {} data['results'] = results - data['total'] = len(documents) + data['total'] = len(results) data['query'] = cleaned['q'] if not results: data['message'] = _('No pages matched the search criteria') json_data = json.dumps(data) if callback: json_data = callback + '(' + json_data + ');' - response = HttpResponse(json_data, - mimetype='application/x-javascript') - else: - response = HttpResponse(json_data, - mimetype='application/json') - return response + return HttpResponse(json_data, mimetype=mimetype) return jingo.render(request, 'results.html', {'num_results': len(documents), 'results': results, 'q': cleaned['q'], diff --git a/apps/sumo/fixtures/pages.json b/apps/sumo/fixtures/pages.json index 9edce901550..65758d34619 100644 --- a/apps/sumo/fixtures/pages.json +++ b/apps/sumo/fixtures/pages.json @@ -1,301 +1,301 @@ [ { - "pk": 2, - "model": "sumo.wikipage", + "pk": 2, + "model": "sumo.wikipage", "fields": { - "comment": "add index of HTC pages", - "creator": "admin", - "ip": "174.114.128.121", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 3634, - "version": 43, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1259992398, - "data": "Wélcome to the Contributor Home Page! Ready to make an impact and help some Firefox users? There are many different ways you can help out; see below for details.\r\n\r\n{maketoc}\r\n\r\n!Knowledge Base\r\n\r\n{MODULE(module=>last_modif_pages,float=>right,rows=>10)/}\r\n\r\n!!Localization\r\n* For the localization progress of your locale, see the ((Localization Dashboard))\r\n* ((Translating articles|Translate an article))\r\n* ((Getting notified of new article translations))\r\n* ((How to remove the Content may be out of date warning))\r\n* ((Monitoring categories)): Get email notifications whenever someone changes an article in the English KB or in your language.\r\n* (Approvers) ((Translating content blocks))\r\n* (Locale leaders) ((Translating the interface))\r\n* (locale leaders) ((Updating to the new start page))\r\nFor more information on localizing Firefox Support, see ((Localizing Firefox Support))\r\n\r\n!!Getting started\r\n* ((How we are different)): Learn how we are different from other wikis.\r\n* ((Editing articles|Edit an article))\r\n* ((Markup chart))\r\n* ((Adding screenshots))\r\n* ((Adding screencasts))\r\n* Learn about our ((Approving articles and edits|staging and approval system))\r\n* ((Requesting an article))\r\n\r\n!!After you've started\r\n* ((Knowledge Base Policies))\r\n* ((Approvers)): What are approvers, and who are they.\r\n* ((Group permissions|User permission levels))\r\n* ((Best Practices for Support Documents))\r\n* ((Style Guide|Manual of style))\r\n* ((Using SHOWFOR)): Learn how to show/hide content for specific operating systems or specific versions of Firefox.\r\n* ((Dynamic Content)): Use dynamic content to insert content you've seen in many other articles.\r\n* ((Measuring knowledge base success))\r\n* ((Using poll data to judge your edits))\r\n* ((Creating articles|Create an article))\r\n* (Approvers) [/tiki-browse_categories.php?parentId=11|Modified articles waiting for review] \r\n* (Approvers) ((Creating content blocks))\r\n\r\n\r\n!Forum\r\nHelping out in the forum is easy and fun -- just look for a question you can answer and help the user by sharing your knowledge. \r\n{MODULE(module=>forums_last_topics,float=>right,rows=>10)/}\r\n* ((Providing forum support))\r\n* ((Forum and chat rules and guidelines))\r\nTip: spend 10 minutes every morning in the forum! It's a great way to start your day by helping fellow Firefox users.\r\n\r\n!Live Chat\r\nWhen you help out with Live Chat, you get to chat directly with Firefox users. It's very social and fun -- nothing beats the feeling of getting a personal thank you for just sharing some of your Firefox knowledge with a user in need of assistance.\r\n* ((Installing and Configuring Spark))\r\n* ((Helping with Live Chat))\r\n\r\n{MODULE(module=>chat_button)/}\r\n\r\n!Get in touch with our community\r\nThe best way to get in touch with fellow contributors is to post a new topic in the [/tiki-view_forum.php?forumId=3|contributors forum]. \r\n\r\n{MODULE(module=forums_last_topics,forumId=3,max=4,float=right)/}%%% \r\n* [http://wiki.mozilla.org/Support/Weekly_Meetings|Weekly status meetings]\r\n* mozilla.support.planning\r\n** [news://news.mozilla.org/mozilla.support.planning|Newsgroup]\r\n** [http://groups.google.com/group/mozilla.support.planning|Google Group]\r\n** [https://lists.mozilla.org/listinfo/support-planning|Mailing list]\r\n* [irc://irc.mozilla.org/sumo|IRC]\r\n* [/en-US/forum/3|Contributors forum]\r\n\r\n!!Firefox Support Blog\r\n\r\n{rss id=1 max=5}\r\n", - "lang": "en", - "hits": 43518, - "created": 1184805519, - "pageRank": "1.000", - "pageName": "Contributor Home Page", + "comment": "add index of HTC pages", + "creator": "admin", + "ip": "174.114.128.121", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 3634, + "version": 43, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1259992398, + "data": "Wélcome to the Contributor Home Page! Ready to make an impact and help some Firefox users? There are many different ways you can help out; see below for details.\r\n\r\n{maketoc}\r\n\r\n!Knowledge Base\r\n\r\n{MODULE(module=>last_modif_pages,float=>right,rows=>10)/}\r\n\r\n!!Localization\r\n* For the localization progress of your locale, see the ((Localization Dashboard))\r\n* ((Translating articles|Translate an article))\r\n* ((Getting notified of new article translations))\r\n* ((How to remove the Content may be out of date warning))\r\n* ((Monitoring categories)): Get email notifications whenever someone changes an article in the English KB or in your language.\r\n* (Approvers) ((Translating content blocks))\r\n* (Locale leaders) ((Translating the interface))\r\n* (locale leaders) ((Updating to the new start page))\r\nFor more information on localizing Firefox Support, see ((Localizing Firefox Support))\r\n\r\n!!Getting started\r\n* ((How we are different)): Learn how we are different from other wikis.\r\n* ((Editing articles|Edit an article))\r\n* ((Markup chart))\r\n* ((Adding screenshots))\r\n* ((Adding screencasts))\r\n* Learn about our ((Approving articles and edits|staging and approval system))\r\n* ((Requesting an article))\r\n\r\n!!After you've started\r\n* ((Knowledge Base Policies))\r\n* ((Approvers)): What are approvers, and who are they.\r\n* ((Group permissions|User permission levels))\r\n* ((Best Practices for Support Documents))\r\n* ((Style Guide|Manual of style))\r\n* ((Using SHOWFOR)): Learn how to show/hide content for specific operating systems or specific versions of Firefox.\r\n* ((Dynamic Content)): Use dynamic content to insert content you've seen in many other articles.\r\n* ((Measuring knowledge base success))\r\n* ((Using poll data to judge your edits))\r\n* ((Creating articles|Create an article))\r\n* (Approvers) [/tiki-browse_categories.php?parentId=11|Modified articles waiting for review] \r\n* (Approvers) ((Creating content blocks))\r\n\r\n\r\n!Forum\r\nHelping out in the forum is easy and fun -- just look for a question you can answer and help the user by sharing your knowledge. \r\n{MODULE(module=>forums_last_topics,float=>right,rows=>10)/}\r\n* ((Providing forum support))\r\n* ((Forum and chat rules and guidelines))\r\nTip: spend 10 minutes every morning in the forum! It's a great way to start your day by helping fellow Firefox users.\r\n\r\n!Live Chat\r\nWhen you help out with Live Chat, you get to chat directly with Firefox users. It's very social and fun -- nothing beats the feeling of getting a personal thank you for just sharing some of your Firefox knowledge with a user in need of assistance.\r\n* ((Installing and Configuring Spark))\r\n* ((Helping with Live Chat))\r\n\r\n{MODULE(module=>chat_button)/}\r\n\r\n!Get in touch with our community\r\nThe best way to get in touch with fellow contributors is to post a new topic in the [/tiki-view_forum.php?forumId=3|contributors forum]. \r\n\r\n{MODULE(module=forums_last_topics,forumId=3,max=4,float=right)/}%%% \r\n* [http://wiki.mozilla.org/Support/Weekly_Meetings|Weekly status meetings]\r\n* mozilla.support.planning\r\n** [news://news.mozilla.org/mozilla.support.planning|Newsgroup]\r\n** [http://groups.google.com/group/mozilla.support.planning|Google Group]\r\n** [https://lists.mozilla.org/listinfo/support-planning|Mailing list]\r\n* [irc://irc.mozilla.org/sumo|IRC]\r\n* [/en-US/forum/3|Contributors forum]\r\n\r\n!!Firefox Support Blog\r\n\r\n{rss id=1 max=5}\r\n", + "lang": "en", + "hits": 43518, + "created": 1184805519, + "pageRank": "1.000", + "pageName": "Contributor Home Page", "desc_auto": "y" } - }, + }, { - "pk": 3, - "model": "sumo.wikipage", + "pk": 3, + "model": "sumo.wikipage", "fields": { - "comment": "update to new start page (bug 502029)", - "creator": "admin", - "ip": "174.114.128.121", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 1079, - "version": 121, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1257305044, - "data": "~tc~ Localizers: please translate the following strings for an upcoming version of the web page (do not translate or remove the numbers)\r\n1. Popular Support Articles\r\n2. There are over 200 support articles for Firefox.\r\n3. Browse them all\r\n\r\nFor instructions on translating the start page, see https://support.mozilla.com/kb/Updating+to+the+new+start+page?bl=n\r\n\r\nWhen creating a translation of this page, ping sumo@ilias.ca to assign the correct theme to your translation. \r\n~/tc~\r\n\r\n{DIV(id=>mainpagecontainer)}\r\n{DIV(id=>mostpopular-new)}\r\n!!Popular Support Articles\r\n{content id=9}\r\n{DIV(class=>morearticles)}\r\nThere are over 200 support articles for Firefox. ((Article list|Browse them all \u00c2\u00bb))\r\n{DIV}\r\n{DIV}\r\n{DIV}", - "lang": "en", - "hits": 2112124, - "created": 1184807391, - "pageRank": "0.000", - "pageName": "Firefox Support Home Page", + "comment": "update to new start page (bug 502029)", + "creator": "admin", + "ip": "174.114.128.121", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 1079, + "version": 121, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1257305044, + "data": "~tc~ Localizers: please translate the following strings for an upcoming version of the web page (do not translate or remove the numbers)\r\n1. Popular Support Articles\r\n2. There are over 200 support articles for Firefox.\r\n3. Browse them all\r\n\r\nFor instructions on translating the start page, see https://support.mozilla.com/kb/Updating+to+the+new+start+page?bl=n\r\n\r\nWhen creating a translation of this page, ping sumo@ilias.ca to assign the correct theme to your translation. \r\n~/tc~\r\n\r\n{DIV(id=>mainpagecontainer)}\r\n{DIV(id=>mostpopular-new)}\r\n!!Popular Support Articles\r\n{content id=9}\r\n{DIV(class=>morearticles)}\r\nThere are over 200 support articles for Firefox. ((Article list|Browse them all \u00c2\u00bb))\r\n{DIV}\r\n{DIV}\r\n{DIV}", + "lang": "en", + "hits": 2112124, + "created": 1184807391, + "pageRank": "0.000", + "pageName": "Firefox Support Home Page", "desc_auto": "y" } - }, + }, { - "pk": 5, - "model": "sumo.wikipage", + "pk": 5, + "model": "sumo.wikipage", "fields": { - "comment": "Grammatical tweak. [approved by Chris_Ilias]", - "creator": "admin", - "ip": "10.2.81.4", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 1125, - "version": 61, - "wiki_cache": null, - "lockedby": "", - "description": "Click on the operating system on which you are installing Firefox. Installing Firefox on Windows Installing Firefox on Mac Installing Firefox on Linux Installing Firefox on mobile devices Firefox i", - "is_html": 0, - "flag": "", - "user": "stephendonner", - "lastModif": 1252646422, - "data": "!Click on the operating system on which you are installing Firefox.\r\n!!((Installing Firefox on Windows|{img src="img/wiki_up/vista.jpg" vertical-imalign=middle}Installing Firefox on Windows))\r\n\r\n!!((Installing Firefox on Mac|{img src="img/wiki_up/macos.jpg" vertical-imalign=middle}Installing Firefox on Mac))\r\n\r\n!!((Installing Firefox on Linux|{img src="img/wiki_up/linux.jpg" vertical-imalign=middle}Installing Firefox on Linux))\r\n\r\n!Installing Firefox on mobile devices\r\nFirefox is currently not available on any mobile devices. The Mozilla Corporation has announced plans to have a mobile version of Firefox called "Fennec", available by the end of 2009. For further information, see the [http://wiki.mozilla.org/Mobile/FAQ|Mobile Firefox project FAQ].\r\n\r\n!!Firefox on the iPhone\r\nFennec (the mobile version of Firefox) cannot be produced for the Apple iPhone, because Apple's license does not allow iterative software on the iPhone.\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Installing_Firefox|Installing Firefox (mozillaZine KB)]''__", - "lang": "en", - "hits": 139245, - "created": 1184810296, - "pageRank": "2.000", - "pageName": "Installing Firefox", + "comment": "Grammatical tweak. [approved by Chris_Ilias]", + "creator": "admin", + "ip": "10.2.81.4", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 1125, + "version": 61, + "wiki_cache": null, + "lockedby": "", + "description": "Click on the operating system on which you are installing Firefox. Installing Firefox on Windows Installing Firefox on Mac Installing Firefox on Linux Installing Firefox on mobile devices Firefox i", + "is_html": 0, + "flag": "", + "user": "stephendonner", + "lastModif": 1252646422, + "data": "!Click on the operating system on which you are installing Firefox.\r\n!!((Installing Firefox on Windows|{img src="img/wiki_up/vista.jpg" vertical-imalign=middle}Installing Firefox on Windows))\r\n\r\n!!((Installing Firefox on Mac|{img src="img/wiki_up/macos.jpg" vertical-imalign=middle}Installing Firefox on Mac))\r\n\r\n!!((Installing Firefox on Linux|{img src="img/wiki_up/linux.jpg" vertical-imalign=middle}Installing Firefox on Linux))\r\n\r\n!Installing Firefox on mobile devices\r\nFirefox is currently not available on any mobile devices. The Mozilla Corporation has announced plans to have a mobile version of Firefox called "Fennec", available by the end of 2009. For further information, see the [http://wiki.mozilla.org/Mobile/FAQ|Mobile Firefox project FAQ].\r\n\r\n!!Firefox on the iPhone\r\nFennec (the mobile version of Firefox) cannot be produced for the Apple iPhone, because Apple's license does not allow iterative software on the iPhone.\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Installing_Firefox|Installing Firefox (mozillaZine KB)]''__", + "lang": "en", + "hits": 139245, + "created": 1184810296, + "pageRank": "2.000", + "pageName": "Installing Firefox", "desc_auto": "y" } - }, + }, { - "pk": 147, - "model": "sumo.wikipage", + "pk": 147, + "model": "sumo.wikipage", "fields": { - "comment": "set language", - "creator": "np", - "ip": "10.2.81.4", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 93, - "version": 3, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1204131916, - "data": "{img src="img/wiki_up/fleche.jpg" }\r\n{img src="img/wiki_up/fleche2.png" }", - "lang": "en", - "hits": 9, - "created": 1192671625, - "pageRank": "0.000", - "pageName": "Upload test", + "comment": "set language", + "creator": "np", + "ip": "10.2.81.4", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 93, + "version": 3, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1204131916, + "data": "{img src="img/wiki_up/fleche.jpg" }\r\n{img src="img/wiki_up/fleche2.png" }", + "lang": "en", + "hits": 9, + "created": 1192671625, + "pageRank": "0.000", + "pageName": "Upload test", "desc_auto": "y" } - }, + }, { - "pk": 149, - "model": "sumo.wikipage", + "pk": 149, + "model": "sumo.wikipage", "fields": { - "comment": "fix typo [approved by Chris_Ilias]", - "creator": "np", - "ip": "174.114.128.121", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 3722, - "version": 20, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1265248903, - "data": "{SHOWFOR(spans=on)/}\r\nFirefox includes a Password Manager that can save the passwords you use to log in to websites. This article describes why your passwords might not be saved.\r\n\r\nFor a general overview of using the Password Manager to save website passwords, see ((Remembering passwords)). For information on the Master Password feature, used to protect your private information, see ((Protecting stored passwords using a master password)).\r\n\r\n{maketoc}\r\n\r\n!Password Manager settings\r\nFirefox will remember passwords by default. You may have disabled this feature, or told Firefox to never remember passwords for a particular site.\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Security{PATH} panel.\r\n# If it isn't already check marked, check __Remember passwords for sites__.\r\n# To the right of Remember passwords for sites, click the {DIV(class=button,type=>span)}Exceptions...{DIV} button .\r\n# Make sure that the site you're trying to log in to isn't in the list.\r\n** If it is, select the entry and click {DIV(class=button,type=>span)}Remove{DIV}.\r\n# {DIV(class=noMac,type=span)}Click {DIV(class=button,type=>span)}Close{DIV}{DIV}{DIV(class=mac,type=span)}Close the Exceptions window{DIV}.\r\n# {content label=closeOptionsPreferences}\r\n\r\nNow that you've configured Firefox to remember passwords, try logging in to the site again.\r\n\r\n{SHOWFOR(browser=firefox3.0)}\r\n!Passwords cleared with Clear Private Data\r\nFirefox's ((Clearing Private Data|Clear Private Data)) feature might be set to clear your passwords when you close Firefox.\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Privacy{PATH} panel.\r\n# If __Always clear my private data when I close Firefox__ is not selected, your Firefox is not set to clear your passwords when you close it. You can skip to the next section.\r\n# If __Always clear my private data when I close Firefox__ ''is'' selected, click on the {DIV(class=button,type=>span)}Settings...{DIV} button.\r\n# Make sure that __Saved Passwords__ is not check marked.\r\n# Click {DIV(class=button,type=>span)}OK{DIV}.\r\n# {content label=closeOptionsPreferences}.\r\n{SHOWFOR}\r\n{SHOWFOR(browser=firefox3.5)}\r\n!Passwords being automatically cleared\r\nFirefox may be set to remove saved passwords when it is closed. To undo this setting:\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Privacy{PATH} panel.\r\n# If __Firefox will:__ is set to __Use custom settings for history__ and __Clear history when Firefox closes__ is selected, click on the {DIV(class=button,type=>span)}Settings...{DIV} button.\r\n# Make sure that __Saved Passwords__ is not selected.\r\n# {content label=closeOptionsPreferences}\r\n\r\nFirefox is now configured to not clear your passwords when closing.\r\n{SHOWFOR}\r\n\r\n!Websites prohibit password saving\r\nSome websites do not allow for passwords to be saved for security reasons. If you have followed the steps above, but are still not prompted to save a password when logging into a certain website, that site may have disabled password saving.\r\n\r\n{SHOWFOR(browser=firefox3.5)}\r\n!Private Browsing\r\nIf you use the Firefox ((Private Browsing|Private Browsing)) feature, no passwords will be automatically filled in during your Private Browsing session, and no new passwords will be saved.\r\n# Make sure it does not say ''(Private Browsing)'' at the top of the Firefox window.\r\n# If it does say ''(Private Browsing)'', click on the {MENU()}Tools{MENU} menu and select {MENU()}Stop Private Browsing{MENU} to end the Private Browsing session.\r\n{SHOWFOR}\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/User_name_and_password_not_remembered|User name and password not remembered (mozillaZine KB)]''__ ", - "lang": "en", - "hits": 14468, - "created": 1192729330, - "pageRank": "0.000", - "pageName": "Username and password not remembered", + "comment": "fix typo [approved by Chris_Ilias]", + "creator": "np", + "ip": "174.114.128.121", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 3722, + "version": 20, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1265248903, + "data": "{SHOWFOR(spans=on)/}\r\nFirefox includes a Password Manager that can save the passwords you use to log in to websites. This article describes why your passwords might not be saved.\r\n\r\nFor a general overview of using the Password Manager to save website passwords, see ((Remembering passwords)). For information on the Master Password feature, used to protect your private information, see ((Protecting stored passwords using a master password)).\r\n\r\n{maketoc}\r\n\r\n!Password Manager settings\r\nFirefox will remember passwords by default. You may have disabled this feature, or told Firefox to never remember passwords for a particular site.\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Security{PATH} panel.\r\n# If it isn't already check marked, check __Remember passwords for sites__.\r\n# To the right of Remember passwords for sites, click the {DIV(class=button,type=>span)}Exceptions...{DIV} button .\r\n# Make sure that the site you're trying to log in to isn't in the list.\r\n** If it is, select the entry and click {DIV(class=button,type=>span)}Remove{DIV}.\r\n# {DIV(class=noMac,type=span)}Click {DIV(class=button,type=>span)}Close{DIV}{DIV}{DIV(class=mac,type=span)}Close the Exceptions window{DIV}.\r\n# {content label=closeOptionsPreferences}\r\n\r\nNow that you've configured Firefox to remember passwords, try logging in to the site again.\r\n\r\n{SHOWFOR(browser=firefox3.0)}\r\n!Passwords cleared with Clear Private Data\r\nFirefox's ((Clearing Private Data|Clear Private Data)) feature might be set to clear your passwords when you close Firefox.\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Privacy{PATH} panel.\r\n# If __Always clear my private data when I close Firefox__ is not selected, your Firefox is not set to clear your passwords when you close it. You can skip to the next section.\r\n# If __Always clear my private data when I close Firefox__ ''is'' selected, click on the {DIV(class=button,type=>span)}Settings...{DIV} button.\r\n# Make sure that __Saved Passwords__ is not check marked.\r\n# Click {DIV(class=button,type=>span)}OK{DIV}.\r\n# {content label=closeOptionsPreferences}.\r\n{SHOWFOR}\r\n{SHOWFOR(browser=firefox3.5)}\r\n!Passwords being automatically cleared\r\nFirefox may be set to remove saved passwords when it is closed. To undo this setting:\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Privacy{PATH} panel.\r\n# If __Firefox will:__ is set to __Use custom settings for history__ and __Clear history when Firefox closes__ is selected, click on the {DIV(class=button,type=>span)}Settings...{DIV} button.\r\n# Make sure that __Saved Passwords__ is not selected.\r\n# {content label=closeOptionsPreferences}\r\n\r\nFirefox is now configured to not clear your passwords when closing.\r\n{SHOWFOR}\r\n\r\n!Websites prohibit password saving\r\nSome websites do not allow for passwords to be saved for security reasons. If you have followed the steps above, but are still not prompted to save a password when logging into a certain website, that site may have disabled password saving.\r\n\r\n{SHOWFOR(browser=firefox3.5)}\r\n!Private Browsing\r\nIf you use the Firefox ((Private Browsing|Private Browsing)) feature, no passwords will be automatically filled in during your Private Browsing session, and no new passwords will be saved.\r\n# Make sure it does not say ''(Private Browsing)'' at the top of the Firefox window.\r\n# If it does say ''(Private Browsing)'', click on the {MENU()}Tools{MENU} menu and select {MENU()}Stop Private Browsing{MENU} to end the Private Browsing session.\r\n{SHOWFOR}\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/User_name_and_password_not_remembered|User name and password not remembered (mozillaZine KB)]''__ ", + "lang": "en", + "hits": 14468, + "created": 1192729330, + "pageRank": "0.000", + "pageName": "Username and password not remembered", "desc_auto": "y" } - }, + }, { - "pk": 7, - "model": "sumo.wikipage", + "pk": 7, + "model": "sumo.wikipage", "fields": { - "comment": "copy the descriptions from sub-articles, keep original intro, and remove text about clicking on links above. [approved by Chris_Ilias]", - "creator": "admin", - "ip": "174.114.128.121", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 1412, - "version": 84, - "wiki_cache": null, - "lockedby": "", - "description": " Add-ons are small pieces of software created by people all over the world, that add new features or functionality to your installation of Firefox. Add-ons can augment Firefox with new search engines,", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1258525130, - "data": "{SHOWFOR(spans=on)/}\r\n__Add-ons__ are small pieces of software created by people all over the world, that add new features or functionality to your installation of Firefox. Add-ons can augment Firefox with new search engines, foreign-language dictionaries, or change the visual appearance of Firefox. Through add-ons, you can customize Firefox to meet your needs and tastes.\r\n* ((Using extensions with Firefox|Extensions))%%% Extensions add new features to Firefox, or modify existing ones. There are extensions that allow you to block advertisements, download videos from websites, integrate more closely with websites like Facebook or Twitter, and add features you see in other browsers. \r\n* ((Using themes with Firefox|Themes)) %%% Themes change the visual appearance of Firefox. Some themes simply change the toolbar's background colors; other themes make Firefox look like a completely different program.\r\n* ((Using plugins with Firefox|Plugins)) %%% A plugin is a piece of software that manage internet content that Firefox is not designed to process. These usually include patented formats for video, audio, online games, presentations, and more. Plugins are created and distributed by other companies. \r\n\r\n\r\n!Troubleshooting add-ons\r\nFor information on troubleshooting problems with extensions, plugins, or themes, see the articles below:\r\n* ((Unable to install add-ons))\r\n* ((Uninstalling add-ons))\r\n* ((Cannot uninstall an add-on))\r\n* ((Troubleshooting extensions and themes))\r\n* ((Troubleshooting plugins))", - "lang": "en", - "hits": 65318, - "created": 1184810342, - "pageRank": "0.000", - "pageName": "Customizing Firefox with add-ons", + "comment": "copy the descriptions from sub-articles, keep original intro, and remove text about clicking on links above. [approved by Chris_Ilias]", + "creator": "admin", + "ip": "174.114.128.121", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 1412, + "version": 84, + "wiki_cache": null, + "lockedby": "", + "description": " Add-ons are small pieces of software created by people all over the world, that add new features or functionality to your installation of Firefox. Add-ons can augment Firefox with new search engines,", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1258525130, + "data": "{SHOWFOR(spans=on)/}\r\n__Add-ons__ are small pieces of software created by people all over the world, that add new features or functionality to your installation of Firefox. Add-ons can augment Firefox with new search engines, foreign-language dictionaries, or change the visual appearance of Firefox. Through add-ons, you can customize Firefox to meet your needs and tastes.\r\n* ((Using extensions with Firefox|Extensions))%%% Extensions add new features to Firefox, or modify existing ones. There are extensions that allow you to block advertisements, download videos from websites, integrate more closely with websites like Facebook or Twitter, and add features you see in other browsers. \r\n* ((Using themes with Firefox|Themes)) %%% Themes change the visual appearance of Firefox. Some themes simply change the toolbar's background colors; other themes make Firefox look like a completely different program.\r\n* ((Using plugins with Firefox|Plugins)) %%% A plugin is a piece of software that manage internet content that Firefox is not designed to process. These usually include patented formats for video, audio, online games, presentations, and more. Plugins are created and distributed by other companies. \r\n\r\n\r\n!Troubleshooting add-ons\r\nFor information on troubleshooting problems with extensions, plugins, or themes, see the articles below:\r\n* ((Unable to install add-ons))\r\n* ((Uninstalling add-ons))\r\n* ((Cannot uninstall an add-on))\r\n* ((Troubleshooting extensions and themes))\r\n* ((Troubleshooting plugins))", + "lang": "en", + "hits": 65318, + "created": 1184810342, + "pageRank": "0.000", + "pageName": "Customizing Firefox with add-ons", "desc_auto": "y" } - }, + }, { - "pk": 10, - "model": "sumo.wikipage", + "pk": 10, + "model": "sumo.wikipage", "fields": { - "comment": "update windows screencast for win7 [approved by Bo]", - "creator": "astein", - "ip": "174.114.128.121", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 1608, - "version": 43, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1261264682, - "data": "{SHOWFOR(spans=on)/}\r\nIf you have more than one web browser, {DIV(class=win,type=span)}Windows{DIV}{DIV(class=mac,type=span)}OS X{DIV}{DIV(class=unix,type=span)}your operating system{DIV} needs to know which browser to use by default. This article will show you how to make Firefox your default browser.\r\n\r\n{DIV(class=win,type=span)}{SCREENCAST(file=>4c1c74bdec0fed376c8d9202f3847f25-1260903514-765-0)}{SCREENCAST}{DIV}\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Advanced{PATH} panel, then click the {PATH()}General{PATH} tab, and then click {DIV(class=button,type=>span)}Check Now{DIV}.{DIV(class=noMac,type=span)}%%% %%%{img src="img/wiki_up/04554c258740acac23179f1b55871578-1259515027-782-1.png" }%%% %%%{DIV}{DIV(class=mac,type=span)}%%% %%%{img src="img/wiki_up/04554c258740acac23179f1b55871578-1246116406-954-2.jpg" }%%% %%%{DIV}\r\n# Select {DIV(class=button,type=>span)}Yes{DIV} to set Firefox as your default browser.\r\n** If Firefox still isn't the default browser, see ((Setting Firefox as the default browser does not work)).\r\n\r\n{SHOWFOR(os=windows)}\r\n;:^__Note: MSN Messenger and other applications may open Internet Explorer regardless of which browser is the default. Also, Internet service providers like PeoplePC Online, Juno and NetZero may provide connection software that automatically launches Internet Explorer.__^\r\n{SHOWFOR}\r\n\r\nTo set another browser as the default, use the settings in the browser you wish to be your default.\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Default_browser|Default browser (mozillaZine KB)]__''", - "lang": "en", - "hits": 21378, - "created": 1184882193, - "pageRank": "3.000", - "pageName": "How to make Firefox the default browser", + "comment": "update windows screencast for win7 [approved by Bo]", + "creator": "astein", + "ip": "174.114.128.121", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 1608, + "version": 43, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1261264682, + "data": "{SHOWFOR(spans=on)/}\r\nIf you have more than one web browser, {DIV(class=win,type=span)}Windows{DIV}{DIV(class=mac,type=span)}OS X{DIV}{DIV(class=unix,type=span)}your operating system{DIV} needs to know which browser to use by default. This article will show you how to make Firefox your default browser.\r\n\r\n{DIV(class=win,type=span)}{SCREENCAST(file=>4c1c74bdec0fed376c8d9202f3847f25-1260903514-765-0)}{SCREENCAST}{DIV}\r\n# {content label=optionspreferences}\r\n# Select the {PATH()}Advanced{PATH} panel, then click the {PATH()}General{PATH} tab, and then click {DIV(class=button,type=>span)}Check Now{DIV}.{DIV(class=noMac,type=span)}%%% %%%{img src="img/wiki_up/04554c258740acac23179f1b55871578-1259515027-782-1.png" }%%% %%%{DIV}{DIV(class=mac,type=span)}%%% %%%{img src="img/wiki_up/04554c258740acac23179f1b55871578-1246116406-954-2.jpg" }%%% %%%{DIV}\r\n# Select {DIV(class=button,type=>span)}Yes{DIV} to set Firefox as your default browser.\r\n** If Firefox still isn't the default browser, see ((Setting Firefox as the default browser does not work)).\r\n\r\n{SHOWFOR(os=windows)}\r\n;:^__Note: MSN Messenger and other applications may open Internet Explorer regardless of which browser is the default. Also, Internet service providers like PeoplePC Online, Juno and NetZero may provide connection software that automatically launches Internet Explorer.__^\r\n{SHOWFOR}\r\n\r\nTo set another browser as the default, use the settings in the browser you wish to be your default.\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Default_browser|Default browser (mozillaZine KB)]__''", + "lang": "en", + "hits": 21378, + "created": 1184882193, + "pageRank": "3.000", + "pageName": "How to make Firefox the default browser", "desc_auto": "y" } - }, + }, { - "pk": 62, - "model": "sumo.wikipage", + "pk": 62, + "model": "sumo.wikipage", "fields": { - "comment": "applies to 3.5 [approved by Chris_Ilias]", - "creator": "AliceWyman", - "ip": "10.2.81.4", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 4381, - "version": 48, - "wiki_cache": null, - "lockedby": "", - "description": " Sometimes, the video or audio content in a web page cannot be properly downloaded and displayed in Firefox. A required plugin may be missing, the page may be coded specifically for Internet Explorer", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1244355120, - "data": "{SHOWFOR(spans=on)/}\r\nSometimes, the video or audio content in a web page cannot be properly downloaded and displayed in Firefox. A required plugin may be missing, the page may be coded specifically for Internet Explorer, or the content may be blocked for some reason. This article provides some tips to help you solve these problems.\r\n\r\n\r\n!Plugins\r\nAlthough Firefox can display some media on web pages, such as images, it needs the help of media players and browser plugins for video, audio, and other content. Although you may have the correct media players installed to play video and audio files, you may be missing the necessary plugins when the media is ''embedded'' within the web page itself. \r\n\r\nThe following articles and related notes describe some common plugins, the media types they handle, and how to install or configure them. \r\n* __((Managing the Flash plugin|Flash Guide))__\r\n** See also: ((Flash-based videos and sound do not play correctly))\r\n* __((Using the Shockwave plugin with Firefox|Shockwave Guide))__\r\n* __((Using the Windows Media Player plugin with Firefox|Windows Media Player Guide))__\r\n** The ((Using the Windows Media Player plugin with Firefox|Windows Media Player)) plugin will only play a specific few Windows media formats (.asf, .asx, .wm, .wma, .wax, .wmv, and .wvx) unless the web page is specifically designed for Firefox and other Mozilla browsers. Internet Explorer will use ((Using the Windows Media Player plugin with Firefox|Windows Media Player)) for many other formats like mp3 and midi, but Firefox will require another plugin, such as QuickTime. See the ((Using the Windows Media Player plugin with Firefox)) article for a more detailed explanation.\r\n* __((Using the QuickTime plugin with Firefox|QuickTime Guide))__\r\n** The ((Using the QuickTime plugin with Firefox|QuickTime)) plugin can handle many different types of media but may not be configured to handle some common file formats found online, such as .mp3, .midi, .wav, and .mpg. You can select the media formats you want ((Using the QuickTime plugin with Firefox|QuickTime)) to play in Firefox in your ((Using the QuickTime plugin with Firefox|QuickTime)) Preferences. See the ((Using the QuickTime plugin with Firefox|QuickTime)) article for details.\r\n* __((Using the RealPlayer plugin with Firefox|RealPlayer Guide))__\r\n** The ((Using the RealPlayer plugin with Firefox|RealPlayer)) 10.5 plugin plays the .rpm format only. Other Real media files (.rm, .ram, .ra) may not work. See the ((Using the RealPlayer plugin with Firefox|RealPlayer)) article for more information.\r\n* __((Using the Java plugin with Firefox|Java Guide))__\r\n\r\n\r\n!Other solutions\r\nSome sites with multimedia content may require you to allow popup windows or cookies or that you disable ad-blocking. Try the following:\r\n* Verify that cookies are enabled in the __Privacy__ panel in the ((Options window - Privacy panel|{DIV(class=win,type=span)}Options{DIV}{DIV(class=noWin,type=span)}Preferences{DIV})) window. Verify that the site is not blocked in the Cookie Exceptions list. \r\n* You can allow the website as an exception in the Firefox pop-up blocker. The "Block pop-up windows" option is found in the __Content__ panel in the ((Options window - Content panel|{DIV(class=win,type=span)}Options{DIV}{DIV(class=noWin,type=span)}Preferences{DIV})) window.\r\n* For the time being, you can disable any ad-blocking software or Firefox extensions, such as Adblock or Adblock Plus. If the site works with ad-blocking disabled, you may want to add the site to your whitelist in your adblocker filter.\r\n* __Advanced users:__ If you use a Windows [http://en.wikipedia.org/wiki/Hosts_file |hosts file], you can temporarily disable it by renaming it {FILE()}Xhosts{FILE}. Or, you can edit the hosts file to remove specific entries such as __ad.doubleclick.net__ that can cause videos on certain sites to fail ( For more information, see the [http://forums.mozillazine.org/viewtopic.php?p=2862303#2862303 |MozillaZine forums]). To apply changes to your hosts file, you may need to flush the DNS cache by entering the command %%% __ipconfig /flushdns__ %%% in the Run dialog box in Windows.\r\n\r\n{content label=amo}\r\n\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Video_or_audio_does_not_play|Video or audio does not play (mozillaZine KB)]''__ ", - "lang": "en", - "hits": 36981, - "created": 1185838982, - "pageRank": "0.000", - "pageName": "Video or audio does not play", + "comment": "applies to 3.5 [approved by Chris_Ilias]", + "creator": "AliceWyman", + "ip": "10.2.81.4", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 4381, + "version": 48, + "wiki_cache": null, + "lockedby": "", + "description": " Sometimes, the video or audio content in a web page cannot be properly downloaded and displayed in Firefox. A required plugin may be missing, the page may be coded specifically for Internet Explorer", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1244355120, + "data": "{SHOWFOR(spans=on)/}\r\nSometimes, the video or audio content in a web page cannot be properly downloaded and displayed in Firefox. A required plugin may be missing, the page may be coded specifically for Internet Explorer, or the content may be blocked for some reason. This article provides some tips to help you solve these problems.\r\n\r\n\r\n!Plugins\r\nAlthough Firefox can display some media on web pages, such as images, it needs the help of media players and browser plugins for video, audio, and other content. Although you may have the correct media players installed to play video and audio files, you may be missing the necessary plugins when the media is ''embedded'' within the web page itself. \r\n\r\nThe following articles and related notes describe some common plugins, the media types they handle, and how to install or configure them. \r\n* __((Managing the Flash plugin|Flash Guide))__\r\n** See also: ((Flash-based videos and sound do not play correctly))\r\n* __((Using the Shockwave plugin with Firefox|Shockwave Guide))__\r\n* __((Using the Windows Media Player plugin with Firefox|Windows Media Player Guide))__\r\n** The ((Using the Windows Media Player plugin with Firefox|Windows Media Player)) plugin will only play a specific few Windows media formats (.asf, .asx, .wm, .wma, .wax, .wmv, and .wvx) unless the web page is specifically designed for Firefox and other Mozilla browsers. Internet Explorer will use ((Using the Windows Media Player plugin with Firefox|Windows Media Player)) for many other formats like mp3 and midi, but Firefox will require another plugin, such as QuickTime. See the ((Using the Windows Media Player plugin with Firefox)) article for a more detailed explanation.\r\n* __((Using the QuickTime plugin with Firefox|QuickTime Guide))__\r\n** The ((Using the QuickTime plugin with Firefox|QuickTime)) plugin can handle many different types of media but may not be configured to handle some common file formats found online, such as .mp3, .midi, .wav, and .mpg. You can select the media formats you want ((Using the QuickTime plugin with Firefox|QuickTime)) to play in Firefox in your ((Using the QuickTime plugin with Firefox|QuickTime)) Preferences. See the ((Using the QuickTime plugin with Firefox|QuickTime)) article for details.\r\n* __((Using the RealPlayer plugin with Firefox|RealPlayer Guide))__\r\n** The ((Using the RealPlayer plugin with Firefox|RealPlayer)) 10.5 plugin plays the .rpm format only. Other Real media files (.rm, .ram, .ra) may not work. See the ((Using the RealPlayer plugin with Firefox|RealPlayer)) article for more information.\r\n* __((Using the Java plugin with Firefox|Java Guide))__\r\n\r\n\r\n!Other solutions\r\nSome sites with multimedia content may require you to allow popup windows or cookies or that you disable ad-blocking. Try the following:\r\n* Verify that cookies are enabled in the __Privacy__ panel in the ((Options window - Privacy panel|{DIV(class=win,type=span)}Options{DIV}{DIV(class=noWin,type=span)}Preferences{DIV})) window. Verify that the site is not blocked in the Cookie Exceptions list. \r\n* You can allow the website as an exception in the Firefox pop-up blocker. The "Block pop-up windows" option is found in the __Content__ panel in the ((Options window - Content panel|{DIV(class=win,type=span)}Options{DIV}{DIV(class=noWin,type=span)}Preferences{DIV})) window.\r\n* For the time being, you can disable any ad-blocking software or Firefox extensions, such as Adblock or Adblock Plus. If the site works with ad-blocking disabled, you may want to add the site to your whitelist in your adblocker filter.\r\n* __Advanced users:__ If you use a Windows [http://en.wikipedia.org/wiki/Hosts_file |hosts file], you can temporarily disable it by renaming it {FILE()}Xhosts{FILE}. Or, you can edit the hosts file to remove specific entries such as __ad.doubleclick.net__ that can cause videos on certain sites to fail ( For more information, see the [http://forums.mozillazine.org/viewtopic.php?p=2862303#2862303 |MozillaZine forums]). To apply changes to your hosts file, you may need to flush the DNS cache by entering the command %%% __ipconfig /flushdns__ %%% in the Run dialog box in Windows.\r\n\r\n{content label=amo}\r\n\r\n\r\n\r\n~tc~ MZ credit ~/tc~\r\n%%% %%%\r\n__''Based on information from [http://kb.mozillazine.org/Video_or_audio_does_not_play|Video or audio does not play (mozillaZine KB)]''__ ", + "lang": "en", + "hits": 36981, + "created": 1185838982, + "pageRank": "0.000", + "pageName": "Video or audio does not play", "desc_auto": "y" } - }, + }, { - "pk": 12, - "model": "sumo.wikipage", + "pk": 12, + "model": "sumo.wikipage", "fields": { - "comment": "s/path/menu", - "creator": "Chris_Ilias", - "ip": "10.2.81.4", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 5840, - "version": 17, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1233371927, - "data": "{maketoc}\r\nThe support.mozilla.com style guide aims to make the Firefox support Knowledge Base consistént, resulting in a knowledge base, that is easy to read and contribute to. These are not rigid rules. If you feel you have good reason not to follow any of these guidelines, feel free not to follow them. Conversely, do not be surprised if your contributions are edited, to comply the style guide.\r\n\r\n!!Preferred style guides\r\nIf you have questions about usage and style not covered here, I recommend referring to [http://www.amazon.com/gp/product/0131428993/|Read Me First! A Style Guide for the Computer Industry], or the [http://www.economist.com/research/StyleGuide/|Economist style guide]. Failing that, use the [http://www.amazon.com/gp/product/0226104036/|Chicago Manual of Style].\r\n\r\n!!Terminology\r\nIn cases where you are not sure of proper terminology, or if an element has more than one name, use the term in the user-interface. For instance, in the customize toolbar screen, the term used for the location bar is "Location" bar, not "Address" bar, or "ur~tc~ ~/tc~l" bar. Other often used terms:\r\n* Plugins does not contain a hyphen (it is not plug-ins).\r\n* Add-ons contains a hyphen (it is not addons).\r\n* It's "web feeds", not "RSS feeds".\r\n* It's "search engines", not "search plug-ins".\r\n* Home page is two words, not one.\r\nThe only exception to this rule is the word "website", which should be one word, unless you are actually referencing the Firefox interface.\r\n\r\n!!Links to Mozilla.com\r\nLinks to the main Mozilla.com web site should not contain the locale.\r\n* __~~#006600:Good~~__: http://www.mozilla.com/firefox\r\n* Bad: http://www.mozilla.com/en-US/firefox\r\n\r\n!!Acronyms and abbreviations\r\nWhen using a term, that may be presented as an acronym or abbreviation, use the method of presentation that is used in the user-interface; and do not separate the letters of an acronym by a period.\r\n* __~~#006600:Good~~__: SSL 3.0\r\n* Bad: S.S.L. 3.0\r\n* Bad: Secure Sockets Layer 3.0\r\n\r\n!!!Acronyms not found in the user-interface\r\nIn cases where an acronym is not in the user-interface, introduce its expansion in parenthesis on the first mention.\r\n* __~~#006600:Good~~__: RSS(Really Simple Syndication) links\r\n* Bad: RSS links\r\n\r\n!!!Abbreviations not found in the user-interface\r\nIn cases where an abbreviation is not in the user-interface, use the long version.\r\n* __~~#006600:Good~~__: information\r\n* Bad: info\r\n\r\n!!!Plurals of acronyms and abbreviations\r\nFor plurals of acronyms or abbreviations, add s, without the apostrophe.\r\n* __~~#006600:Good~~__: CD-ROMs\r\n* Bad: CD-ROM's\r\n\r\n!!Capitalization\r\nCapitalize the following items:\r\n* Proper nouns\r\n* The letters of many abbreviations and acronyms\r\n* The first letter of the first word in numbered or bulleted lists\r\n* The first letter of each term that identifies the name of a key on the keyboard\r\n* The first letter of the first word of a complete sentence\r\n* The first letter of the first word of a complete sentence following a colon\r\n* The first letter of the first word in a title or heading\r\n** __~~#006600:Good~~__: How to make Firefox your default browser\r\n** Bad: How To Make Firefox Your Default Browser\r\n\r\n!!Dates\r\n* For dates use the format: January 1, 1990.\r\n** __~~#006600:Good~~__: December 31, 2007\r\n** Bad: December 31st, 2007\r\n** Bad: 31 December, 2007\r\n\r\n* Alternatively, you can use YYYY-MM-DD\r\n** __~~#006600:Good~~__: 2007-12-31\r\n** Bad: 31-12-2007\r\n** Bad: 12-31-2007\r\n\r\n!!Headings\r\nUse heading 1 (h1) for the highest level headings.\r\n\r\n!!General spelling, grammar, and punctuation\r\nUnited States English spelling is preferred.\r\n* __~~#006600:Good~~__: color\r\n* Bad: colour\r\nIf you're unsure of spelling, refer to [http://www.answers.com|Answers.com].\r\n\r\n!!!Latin abbreviations\r\nCommon Latin abbreviations (etc., i.e., e.g.) may be used in parenthetical expressions and in notes. Use periods in these abbreviations.\r\n* __~~#006600:Good~~__: Search engines (e.g. Google) can be used ...\r\n* Bad: Search engines e.g. Google can be used ...\r\n* Bad: Search engines, e.g. Google, can be used ...\r\n* Bad: Search engines, (eg: Google) can be used ...\r\n\r\n!!!Pluralization\r\nUse English-style plurals, not the Latin- or Greek-influenced forms.\r\n* __~~#006600:Good~~__: viruses\r\n* Bad virii\r\n\r\n!!!Serial commas\r\nUse the serial comma. The serial (also known as "Oxford") comma is the comma that appears before "and" in a series of three or more items.\r\n* __~~#006600:Good~~__: Clear your cache, cookies, and history.\r\n* Bad: Clear your cache, cookies and history.\r\n\r\n!!Common types of text\r\n\r\n!!!Preference names / values\r\nEnclose preference name and values in the designated preference tags.\r\n~np~{PREF()}text{PREF}~/np~\r\nIt should appear as {PREF()}text{PREF}.\r\n\r\n!!!User scripts (user.js, userChrome.css, userContent.css)\r\nEnclose user scripts in the designated code tags.\r\n~np~{CODE()}text{CODE}~/np~\r\n\r\nIt should appear as {CODE()}text{CODE}\r\n\r\n!!!File names / paths\r\nEnclose file names and file paths in the designated filename tags.\r\n~np~{FILE()}text{FILE}~/np~\r\n\r\nIt should appear as {FILE()}text{FILE}.\r\n\r\n!!!Keyboard shortcuts\r\nEnclose keyboard shortcuts in the designated keyboard tags.\r\n~np~{TAG(tag=kbd)}text{TAG}~/np~\r\n\r\nIt should appear as {TAG(tag=kbd)}text{TAG}.\r\n\r\n!!!Menu paths\r\nEnclose menu paths in the designated menu tags.\r\n~np~{MENU()}text{MENU}~/np~\r\n\r\nIt should appear as {MENU()}text{MENU}.\r\n\r\n!!!Buttons\r\nEnclose button labels in the designated button tags.\r\n~np~{DIV(class=button,type=>span)}text{DIV}~/np~\r\n\r\nIt should appear as {DIV(class=button,type=>span)}text{DIV}.\r\n\r\n!!References\r\nLinks to info sources (i.e. Bugzilla links, forum discussion links) should be hidden with tiki comment tags.\r\n~np~~tc~bug number~/tc~~/np~\r\n", - "lang": "en", - "hits": 4916, - "created": 1184890033, - "pageRank": "0.000", - "pageName": "Style Guide", + "comment": "s/path/menu", + "creator": "Chris_Ilias", + "ip": "10.2.81.4", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 5840, + "version": 17, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1233371927, + "data": "{maketoc}\r\nThe support.mozilla.com style guide aims to make the Firefox support Knowledge Base consistént, resulting in a knowledge base, that is easy to read and contribute to. These are not rigid rules. If you feel you have good reason not to follow any of these guidelines, feel free not to follow them. Conversely, do not be surprised if your contributions are edited, to comply the style guide.\r\n\r\n!!Preferred style guides\r\nIf you have questions about usage and style not covered here, I recommend referring to [http://www.amazon.com/gp/product/0131428993/|Read Me First! A Style Guide for the Computer Industry], or the [http://www.economist.com/research/StyleGuide/|Economist style guide]. Failing that, use the [http://www.amazon.com/gp/product/0226104036/|Chicago Manual of Style].\r\n\r\n!!Terminology\r\nIn cases where you are not sure of proper terminology, or if an element has more than one name, use the term in the user-interface. For instance, in the customize toolbar screen, the term used for the location bar is "Location" bar, not "Address" bar, or "ur~tc~ ~/tc~l" bar. Other often used terms:\r\n* Plugins does not contain a hyphen (it is not plug-ins).\r\n* Add-ons contains a hyphen (it is not addons).\r\n* It's "web feeds", not "RSS feeds".\r\n* It's "search engines", not "search plug-ins".\r\n* Home page is two words, not one.\r\nThe only exception to this rule is the word "website", which should be one word, unless you are actually referencing the Firefox interface.\r\n\r\n!!Links to Mozilla.com\r\nLinks to the main Mozilla.com web site should not contain the locale.\r\n* __~~#006600:Good~~__: http://www.mozilla.com/firefox\r\n* Bad: http://www.mozilla.com/en-US/firefox\r\n\r\n!!Acronyms and abbreviations\r\nWhen using a term, that may be presented as an acronym or abbreviation, use the method of presentation that is used in the user-interface; and do not separate the letters of an acronym by a period.\r\n* __~~#006600:Good~~__: SSL 3.0\r\n* Bad: S.S.L. 3.0\r\n* Bad: Secure Sockets Layer 3.0\r\n\r\n!!!Acronyms not found in the user-interface\r\nIn cases where an acronym is not in the user-interface, introduce its expansion in parenthesis on the first mention.\r\n* __~~#006600:Good~~__: RSS(Really Simple Syndication) links\r\n* Bad: RSS links\r\n\r\n!!!Abbreviations not found in the user-interface\r\nIn cases where an abbreviation is not in the user-interface, use the long version.\r\n* __~~#006600:Good~~__: information\r\n* Bad: info\r\n\r\n!!!Plurals of acronyms and abbreviations\r\nFor plurals of acronyms or abbreviations, add s, without the apostrophe.\r\n* __~~#006600:Good~~__: CD-ROMs\r\n* Bad: CD-ROM's\r\n\r\n!!Capitalization\r\nCapitalize the following items:\r\n* Proper nouns\r\n* The letters of many abbreviations and acronyms\r\n* The first letter of the first word in numbered or bulleted lists\r\n* The first letter of each term that identifies the name of a key on the keyboard\r\n* The first letter of the first word of a complete sentence\r\n* The first letter of the first word of a complete sentence following a colon\r\n* The first letter of the first word in a title or heading\r\n** __~~#006600:Good~~__: How to make Firefox your default browser\r\n** Bad: How To Make Firefox Your Default Browser\r\n\r\n!!Dates\r\n* For dates use the format: January 1, 1990.\r\n** __~~#006600:Good~~__: December 31, 2007\r\n** Bad: December 31st, 2007\r\n** Bad: 31 December, 2007\r\n\r\n* Alternatively, you can use YYYY-MM-DD\r\n** __~~#006600:Good~~__: 2007-12-31\r\n** Bad: 31-12-2007\r\n** Bad: 12-31-2007\r\n\r\n!!Headings\r\nUse heading 1 (h1) for the highest level headings.\r\n\r\n!!General spelling, grammar, and punctuation\r\nUnited States English spelling is preferred.\r\n* __~~#006600:Good~~__: color\r\n* Bad: colour\r\nIf you're unsure of spelling, refer to [http://www.answers.com|Answers.com].\r\n\r\n!!!Latin abbreviations\r\nCommon Latin abbreviations (etc., i.e., e.g.) may be used in parenthetical expressions and in notes. Use periods in these abbreviations.\r\n* __~~#006600:Good~~__: Search engines (e.g. Google) can be used ...\r\n* Bad: Search engines e.g. Google can be used ...\r\n* Bad: Search engines, e.g. Google, can be used ...\r\n* Bad: Search engines, (eg: Google) can be used ...\r\n\r\n!!!Pluralization\r\nUse English-style plurals, not the Latin- or Greek-influenced forms.\r\n* __~~#006600:Good~~__: viruses\r\n* Bad virii\r\n\r\n!!!Serial commas\r\nUse the serial comma. The serial (also known as "Oxford") comma is the comma that appears before "and" in a series of three or more items.\r\n* __~~#006600:Good~~__: Clear your cache, cookies, and history.\r\n* Bad: Clear your cache, cookies and history.\r\n\r\n!!Common types of text\r\n\r\n!!!Preference names / values\r\nEnclose preference name and values in the designated preference tags.\r\n~np~{PREF()}text{PREF}~/np~\r\nIt should appear as {PREF()}text{PREF}.\r\n\r\n!!!User scripts (user.js, userChrome.css, userContent.css)\r\nEnclose user scripts in the designated code tags.\r\n~np~{CODE()}text{CODE}~/np~\r\n\r\nIt should appear as {CODE()}text{CODE}\r\n\r\n!!!File names / paths\r\nEnclose file names and file paths in the designated filename tags.\r\n~np~{FILE()}text{FILE}~/np~\r\n\r\nIt should appear as {FILE()}text{FILE}.\r\n\r\n!!!Keyboard shortcuts\r\nEnclose keyboard shortcuts in the designated keyboard tags.\r\n~np~{TAG(tag=kbd)}text{TAG}~/np~\r\n\r\nIt should appear as {TAG(tag=kbd)}text{TAG}.\r\n\r\n!!!Menu paths\r\nEnclose menu paths in the designated menu tags.\r\n~np~{MENU()}text{MENU}~/np~\r\n\r\nIt should appear as {MENU()}text{MENU}.\r\n\r\n!!!Buttons\r\nEnclose button labels in the designated button tags.\r\n~np~{DIV(class=button,type=>span)}text{DIV}~/np~\r\n\r\nIt should appear as {DIV(class=button,type=>span)}text{DIV}.\r\n\r\n!!References\r\nLinks to info sources (i.e. Bugzilla links, forum discussion links) should be hidden with tiki comment tags.\r\n~np~~tc~bug number~/tc~~/np~\r\n", + "lang": "en", + "hits": 4916, + "created": 1184890033, + "pageRank": "0.000", + "pageName": "Style Guide", "desc_auto": "y" } - }, + }, { - "pk": 13, - "model": "sumo.wikipage", + "pk": 13, + "model": "sumo.wikipage", "fields": { - "comment": "periods are now allowed in article titles", - "creator": "Chris_Ilias", - "ip": "10.2.81.4", - "keywords": null, - "points": null, - "cache_timestamp": 0, - "votes": null, - "cache": null, - "page_size": 3704, - "version": 24, - "wiki_cache": null, - "lockedby": "", - "description": "", - "is_html": 0, - "flag": "", - "user": "Chris_Ilias", - "lastModif": 1252701449, - "data": "We want Firefox Support to be usable by most Firefox users. This means we're writing for a general audience rather than someone very familiar with computer terminology. Our target reader is someone who does not know how to use about:config, or how to add a toolbar button, without instruction. Each article should not only provide answers, but instructions, and assume the user has not changed the default values of settings. In general, try to write articles in such a way that your mom would understand. As such, we've adopted the following practices to help keep articles clear and consistent.\r\n\r\n* Write articles for __Firefox 3__ users. Firefox 2 has reached the end of its support life and out-of-date support articles can be confusing.\r\n* It's often surprising how seemingly direct instructions can have multiple interpretations. When describing actions, try to __avoid language that could be interpreted in different ways__.\r\n* __Be concise.__ Don't spend so much text trying to explain things that the user loses track of the big picture. This isn't a chat.\r\n* The word "user" itself is a technical term. Try to avoid phrases, like "If a user has lost his bookmarks." __Word your sentences as if you were speaking directly to the user__, like "If you've lost your bookmarks..."\r\n* The __title of the article__ describes the question being asked or the problem being inquired about.\r\n** __~~#006600:Good~~__: Toolbar keeps resetting\r\n** __Bad__: corrupt localstore.rdf\r\n* For technical reasons, article titles cannot contain the following characters:%%% || ::::: | ::/:: | ::?:: | ::#:: | ::[[:: | ::]:: | ::@:: | ::!:: | ::$:: | ::&:: | ::':: | ::(:: | ::):: | ::*:: | ::+:: | ::,:: | ::;:: | ::=:: | ::<:: | ::>:: ||\r\n* Give a __brief, one-paragraph summary__ of the problem, and what is being done (in the article) to fix it. This is your introduction. There's no need to name it as such (or "Background").\r\n* Users only need one answer to their question. There are cases in which there is more than one way of accomplishing a task. In such instances, __try to pick the most user-friendly method__. In general, the order of preference is:\r\n## The graphical user-interface (menus, check-boxes, buttons, etc.) distributed with Firefox.\r\n## If it's a preference that the user is likely only to change once, use about the about:config method\r\n## Extension\r\n## User script (user.js, userChrome.css, userContent.css, etc.)\r\n+If none of the above are possible, there's usually one method of accomplishing a task anyway.\r\n* When providing step by step instructions, __use a numbered list__ rather than bullets.\r\n* __Include expected results when giving instructions__ (e.g. Choose the Firefox (Safe mode) menu option. __A dialog will appear__.)\r\n* __Use full sentences__ when describing how to access the user interface.\r\n** __~~#006600:Good~~__: At the top of the Firefox window, click on the Tools menu, and select Options..."\r\n** __Bad__: Go to Tools > Options...\r\n* Some suggested practices may breech net etiquette. Make a short and polite note in these instances. This is not the appropriate forum to speak didactically on topics of etiquette or user behavior and preferences.\r\n\r\n!!!Multimedia\r\nDon't be shy about including multimedia. They are often the most helpful part of the article for users. Specifically choose multimedia that will help clear up any possible ambiguities in the article text or confirm that the user is seeing the correct dialog menu after a series of steps. \r\n\r\nFor guidelines about screenshots, see ((Adding screenshots)).\r\n\r\nFor guidelines about videos (a.k.a. screencasts), see ((Adding screencasts)).", - "lang": "en", - "hits": 5131, - "created": 1184891111, - "pageRank": "0.000", - "pageName": "Best Practices for Support Documents", + "comment": "periods are now allowed in article titles", + "creator": "Chris_Ilias", + "ip": "10.2.81.4", + "keywords": null, + "points": null, + "cache_timestamp": 0, + "votes": null, + "cache": null, + "page_size": 3704, + "version": 24, + "wiki_cache": null, + "lockedby": "", + "description": "", + "is_html": 0, + "flag": "", + "user": "Chris_Ilias", + "lastModif": 1252701449, + "data": "We want Firefox Support to be usable by most Firefox users. This means we're writing for a general audience rather than someone very familiar with computer terminology. Our target reader is someone who does not know how to use about:config, or how to add a toolbar button, without instruction. Each article should not only provide answers, but instructions, and assume the user has not changed the default values of settings. In general, try to write articles in such a way that your mom would understand. As such, we've adopted the following practices to help keep articles clear and consistent.\r\n\r\n* Write articles for __Firefox 3__ users. Firefox 2 has reached the end of its support life and out-of-date support articles can be confusing.\r\n* It's often surprising how seemingly direct instructions can have multiple interpretations. When describing actions, try to __avoid language that could be interpreted in different ways__.\r\n* __Be concise.__ Don't spend so much text trying to explain things that the user loses track of the big picture. This isn't a chat.\r\n* The word "user" itself is a technical term. Try to avoid phrases, like "If a user has lost his bookmarks." __Word your sentences as if you were speaking directly to the user__, like "If you've lost your bookmarks..."\r\n* The __title of the article__ describes the question being asked or the problem being inquired about.\r\n** __~~#006600:Good~~__: Toolbar keeps resetting\r\n** __Bad__: corrupt localstore.rdf\r\n* For technical reasons, article titles cannot contain the following characters:%%% || ::::: | ::/:: | ::?:: | ::#:: | ::[[:: | ::]:: | ::@:: | ::!:: | ::$:: | ::&:: | ::':: | ::(:: | ::):: | ::*:: | ::+:: | ::,:: | ::;:: | ::=:: | ::<:: | ::>:: ||\r\n* Give a __brief, one-paragraph summary__ of the problem, and what is being done (in the article) to fix it. This is your introduction. There's no need to name it as such (or "Background").\r\n* Users only need one answer to their question. There are cases in which there is more than one way of accomplishing a task. In such instances, __try to pick the most user-friendly method__. In general, the order of preference is:\r\n## The graphical user-interface (menus, check-boxes, buttons, etc.) distributed with Firefox.\r\n## If it's a preference that the user is likely only to change once, use about the about:config method\r\n## Extension\r\n## User script (user.js, userChrome.css, userContent.css, etc.)\r\n+If none of the above are possible, there's usually one method of accomplishing a task anyway.\r\n* When providing step by step instructions, __use a numbered list__ rather than bullets.\r\n* __Include expected results when giving instructions__ (e.g. Choose the Firefox (Safe mode) menu option. __A dialog will appear__.)\r\n* __Use full sentences__ when describing how to access the user interface.\r\n** __~~#006600:Good~~__: At the top of the Firefox window, click on the Tools menu, and select Options..."\r\n** __Bad__: Go to Tools > Options...\r\n* Some suggested practices may breech net etiquette. Make a short and polite note in these instances. This is not the appropriate forum to speak didactically on topics of etiquette or user behavior and preferences.\r\n\r\n!!!Multimedia\r\nDon't be shy about including multimedia. They are often the most helpful part of the article for users. Specifically choose multimedia that will help clear up any possible ambiguities in the article text or confirm that the user is seeing the correct dialog menu after a series of steps. \r\n\r\nFor guidelines about screenshots, see ((Adding screenshots)).\r\n\r\nFor guidelines about videos (a.k.a. screencasts), see ((Adding screencasts)).", + "lang": "en", + "hits": 5131, + "created": 1184891111, + "pageRank": "0.000", + "pageName": "Best Practices for Support Documents", "desc_auto": "y" } } diff --git a/apps/sumo/fixtures/threads.json b/apps/sumo/fixtures/threads.json index c09b7709c8f..c0a53bbe5de 100644 --- a/apps/sumo/fixtures/threads.json +++ b/apps/sumo/fixtures/threads.json @@ -1,261 +1,261 @@ [ { - "pk": 185510, - "model": "sumo.forumthread", + "pk": 185510, + "model": "sumo.forumthread", "fields": { - "userName": "Bob (anon)", - "hits": 267, - "smiley": "", - "hash": "ffcc8752a1499e0f7f9203892e45e8a7", - "description": "Error Log Code 203 Plugins installed: [+]Default Plug-in RealJukebox Netscape Plugin RealPlayer(tm) LiveConnect-Enabled Plug-In 6.0.12.69 Google Update Shockwave Flash 10.0 r12 iTunes Detector Plu", - "title": "Google toolbar doesn't install. ", - "commentDate": 1224139823, - "data": "Error Log Code 203\n\n!! Plugins installed: \n\n*-Default Plug-in\r\n*RealJukebox Netscape Plugin\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.69\r\n*Google Update\r\n*Shockwave Flash 10.0 r12\r\n*iTunes Detector Plug-in\r\n*Picasa plugin\r\n*Google Updater pluginhttp://pack.google.com/\r\n*Rhapsody Player Engine Plugin\r\n*MetaStream 3 Plugin r4\r\n*Java Plug-in 1.6.0_07 for Netscape Navigator (DLL Helper)\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*DRM Netscape Network Object\r\n*Npdsplay dll\r\n*DRM Store Netscape Plugin", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 3.0.3 Operating system: Windows XP", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Bob (not registered)-0-ffcc8752a1@support.mozilla.com", + "userName": "Bob (anon)", + "hits": 267, + "smiley": "", + "hash": "ffcc8752a1499e0f7f9203892e45e8a7", + "description": "Error Log Code 203 Plugins installed: [+]Default Plug-in RealJukebox Netscape Plugin RealPlayer(tm) LiveConnect-Enabled Plug-In 6.0.12.69 Google Update Shockwave Flash 10.0 r12 iTunes Detector Plu", + "title": "Google toolbar doesn't install. ", + "commentDate": 1224139823, + "data": "Error Log Code 203\n\n!! Plugins installed: \n\n*-Default Plug-in\r\n*RealJukebox Netscape Plugin\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.69\r\n*Google Update\r\n*Shockwave Flash 10.0 r12\r\n*iTunes Detector Plug-in\r\n*Picasa plugin\r\n*Google Updater pluginhttp://pack.google.com/\r\n*Rhapsody Player Engine Plugin\r\n*MetaStream 3 Plugin r4\r\n*Java Plug-in 1.6.0_07 for Netscape Navigator (DLL Helper)\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*DRM Netscape Network Object\r\n*Npdsplay dll\r\n*DRM Store Netscape Plugin", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 3.0.3 Operating system: Windows XP", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "o", + "message_id": "Bob (not registered)-0-ffcc8752a1@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 126164, - "model": "sumo.forumthread", + "pk": 126164, + "model": "sumo.forumthread", "fields": { - "userName": "\u00c3\u0081lber (anon)", - "hits": 706, - "smiley": "", - "hash": "c809d9164bc22d8baadc93f82edcc560", - "description": "When the mouse pointer hovers over the flash player, mouse wheel does not scroll until the pointer is outside the player. If I click in the player, I have to click outside before I can scroll again.", - "title": "Firefox stops scrolling when mouse is over (some) Flash players ", - "commentDate": 1218082627, - "data": "When the mouse pointer hovers over the flash player, mouse wheel does not scroll until the pointer is outside the player. If I click in the player, I have to click outside before I can scroll again.\r\n\r\nFirst it only happened with some versions of JW Player... Now it also happens with all YouTube players.\r\n\r\n \u00c2\u00b7 Adobe Flash Player (Shockwave Flash, as listed at FF Plugins) 9.0 r124.\r\n \u00c2\u00b7 Firefox 3.0, Windows XP SP3, standard mouse.\r\n * It doesn't affect IE, Safari or Flock.\r\n * It happens in safe mode.\r\n * It also happens with FF 3.1 Alpha 1 and FF Portable 3.0, but NOT with FF Portable 2.0.\r\n \u00c2\u00b7 I have already uninstalled/reinstalled Flash 9.0.\r\n \u00c2\u00b7 I have also tried uninstalling Flash 9 and installing 10 Beta. It didn't work, so now it's 9 again.\r\n \u00c2\u00b7 I don't know why the YouTube behavior changed. This morning it started occuring in embedded players; this evening all players were affected.\r\n \u00c2\u00b7 Also, the need to click outside before scrolling did only appear after I re-installed Flash.\r\n \u00c2\u00b7 I didn't tamper (much) with my system yesterday.\r\n \u00c2\u00b7 Google tells me it was a classic bug of FF2 in Linux, solved with FF3. I didn't find anybody with this problem on Windows.\n\n!! Extensions installed: \n\nGreasemonkey, Stylish, Adblock Plus, etc., but AFAIK safe mode rules them out...\n\n!! Plugins installed: \n\n*-IE Tab Plug-in for Mozilla/Firefox\r\n*Default Plug-in\r\n*npdivxplayerplugin\r\n*DivX Web Player version 1.4.0.233\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.46\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*Yahoo! activeX Plug-in Bridge\r\n*Office Plugin for Netscape Navigator\r\n*Adobe Shockwave for Director Netscape plug-in, version 10.1\r\n*WindizUpdate for Firefox, Mozilla, Opera and Netscape; version 2.0.2006.517. For details, visit windizupdate.com\r\n*Shockwave Flash 9.0 r124\r\n*iTunes Detector Plug-in\r\n*1.0.30401.0\r\n*Virtual Earth 3D 2.00071113001 plugin for Mozilla\r\n*Windows Presentation Foundation (WPF) plug-in for Mozilla browsers\r\n*NPVeohVersion4 plugin\r\n*Java Plug-in 1.6.0_07 for Netscape Navigator (DLL Helper)\r\n*DRM Netscape Network Object\r\n*Npdsplay dll\r\n*DRM Store Netscape Plugin", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 3.0.1 Operating system: Windows XP", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "\u00c3\u0081lber (not registered)-0-c809d9164b@support.mozilla.com", + "userName": "\u00c3\u0081lber (anon)", + "hits": 706, + "smiley": "", + "hash": "c809d9164bc22d8baadc93f82edcc560", + "description": "When the mouse pointer hovers over the flash player, mouse wheel does not scroll until the pointer is outside the player. If I click in the player, I have to click outside before I can scroll again.", + "title": "Firefox stops scrolling when mouse is over (some) Flash players ", + "commentDate": 1218082627, + "data": "When the mouse pointer hovers over the flash player, mouse wheel does not scroll until the pointer is outside the player. If I click in the player, I have to click outside before I can scroll again.\r\n\r\nFirst it only happened with some versions of JW Player... Now it also happens with all YouTube players.\r\n\r\n \u00c2\u00b7 Adobe Flash Player (Shockwave Flash, as listed at FF Plugins) 9.0 r124.\r\n \u00c2\u00b7 Firefox 3.0, Windows XP SP3, standard mouse.\r\n * It doesn't affect IE, Safari or Flock.\r\n * It happens in safe mode.\r\n * It also happens with FF 3.1 Alpha 1 and FF Portable 3.0, but NOT with FF Portable 2.0.\r\n \u00c2\u00b7 I have already uninstalled/reinstalled Flash 9.0.\r\n \u00c2\u00b7 I have also tried uninstalling Flash 9 and installing 10 Beta. It didn't work, so now it's 9 again.\r\n \u00c2\u00b7 I don't know why the YouTube behavior changed. This morning it started occuring in embedded players; this evening all players were affected.\r\n \u00c2\u00b7 Also, the need to click outside before scrolling did only appear after I re-installed Flash.\r\n \u00c2\u00b7 I didn't tamper (much) with my system yesterday.\r\n \u00c2\u00b7 Google tells me it was a classic bug of FF2 in Linux, solved with FF3. I didn't find anybody with this problem on Windows.\n\n!! Extensions installed: \n\nGreasemonkey, Stylish, Adblock Plus, etc., but AFAIK safe mode rules them out...\n\n!! Plugins installed: \n\n*-IE Tab Plug-in for Mozilla/Firefox\r\n*Default Plug-in\r\n*npdivxplayerplugin\r\n*DivX Web Player version 1.4.0.233\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.46\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*Yahoo! activeX Plug-in Bridge\r\n*Office Plugin for Netscape Navigator\r\n*Adobe Shockwave for Director Netscape plug-in, version 10.1\r\n*WindizUpdate for Firefox, Mozilla, Opera and Netscape; version 2.0.2006.517. For details, visit windizupdate.com\r\n*Shockwave Flash 9.0 r124\r\n*iTunes Detector Plug-in\r\n*1.0.30401.0\r\n*Virtual Earth 3D 2.00071113001 plugin for Mozilla\r\n*Windows Presentation Foundation (WPF) plug-in for Mozilla browsers\r\n*NPVeohVersion4 plugin\r\n*Java Plug-in 1.6.0_07 for Netscape Navigator (DLL Helper)\r\n*DRM Netscape Network Object\r\n*Npdsplay dll\r\n*DRM Store Netscape Plugin", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 3.0.1 Operating system: Windows XP", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "o", + "message_id": "\u00c3\u0081lber (not registered)-0-c809d9164b@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 30857, - "model": "sumo.forumthread", + "pk": 30857, + "model": "sumo.forumthread", "fields": { - "userName": "Bill (anon)", - "hits": 163, - "smiley": "", - "hash": "6e476756896552466e6c28cc7b243609", - "description": "looked all over for instruction and preferences that might control it. Extensions installed: I don't know Plugins installed: [+]Netscape Navigator Default Plug-in Runs Java applets using", - "title": "How can I turn off the audio news and comercials when I open yahoo", - "commentDate": 1206812870, - "data": "looked all over for instruction and preferences that might control it.\n\n!! Extensions installed: \n\nI don't know\n\n!! Plugins installed: \n\n*-Netscape Navigator Default Plug-in\r\n*Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Java Information.\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*Shockwave Flash 9.0 r115\r\n*The Flip4Mac WMV Plugin allows you to view Windows Media content using QuickTime.\r\n*Netscape plugin that plays Rhapsody content\r\n*Plugin that plays RealMedia content\r\n*Verified Download Plugin\r\n*Macromedia Shockwave for Director Netscape plug-in, version 10.1.1\r\n*Java 1.3.1 Plug-in\r\n*Java 1.3.1 Plug-in (CFM)", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.13 Operating system: PPC Mac OS X Mach-O", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Bill (not registered)-0-6e47675689@support.mozilla.com", + "userName": "Bill (anon)", + "hits": 163, + "smiley": "", + "hash": "6e476756896552466e6c28cc7b243609", + "description": "looked all over for instruction and preferences that might control it. Extensions installed: I don't know Plugins installed: [+]Netscape Navigator Default Plug-in Runs Java applets using", + "title": "How can I turn off the audio news and comercials when I open yahoo", + "commentDate": 1206812870, + "data": "looked all over for instruction and preferences that might control it.\n\n!! Extensions installed: \n\nI don't know\n\n!! Plugins installed: \n\n*-Netscape Navigator Default Plug-in\r\n*Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Java Information.\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*Shockwave Flash 9.0 r115\r\n*The Flip4Mac WMV Plugin allows you to view Windows Media content using QuickTime.\r\n*Netscape plugin that plays Rhapsody content\r\n*Plugin that plays RealMedia content\r\n*Verified Download Plugin\r\n*Macromedia Shockwave for Director Netscape plug-in, version 10.1.1\r\n*Java 1.3.1 Plug-in\r\n*Java 1.3.1 Plug-in (CFM)", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.13 Operating system: PPC Mac OS X Mach-O", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "v", + "message_id": "Bill (not registered)-0-6e47675689@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 185508, - "model": "sumo.forumthread", + "pk": 185508, + "model": "sumo.forumthread", "fields": { - "userName": "Anonymous", - "hits": 384, - "smiley": "", - "hash": "1b02b79c99d6d343af5a377fc45a11cf", - "description": "I have not yet installed Firefox 3, because of its design. I would very much like to be able to make FF 3 look exactly like FF 2, including the separator line between the menubar and the navigation ba", - "title": "Default theme", - "commentDate": 1224139652, - "data": "I have not yet installed Firefox 3, because of its design. I would very much like to be able to make FF 3 look exactly like FF 2, including the separator line between the menubar and the navigation bar which is missing in FF3 (yes, I must be mad), and the default icons/buttons in FF2. Is there a way to make this happen?\n\n!! Plugins installed: \n\n*-Keep your drivers up-to-date with Driver Agent. Designed for Firefox, Opera, Mozilla and Netscape; version 2.2008.9.10\r\n*Default Plug-in\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*Office Plugin for Netscape Navigator\r\n*Shockwave Flash 9.0 r124\r\n*Java Plug-in 1.6.0_01 for Netscape Navigator (DLL Helper)", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.16 Operating system: Windows Vista", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "l", - "message_id": "Anonymous-0-1b02b79c99@support.mozilla.com", + "userName": "Anonymous", + "hits": 384, + "smiley": "", + "hash": "1b02b79c99d6d343af5a377fc45a11cf", + "description": "I have not yet installed Firefox 3, because of its design. I would very much like to be able to make FF 3 look exactly like FF 2, including the separator line between the menubar and the navigation ba", + "title": "Default theme", + "commentDate": 1224139652, + "data": "I have not yet installed Firefox 3, because of its design. I would very much like to be able to make FF 3 look exactly like FF 2, including the separator line between the menubar and the navigation bar which is missing in FF3 (yes, I must be mad), and the default icons/buttons in FF2. Is there a way to make this happen?\n\n!! Plugins installed: \n\n*-Keep your drivers up-to-date with Driver Agent. Designed for Firefox, Opera, Mozilla and Netscape; version 2.2008.9.10\r\n*Default Plug-in\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*Office Plugin for Netscape Navigator\r\n*Shockwave Flash 9.0 r124\r\n*Java Plug-in 1.6.0_01 for Netscape Navigator (DLL Helper)", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.16 Operating system: Windows Vista", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "l", + "message_id": "Anonymous-0-1b02b79c99@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 32255, - "model": "sumo.forumthread", + "pk": 32255, + "model": "sumo.forumthread", "fields": { - "userName": "Peter Stich (anon)", - "hits": 117, - "smiley": "", - "hash": "9ba61a98bcaccd21b813e8669e947bbc", - "description": "Re-downloading Firefox. Plugins installed: [+]Netscape Navigator Default Plug-in Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run ver", - "title": "Firefox locks up when opening bookmarks imported from Safari.", - "commentDate": 1207030161, - "data": "Re-downloading Firefox.\n\n!! Plugins installed: \n\n*-Netscape Navigator Default Plug-in\r\n*Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Java Information.\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*Verified Download Plugin\r\n*Shockwave Flash 9.0 r115", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.12 Operating system: Intel Mac OS X", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Peter Stich (not registered)-0-9ba61a98bc@support.mozilla.com", + "userName": "Peter Stich (anon)", + "hits": 117, + "smiley": "", + "hash": "9ba61a98bcaccd21b813e8669e947bbc", + "description": "Re-downloading Firefox. Plugins installed: [+]Netscape Navigator Default Plug-in Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run ver", + "title": "Firefox locks up when opening bookmarks imported from Safari.", + "commentDate": 1207030161, + "data": "Re-downloading Firefox.\n\n!! Plugins installed: \n\n*-Netscape Navigator Default Plug-in\r\n*Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Java Information.\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*Verified Download Plugin\r\n*Shockwave Flash 9.0 r115", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.12 Operating system: Intel Mac OS X", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "n", + "message_id": "Peter Stich (not registered)-0-9ba61a98bc@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 34564, - "model": "sumo.forumthread", + "pk": 34564, + "model": "sumo.forumthread", "fields": { - "userName": "Frank (anon)", - "hits": 116, - "smiley": "", - "hash": "cec6593987c45398dfb205507794357f", - "description": "It is a site I need for work and it will work for the people who use IE, but nothing else. Plugins installed: [+]Runs Java applets using the latest installed versions of Java. For more information", - "title": "I cannot download a page that is using virtualearth. It stops when downloading t3.tiles.virtualearth.", - "commentDate": 1207435205, - "data": "It is a site I need for work and it will work for the people who use IE, but nothing else.\n\n!! Plugins installed: \n\n*-Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Test Your JVM.\r\n*Netscape Navigator Default Plug-in\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*The Flip4Mac WMV Plugin allows you to view Windows Media content using QuickTime.\r\n*Scorch Plugin for viewing Sibelius(tm) music scores http://www.sibelius.com\r\n*Shockwave Flash 9.0 r47\r\n*Verified Download Plugin", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.7 Operating system: Intel Mac OS X", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Frank (not registered)-0-cec6593987@support.mozilla.com", + "userName": "Frank (anon)", + "hits": 116, + "smiley": "", + "hash": "cec6593987c45398dfb205507794357f", + "description": "It is a site I need for work and it will work for the people who use IE, but nothing else. Plugins installed: [+]Runs Java applets using the latest installed versions of Java. For more information", + "title": "I cannot download a page that is using virtualearth. It stops when downloading t3.tiles.virtualearth.", + "commentDate": 1207435205, + "data": "It is a site I need for work and it will work for the people who use IE, but nothing else.\n\n!! Plugins installed: \n\n*-Runs Java applets using the latest installed versions of Java. For more information: Java Embedding Plugin. Run version test: Test Your JVM.\r\n*Netscape Navigator Default Plug-in\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in web pages. For more information, visit the QuickTime Web site.\r\n*The Flip4Mac WMV Plugin allows you to view Windows Media content using QuickTime.\r\n*Scorch Plugin for viewing Sibelius(tm) music scores http://www.sibelius.com\r\n*Shockwave Flash 9.0 r47\r\n*Verified Download Plugin", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.7 Operating system: Intel Mac OS X", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "s", + "message_id": "Frank (not registered)-0-cec6593987@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 18852, - "model": "sumo.forumthread", + "pk": 18852, + "model": "sumo.forumthread", "fields": { - "userName": "Emma (anon)", - "hits": 125, - "smiley": "", - "hash": "61b5168ecece790cfc0ed951ddb2e8f0", - "description": "When I use the Address bar to search for something (eg gmail) it goes to www.quickbrowsersearch.com which is a useless search engine. My computer at work searches though google when I do the same th", - "title": "Searching from the address bar results in www.quickbrowsersearch.com", - "commentDate": 1204264402, - "data": "When I use the Address bar to search for something (eg gmail) it goes to www.quickbrowsersearch.com which is a useless search engine. My computer at work searches though google when I do the same thing. I can't figure out why it does this. So annoying!\n\n!! Plugins installed: \n\n*-Shockwave Flash 9.0 r47\r\n*Default Plug-in\r\n*Yahoo Application State Plugin\r\n*Windows Presentation Foundation (WPF) plug-in for Mozilla browsers\r\n*RealJukebox Netscape Plugin\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.1662\r\n*Yahoo! activeX Plug-in Bridge\r\n*Java Plug-in 1.6.0_03 for Netscape Navigator (DLL Helper)\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*Npdsplay dll\r\n*DRM Netscape Network Object\r\n*DRM Store Netscape Plugin", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.12 Operating system: Windows XP", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Emma (not registered)-0-61b5168ece@support.mozilla.com", + "userName": "Emma (anon)", + "hits": 125, + "smiley": "", + "hash": "61b5168ecece790cfc0ed951ddb2e8f0", + "description": "When I use the Address bar to search for something (eg gmail) it goes to www.quickbrowsersearch.com which is a useless search engine. My computer at work searches though google when I do the same th", + "title": "Searching from the address bar results in www.quickbrowsersearch.com", + "commentDate": 1204264402, + "data": "When I use the Address bar to search for something (eg gmail) it goes to www.quickbrowsersearch.com which is a useless search engine. My computer at work searches though google when I do the same thing. I can't figure out why it does this. So annoying!\n\n!! Plugins installed: \n\n*-Shockwave Flash 9.0 r47\r\n*Default Plug-in\r\n*Yahoo Application State Plugin\r\n*Windows Presentation Foundation (WPF) plug-in for Mozilla browsers\r\n*RealJukebox Netscape Plugin\r\n*RealPlayer(tm) LiveConnect-Enabled Plug-In\r\n*6.0.12.1662\r\n*Yahoo! activeX Plug-in Bridge\r\n*Java Plug-in 1.6.0_03 for Netscape Navigator (DLL Helper)\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*Npdsplay dll\r\n*DRM Netscape Network Object\r\n*DRM Store Netscape Plugin", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.12 Operating system: Windows XP", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "a", + "message_id": "Emma (not registered)-0-61b5168ece@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 8289, - "model": "sumo.forumthread", + "pk": 8289, + "model": "sumo.forumthread", "fields": { - "userName": "Andreas Gustafsson (anon)", - "hits": 422, - "smiley": "", - "hash": "a9db94cb9fe225c5e7b96fc007419a48", - "description": "I'm using the Linux version of Firefox. When I use the Ctrl+W shortcut to close a tab, if and only if there happens to be exactly one tab, it doesn't just close the tab, but quits the entir", - "title": "Making Ctrl+W close the tab and only close the tab", - "commentDate": 1201972097, - "data": "I'm using the Linux version of Firefox. When I use the Ctrl+W\r\nshortcut to close a tab, if and only if there happens to be exactly\r\none tab, it doesn't just close the tab, but quits the entire browser.\r\nI find this highly illogical and inconvenient - it means I have to count\r\nmy tabs every time I want to close one in order to make sure I don't\r\naccidentally quit my browser! Is there any way to fix this?\n\n!! Extensions installed: \n\nFirebug", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 2.0.0.11 Operating system: NetBSD", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Andreas Gustafsson (not registered)-0-a9db94cb9f@support.mozilla.com", + "userName": "Andreas Gustafsson (anon)", + "hits": 422, + "smiley": "", + "hash": "a9db94cb9fe225c5e7b96fc007419a48", + "description": "I'm using the Linux version of Firefox. When I use the Ctrl+W shortcut to close a tab, if and only if there happens to be exactly one tab, it doesn't just close the tab, but quits the entir", + "title": "Making Ctrl+W close the tab and only close the tab", + "commentDate": 1201972097, + "data": "I'm using the Linux version of Firefox. When I use the Ctrl+W\r\nshortcut to close a tab, if and only if there happens to be exactly\r\none tab, it doesn't just close the tab, but quits the entire browser.\r\nI find this highly illogical and inconvenient - it means I have to count\r\nmy tabs every time I want to close one in order to make sure I don't\r\naccidentally quit my browser! Is there any way to fix this?\n\n!! Extensions installed: \n\nFirebug", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 2.0.0.11 Operating system: NetBSD", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "n", + "message_id": "Andreas Gustafsson (not registered)-0-a9db94cb9f@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 8288, - "model": "sumo.forumthread", + "pk": 8288, + "model": "sumo.forumthread", "fields": { - "userName": "Steve LaCAze (anon)", - "hits": 292, - "smiley": "", - "hash": "a7f7fc894be3f7864e40fd77eb0a0597", - "description": "I have tried adding a bookmark at the top but was unable to seperate the book marks into seperate listsings. I want a bookmark for ceratain things and another for the rest. Thanks, Steve To organi", - "title": "Can you have more that one bookmark on Firefox and seperate your bookmarked items", - "commentDate": 1201972020, - "data": "I have tried adding a bookmark at the top but was unable to seperate the book marks into seperate listsings.\r\n\r\nI want a bookmark for ceratain things and another for the rest.\r\n\r\nThanks,\r\nSteve", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 1.0 Operating system: Windows XP", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 0, - "in_reply_to": "", - "type": "n", - "message_id": "Steve LaCAze (not registered)-0-a7f7fc894b@support.mozilla.com", + "userName": "Bob", + "hits": 292, + "smiley": "", + "hash": "a7f7fc894be3f7864e40fd77eb0a0597", + "description": "I have tried adding a bookmark at the top but was unable to seperate the book marks into seperate listsings. I want a bookmark for ceratain things and another for the rest. Thanks, Steve To organi", + "title": "Can you have more that one bookmark on Firefox and seperate your bookmarked items", + "commentDate": 1201972020, + "data": "I have tried adding a bookmark at the top but was unable to seperate the book marks into seperate listsings.\r\n\r\nI want a bookmark for ceratain things and another for the rest.\r\n\r\nThanks,\r\nSteve", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 1.0 Operating system: Windows XP", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 0, + "in_reply_to": "", + "type": "r", + "message_id": "Bob (not registered)-0-a7f7fc894b@support.mozilla.com", "objectType": "forum" } - }, + }, { - "pk": 89582, - "model": "sumo.forumthread", + "pk": 89582, + "model": "sumo.forumthread", "fields": { - "userName": "Earl (anon)", - "hits": 193, - "smiley": "", - "hash": "41ad82ddcf794711527b26246dc3b491", - "description": "Was able to stream yesterday (6/28/03) with FireFox 2.0, Installed FireFox 3.0, could not stream the same station today (6/2/08). Went back to Windows IE 7.0...this worked. Extensions installed:", - "title": "Lost Streaming ability for a radio station (KFI640)", - "commentDate": 1214764015, - "data": "Was able to stream yesterday (6/28/03) with FireFox 2.0, Installed FireFox 3.0, could not stream the same station today (6/2/08). Went back to Windows IE 7.0...this worked.\n\n!! Extensions installed: \n\nNone\n\n!! Plugins installed: \n\n*-Default Plug-in\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*np-mswmp\r\n*DjVu Plug-In(external version 6.1.1.1574)\r\n*Mozilla ActiveX control and plugin module\r\n*Shockwave Flash 9.0 r115\r\n*iTunes Detector Plug-in\r\n*1.0.30401.0\r\n*Google Updater pluginhttp://pack.google.com/\r\n*Java Plug-in 1.6.0_05 for Netscape Navigator (DLL Helper)", - "average": "0.0000", - "object": "1", - "votes": 0, - "comment_rating": null, - "summary": "Firefox version: 3.0 Operating system: Windows Vista", - "user_ip": "10.2.81.4", - "points": "0.00", - "parentId": 8288, - "in_reply_to": "", - "type": "n", - "message_id": "Earl (not registered)-0-41ad82ddcf@support.mozilla.com", + "userName": "Earl (anon)", + "hits": 193, + "smiley": "", + "hash": "41ad82ddcf794711527b26246dc3b491", + "description": "Was able to stream yesterday (6/28/03) with FireFox 2.0, Installed FireFox 3.0, could not stream the same station today (6/2/08). Went back to Windows IE 7.0...this worked. Extensions installed:", + "title": "Lost Streaming ability for a radio station (KFI640)", + "commentDate": 1214764015, + "data": "Was able to stream yesterday (6/28/03) with FireFox 2.0, Installed FireFox 3.0, could not stream the same station today (6/2/08). Went back to Windows IE 7.0...this worked.\n\n!! Extensions installed: \n\nNone\n\n!! Plugins installed: \n\n*-Default Plug-in\r\n*The QuickTime Plugin allows you to view a wide variety of multimedia content in Web pages. For more information, visit the QuickTime Web site.\r\n*Adobe PDF Plug-In For Firefox and Netscape\r\n*np-mswmp\r\n*DjVu Plug-In(external version 6.1.1.1574)\r\n*Mozilla ActiveX control and plugin module\r\n*Shockwave Flash 9.0 r115\r\n*iTunes Detector Plug-in\r\n*1.0.30401.0\r\n*Google Updater pluginhttp://pack.google.com/\r\n*Java Plug-in 1.6.0_05 for Netscape Navigator (DLL Helper)", + "average": "0.0000", + "object": "1", + "votes": 0, + "comment_rating": null, + "summary": "Firefox version: 3.0 Operating system: Windows Vista", + "user_ip": "10.2.81.4", + "points": "0.00", + "parentId": 8288, + "in_reply_to": "", + "type": "r", + "message_id": "Earl (not registered)-0-41ad82ddcf@support.mozilla.com", "objectType": "forum" } }