Search bar

I downloaded Firefox 4 but the search bar does not work properly. Once you start typing a word is does a pre-search .... I go to highlight the word (I was looking for) but it does not complete the search with the highlighted word. It only uses the typed in letters. Is there a way to get this to work? Firefox 3 did not have this issue.

Open Internet Explorer .. Tap on (...) at the bottom and go to settings (last option) -->advanced settings and UNCHECK the Box against 'Get suggestions from Bing as I type' ...

Similar Messages

  • How do I search for a specific artist in the itunes store? I can't find a search bar.

    I am trying to find a specific artist who's music I want to purchase but I can not locate a manual search bar to input the artist name. I do not want to nor do I have the time to look through all featured artists to locate the specific artist to purchase. At this point I'm about to go to a brick and mortar store and just buy the CD.
    This is very irritating.
    Chuck D.

    If you are missing the Search field you may be missing the entire top section, together with the progress bar when playing and the red, yellow and green buttons. This can happen if iTunes overlaps the top of the screen (which of course it shouldn't do).
    If this is the case, click and drag on the very bottom right-hand corner of the window (when in Library/Music or the iTunes Store) and drag upwards to reduce the height of the window. Then click on the bottom bar and drag downwards.

  • How can I implentate a search bar in TableViewController iOS

    How can I implentate a search bar in my TableViewController? Code:
    //  ViewController.m
    //  Movie List
    //  Created by Damian on 20/02/15.
    //  Copyright (c) 2015 Tika Software. All rights reserved.
    #import "ViewController.h"
    @interface ViewController ()
    These outlets to the buttons use a `strong` reference instead of `weak` because we want
    to keep the buttons around even if they're not inside a view.
    @property (nonatomic, strong) IBOutlet UIBarButtonItem *editButton;
    @property (nonatomic, strong) IBOutlet UIBarButtonItem *cancelButton;
    @property (nonatomic, strong) IBOutlet UIBarButtonItem *deleteButton;
    @property (nonatomic, strong) IBOutlet UIBarButtonItem *addButton;
    // A simple array of strings for the data model.
    @property (nonatomic, strong) NSMutableArray *dataArray;
    @end
    #pragma mark -
    @implementation ViewController
    - (void)viewDidLoad
        [super viewDidLoad];
         This option is also selected in the storyboard. Usually it is better to configure a table view in a xib/storyboard, but we're redundantly configuring this in code to demonstrate how to do that.
        self.tableView.allowsMultipleSelectionDuringEditing = YES;
        // populate the data array with some example objects
        self.dataArray = [NSMutableArray new];
        NSString *itemFormatString = NSLocalizedString(@"Movie %d", @"Format string for item");
        for (unsigned int itemNumber = 1; itemNumber <= 0; itemNumber++)
            NSString *itemName = [NSString stringWithFormat:itemFormatString, itemNumber];
            [self.dataArray addObject:itemName];
        // make our view consistent
        [self updateButtonsToMatchTableState];
    #pragma mark - UITableViewDelegate
    - (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
        return self.dataArray.count;
    - (void)tableView:(UITableView *)tableView didDeselectRowAtIndexPath:(NSIndexPath *)indexPath
        // Update the delete button's title based on how many items are selected.
        [self updateDeleteButtonTitle];
    - (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
        // Update the delete button's title based on how many items are selected.
        [self updateButtonsToMatchTableState];
    - (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
        // Configure a cell to show the corresponding string from the array.
        static NSString *kCellID = @"cellID";
        UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:kCellID];
        cell.textLabel.text = [self.dataArray objectAtIndex:indexPath.row];
        return cell;
    #pragma mark - Action methods
    - (IBAction)editAction:(id)sender
        [self.tableView setEditing:YES animated:YES];
        [self updateButtonsToMatchTableState];
    - (IBAction)cancelAction:(id)sender
        [self.tableView setEditing:NO animated:YES];
        [self updateButtonsToMatchTableState];
    - (void)actionSheet:(UIActionSheet *)actionSheet clickedButtonAtIndex:(NSInteger)buttonIndex
        // The user tapped one of the OK/Cancel buttons.
        if (buttonIndex == 0)
            // Delete what the user selected.
            NSArray *selectedRows = [self.tableView indexPathsForSelectedRows];
            BOOL deleteSpecificRows = selectedRows.count > 0;
            if (deleteSpecificRows)
                // Build an NSIndexSet of all the objects to delete, so they can all be removed at once.
                NSMutableIndexSet *indicesOfItemsToDelete = [NSMutableIndexSet new];
                for (NSIndexPath *selectionIndex in selectedRows)
                    [indicesOfItemsToDelete addIndex:selectionIndex.row];
                // Delete the objects from our data model.
                [self.dataArray removeObjectsAtIndexes:indicesOfItemsToDelete];
                // Tell the tableView that we deleted the objects
                [self.tableView deleteRowsAtIndexPaths:selectedRows withRowAnimation:UITableViewRowAnimationAutomatic];
            else
                // Delete everything, delete the objects from our data model.
                [self.dataArray removeAllObjects];
                // Tell the tableView that we deleted the objects.
                // Because we are deleting all the rows, just reload the current table section
                [self.tableView reloadSections:[NSIndexSet indexSetWithIndex:0] withRowAnimation:UITableViewRowAnimationAutomatic];
            // Exit editing mode after the deletion.
            [self.tableView setEditing:NO animated:YES];
            [self updateButtonsToMatchTableState];
    - (IBAction)deleteAction:(id)sender
        // Open a dialog with just an OK button.
        NSString *actionTitle;
        if (([[self.tableView indexPathsForSelectedRows] count] == 1)) {
            actionTitle = NSLocalizedString(@"Are you sure you want to remove this movie?", @"");
        else
            actionTitle = NSLocalizedString(@"Are you sure you want to remove these movies?", @"");
        NSString *cancelTitle = NSLocalizedString(@"Cancel", @"Cancel title for item removal action");
        NSString *okTitle = NSLocalizedString(@"OK", @"OK title for item removal action");
        UIActionSheet *actionSheet = [[UIActionSheet alloc] initWithTitle:actionTitle
                                                                 delegate:self
                                                        cancelButtonTitle:cancelTitle
                                                   destructiveButtonTitle:okTitle
                                                        otherButtonTitles:nil];
        actionSheet.actionSheetStyle = UIActionSheetStyleDefault;
        // Show from our table view (pops up in the middle of the table).
        [actionSheet showInView:self.view];
    - (IBAction)addAction:(id)sender
        [self.dataArray addObject:@"New Movie"];
        // Tell the tableView about the item that was added.
        NSIndexPath *indexPathOfNewItem = [NSIndexPath indexPathForRowself.dataArray.count - 1) inSection:0];
        [self.tableView insertRowsAtIndexPaths:@[indexPathOfNewItem]
                              withRowAnimation:UITableViewRowAnimationAutomatic];
        // Tell the tableView we have finished adding or removing items.
        [self.tableView endUpdates];
        // Scroll the tableView so the new item is visible
        [self.tableView scrollToRowAtIndexPath:indexPathOfNewItem
                              atScrollPosition:UITableViewScrollPositionBottom
                                      animated:YES];
        // Update the buttons if we need to.
        [self updateButtonsToMatchTableState];
    #pragma mark - Updating button state
    - (void)updateButtonsToMatchTableState
        if (self.tableView.editing)
            // Show the option to cancel the edit.
            self.navigationItem.rightBarButtonItem = self.cancelButton;
            [self updateDeleteButtonTitle];
            // Show the delete button.
            self.navigationItem.leftBarButtonItem = self.deleteButton;
        else
            // Not in editing mode.
            self.navigationItem.leftBarButtonItem = self.addButton;
            // Show the edit button, but disable the edit button if there's nothing to edit.
            if (self.dataArray.count > 0)
                self.editButton.enabled = YES;
            else
                self.editButton.enabled = NO;
            self.navigationItem.rightBarButtonItem = self.editButton;
    - (void)updateDeleteButtonTitle
        // Update the delete button's title, based on how many items are selected
        NSArray *selectedRows = [self.tableView indexPathsForSelectedRows];
        BOOL allItemsAreSelected = selectedRows.count == self.dataArray.count;
        BOOL noItemsAreSelected = selectedRows.count == 0;
        if (allItemsAreSelected || noItemsAreSelected)
            self.deleteButton.title = NSLocalizedString(@"Delete All", @"");
        else
            NSString *titleFormatString =
            NSLocalizedString(@"Delete (%d)", @"Title for delete button with placeholder for number");
            self.deleteButton.title = [NSString stringWithFormat:titleFormatString, selectedRows.count];
    @end

    Make sure that you do not run Firefox in full screen mode (press F11 or Fn + F11 to toggle; Mac: Command+Shift+F).
    *https://support.mozilla.org/kb/how-to-use-full-screen
    Make sure that toolbars like the "Navigation Toolbar" and the "Bookmarks Toolbar" are visible.
    *Firefox menu button > Options
    *View > Toolbars (press F10 to display the menu bar)
    *Right-click empty toolbar area
    Use Toolbar Layout (Customize) to open the Customize window and set which toolbar items to display.
    *check that "Bookmarks Toolbar items" is on the Bookmarks Toolbar
    *if "Bookmarks Toolbar items" is not on the Bookmarks Toolbar then drag it back from the toolbar palette into the Customize window to the Bookmarks Toolbar
    *if missing items are in the toolbar palette then drag them back from the Customize window on the toolbar
    *if you do not see an item on a toolbar and in the toolbar palette then click the "Restore Default Set" button to restore the default toolbar setup
    *https://support.mozilla.org/kb/How+to+customize+the+toolbar
    *https://support.mozilla.org/kb/Back+and+forward+or+other+toolbar+items+are+missing

  • Search bar in save as dialog box

    I just updated to windows 7 and realized that when I go to save a document I don't have the "search bar" avalable? Is there a way I can get that in the save as UI? Or do I have to manually find my folders on my network?

    Not to start it going, no. But you can change it to name only. Type something, anything, in the Search box. When the search gets started you'll notice you have a new line under the toolbar that has
    Computer Home "SomeFolder" Save +
    With "SomeFolder" probably being either the last folder used in the application, or else the one you have navigated to. Then there is the Save button (although I can't imagine what it would actually be useful for) and the "plus" inside a little circle. Click the + and another line appears, with "Kind: Any"--change to Name in the drop down menu and select which of the usual options you want (Contains, Begins with, etc). BTW, I was just fooling around with it, and discovered that while the Name option works perfectly well, the options for Date Created and Date Modified don't work at all, although Last Opened seems to be OK. Ah well.
    Francine
    Francine
    Schwieder

  • Firefox won't allow typing into Google search bar whereas Chrome will

    Hi,
    I'm currently running Firefox 6.0.2 on Windows XP SP3 with Outlook 2003 SP3. No changes made recently to anything.
    Suddenly several errors happening at once, most involving Firefox.
    1) Homepage Google. I cannot type anything in Google search bar.
    If I replace it with e.g. Yahoo I can type anything, but replace it with Google and it is blocked again. I have re-booted, removed and replaced homepage etc no help.
    2) If I type www.hotmail.co.uk in Firefox address bar at top of screen it refuses to find the site. Nothing happens at all. Any other address I have typed in it had found ok, but this one remains blocked.
    3) It is difficult to see an immediate relationship to Firefox with this one, but it started at exactly the same time and also involves Google, so it is a bit of a coincidence otherwise. I keep getting Google delay messages on many of my emails. In fact they never get through, and I don't even have a Google email account!
    I use SKY email, Outlo0k as above and both are working normally apart from the bizarre Google messages as below:
    Thought you might like this!
    http://www.bbc.co.uk/news/10611973
    This is an automatically generated Delivery Status Notification
    THIS IS A WARNING MESSAGE ONLY.
    YOU DO NOT NEED TO RESEND YOUR MESSAGE.
    Delivery to the following recipient has been delayed:
    fsmail.com
    Message will be retried for 1 more day(s)
    Technical details of temporary failure:
    The recipient server did not accept our requests to connect. Learn more at http://mail.google.com/support/bin/answer.py?answer=7720
    [lb-collector.example.com (1): Destination address required]
    ----- Original message -----
    Received: by 10.227.7.7 with SMTP id b7mr6038396wbb.63.1315380110685;
    Wed, 07 Sep 2011 00:21:50 -0700 (PDT)
    Received: by 10.227.7.7 with SMTP id b7mr6038394wbb.63.1315380110525;
    Wed, 07 Sep 2011 00:21:50 -0700 (PDT)
    Return-Path: <
    Received: from esystem (5ad8be9b.bb.sky.com [90.216.190.155])
    by o7sm2699363wbh.8.2011.09.07.00.21.48
    (version=SSLv3 cipher=OTHER);
    Wed, 07 Sep 2011 00:21:49 -0700 (PDT)
    FromToSubject: BBC News - Australian drunk survives attempt to ride crocodile
    Date: Wed, 7 Sep 2011 08:21:45 +0100
    Message-ID: <BCAF1AEE7D2846098EFA1C2439F081FC@esystem>
    MIME-Version: 1.0
    Content-Type: multipart/alternative;
    boundary="----=_NextPart_000_0079_01CC6D37.30045180"
    X-Mailer: Microsoft Office Outlook 11
    Thread-Index: AcxtLswxm6e7lPntQMujFWSD94fu/w==
    X-MimeOLE: Produced By Microsoft MimeOLE V6.00.2900.6109
    Thought you might like this!
    http://www.bbc.co.uk/news/10611973
    I have removed the actual email addresses but they were perfectly accurate. Resending the emails by cutting and pasting worked in all cases so it is hard to see why the originals failed.
    I would be grateful for any help or suggestions
    Many thanks

    In the address bar type "about:config" without the quotation marks.
    Then in the Filter field type keyword.
    Then double click keyword.URL
    and type or copy and paste the following: "http://www.google.com/search?ie=UTF-8&sourceid=navclient&gfns=1&q=" without the quotations.
    And there you have it. Your browser will use google to search.
    These instructions were found here: http://support.mozilla.com/en-US/kb/Location%20bar%20search

  • Why do google search results reset to match the search bar terms when i use the back button?

    Since the update to FF 23, the list of Google search results clears and the on-page search box is reset to match the address bar search box when I hit the back button to re-view the results list after checking a result.
    To see this issue for yourself, set your search provider to Google and make sure Instant is on. Type a search term into the search bar and press enter. A google page appears with your results list. Now, change your search terms or conduct a new search directly from the google page (without using the FF search bar). Click on the first result in the search list, then click the back button to return to the search results so you can check a differest result. As FF goes back to the google page, it will reset the on-page search box to match the FF search bar (although you were no longer on this search) and all search results will disappear, replaced by the message "Press enter to search". Pressing enter reconducts your old search, not the one you were on.
    This is incredibly maddening since searching for something requires frequent use of the back button to check through the list of search results, and then frequently trying the search again with slightly different terms. Although it sounds like a Google issue, it did not occur on the old firefox and has me wanting to revert. I tried to revert to the old search function via the "keyword search" addon, but this did not fix my issue. Is there a way to force FF to go back to the actual google search page I was just on instead of conducting a new google search from the FF search box when I hit the back button?

    In Firefox 23 versions and later the keyword.URL pref is no longer supported and it is no longer possible to specify the search engine for the location bar via the keyword.URL pref.<br />
    The search engine that is used on the location bar and on the about:home page is the search engine that is selected in the search Bar on the Navigation Toolbar.<br />
    Current Firefox versions do not update the about:home home page until you refresh the page (future versions will do this automatically without a refresh) and that is what happens if you use the Back key.
    You can install the Keyword Search extension to specify with search engine to use for the location bar and which search engine to use for the about:home page via the Options/Preferences windows of this extension, accessible via the about:addons page.
    * Keyword Search: https://addons.mozilla.org/firefox/addon/keyword-search/

  • How to type a URL if Google search bar removed for privacy

    Because it appears that in Safari it is impossible to remove the Google Search Bar that's off to the right at the top without also removing the now connected URL Location bar to its left, I removed both. I had noticed that when I did this in Camino, I could still go to a web page by clicking Command L for Open Location (found in the File dropdown menu of most browsers).
    But in Safari just now, when I remove the Google search bar that Apple has hard coded to be inseparable from the Location bar to its left, I find I cannot use the File / Open Location command (which I mentioned is Command key - L) and therefore -- is my browser useless if I do not want to document my travels on the world wide web with Google's databases by having the Search Bar up?
    In other words is it not possible to enter a URL into Safari in a blank and open the URL Location if you remove the Google Search Bar?
    Is the only way to get to a webpage after removing that item to use one's old bookmarks to get to a page?
    Or is this a bug and is my "Command key - L" (Open Location command) supposed to be working? I also started to test this with Firefox but it appears my Firefox browser does not have this problem so my Open Location bar remains even if I remove a search bar and the removable search bar it does have is not tied to google in particular, I don't think, in Firefox even if I remove the search bar though I never use a search bar anyway because I don't care to go to any search engine unless I type their URL into my Location bar personally. That's just my preference because I don't trust having third party search bars forced into the browser design.
    Is this really true as it appears that there's no way to open a Location in Safari without having the annoying Search Bar up? Is Open Location disabled without the Google Search bar?
    If so, it looks like that, of my several browsers, the only one that won't allow me to Open Location (go to a webpage that I type into a Location bar) if I remove the Google Search bar is Safari. I am finding I can successfully extricate myself from Google search if I use Opera, Camino, and Firefox and select Remove after right clicking on the search bar.
    Why would the industry be trying to force this Google data mining and surf habits info collection on people? Evidently because Apple would rather take the money from google for forcing google into our browser than protect its customers privacy? I hope this disease does not spread to the other browsers left for me to use. What a monopoly google is building. Too bad antitrust litigation is dead.
    (If this is true, this is depressing to me because I had set Safari to be my primary browser. But it seems the least secure browser anyway (compared to using NoScript with Firefox) so I guess I'll have to avoid using it (except on those few pages that won't work without it) until Apple starts taking people's privacy a little more seriously instead of sneaking in more and more features that force us into an unholy logging relationship with Big Brother Google. And I'm disappointed in this development also because I used to like Google before I realized its lawyers were so dedicated to writing privacy policies that are as vague as possible and as unprotective of privacy as possible. I would like to use Google more if they would just stop taking 100 miles when a person gives an inch by using their search engine. I get nervous any time I have to use anything connected with them as things stand and I really wish that would improve and that google will improve its privacy policies rather than finding new ways to log every movement a person makes on the Web.)

    The question posed in this thread was:
    How do I type a URL such as "www.apple.com" etc. into a blank in SAFARI to go to the URL if I remove the Google search bar?
    I cannot seem to get Open Location (Command - L) to function if I remove the Google search bar. Removing the Google Search Bar seems to also remove the location bar to type into. This is not the case in Opera, Camino, or Firefox, so I am wondering if my Safari is just corrupted. If the only way to have the option of Open Location (Command L) is to put the Google Search bar back in, which means the two are connected, does that mean that Google is able to record all url's typed in the Location bar even if you don't use the Search bar? I believe the story used to be that any time you type a url into a google search engine, google records your IP and search; so I'm wondering if Apple has now set up the Location bar in Safari in a deal with Google to let Google track every URL you type into the location bar if it is the case that the Location bar is inseparable from Google Search.

  • After updating to FireFox 16.0.1 in Windows, the address bar stopped working, as well as the search bar, though not immediately. Reinstall didn't fix it.

    Initially I downloaded an AOL-optimized version, but when the problems came up I reinstalled the regular version and it was fine. Two days ago it randomly started again. Address bar won't go anywhere with enter or pressing the arrow button, and the search bar has no search engine. Trying add a search engine by clicking "manage search engines" doesn't help; the "add search enginges" button is unresponsive and there are none in the list to choose from. I uninstalled everything including my customizations and personal settings and reinstalled, which still didn't help. I tried disabling all the plugins and that didn't work either. I even tried searching from the FireFox home page search, since at that point it was the only page I could get to, and even that wouldn't search. The most recent add-on I downloaded was the Evernote Web Clipper I think, but it didn't seem to coincide with the start of the problems.
    Update: I ran a malware program (MalWareBytes) and it came up with nothing. I also got back into FireFox to get the Troubleshooting Information and added it in. In addition, here's my complete plugin/extension list:
    Plugins:
    Foxit Reader Plugin for Mozilla 2.2.1.530
    Google Earth Plugin 6.2.0.5788
    Google Update 1.3.21.123
    Java Deployment Toolkit 7.0.90.5 10.9.2.5
    Java (TM) Platform SE 7 U9 10.9.2.5
    Microsoft Office 2010 14.0.4761.1000
    Microsoft Office 2010 14.0.4730.1010
    Microsoft Windows Media Services 4.1.0.3917
    Shockwave Flash 11.4.402.287
    Silverlight Plugin 4.1.10329.0
    Windows Live Photo Gallery 14.0.8081.709
    Extensions:
    avast! WebRep 7.0.1473

    Sorry you are having problems. First of all try Fifrefox's safemode.
    *[[Troubleshoot Firefox issues using Safe Mode]]
    If that works post back for further advice.
    Next step, if safe mode did not work.
    <u>First: Try a clean install, <sub>(you have had a none standard version installed previously)</sub></u><br /> that involves deleting the program files. Then if necessary try troubleshooting by creating and using a clean empty Firefox profile.
    See
    * this recent post [/questions/940399#answer-377134]
    * http://kb.mozillazine.org/Standard_diagnostic_-_Firefox#Clean_reinstall
    <u>Second: try a New Profile</u>
    *http://kb.mozillazine.org/Profile_Manager#Creating_a_new_profile
    * this will be an additional profile, it is still worth backing up any existing or currently working profile on a regular basis
    **[[Back up and restore information in Firefox profiles]]
    * Until you are absolutely confident about the repercussions I suggest
    ** always use an empty folder when creating a new profile
    ** never delete or rename profiles, just disable or remove shortcuts
    ** after creating a new test profile open it and check for any addons or plugins that may be have been included by default

  • WHY CAN I NOT EDIT THE DEFAULT SEARCH ENGINE USED BY THE ADDRESS BAR (NOT THE SEARCH BAR NEXT TO IT) FROM BING TO GOOGLE?

    I am asking this question again, because upon checking the forum for a solution I was shocked and appalled by the severe lack of grammar, punctuation and spelling I encountered while reading answers to this question. Obviously several people where to busy to actually read the question being asked and simply answered with instructions on how to change the default search engine for the search bar. SO, here I am asking the same question, why? because it still has not been answered and I myself still CANNOT find this setting anywhere. I use multiple browsers for different tasks, Chrome is KICKING the .... out of you guys Mozilla, why did you ever let your self get taken in by Micro-crack (Microsoft), if I recall correctly the inception of this program was partly motivated by the need for an alternative to the idiosyncrasies and vulnerability of Microsoft Internet Explore. This really feels like a HUGE step backwards, I would love to see a return to the days when Mozilla Firefox was and inspiration to developers and techs everywhere. And please will someone just answer the right question this time. Trust me when I say it will be obvious who does and does not read this in it's entirety.
    ''Edited by a moderator due to language. See the [http://support.mozilla.com/kb/Forum+and+chat+rules+and+guidelines Rules & Guidelines] .''

    HAHA! I have solved it! Ok here is the URL for Google, as mentioned above by bram:
    "Go to About:config
    Search for keyword.URL
    Double click the Value entry field, and change it to the search engine you prefer"
    Enter this URL for the string value
    http://www.google.com/#hl=en&output=search&sclient=psy-ab&q=

  • My centre search bar will not work, I type in it then hit search or enter but no response, it does absolutely nothing. What is wrong and how do i fix?

    when i start up firefox it loads as normal. I have the main web search bar (top left) and the google search bar (top right) then there is also the mozilla logo and third search bar just below it in the centre of the screen. This was my main bar as i liked the feature of left clicking in it and it instantly displaying my last searches and choosing from them what i wanted to do. Now it has just stopped working, it has none of my last searches stored and whatever i type in it doesn't matter anyway as it just doesn't do anything, it is totally non responsive. help please?

    It works again, thanks. It was only a small thing but so annoying. Do you know why this happened so I can maybe avoid it in future?

  • "Select all" in search bar on linux - can I configure this on mouse click?

    Hi,
    On windows, when you click in search bar you get your text selected (like when you press Ctrl+k). On ubuntu when you click - you just activate the text box to edit.
    I have looked through about:config and found "browser.urlbar.clickSelectsAll" - but unfortunately I don't find similar configuration for search bar.
    Is there a way to tune this except of getting my hands dirty in code?
    This may seem really small and stupid thing - but it is really annoying if you use fox intensively.
    Regards,
    Bogdan
    == This happened ==
    Every time Firefox opened
    == Always has been there on linux version

    Sure triple-clicking works, but for those of us struggling with RSI, it is a very good reason not to use Firefox

  • Search Bar doesn't work in normal itunes but works in safe mode

    I am not sure if anyone else is having this problem but with Itunes 11.0.4 The Search bar doesn't work no matter what you type any result you get you click on it nothing happens. I recently went into Itunes Safe mode and the Search bar works fine. I really hope Itunes fixes this with the next update.
    Is anyone else having this problem?

    I've found a solution!
    Uncheck the "search entire library" option in the search bar then check it again.

  • Possible Solution to Google Search Bar Not Working/Safari Not Loading Pages

    Hello Apple Forums,
    I have recently encountered a possible solution to a problem with Safari. The one in which Safari fails to load any page associated with www.google.com. Especially the Google Search Bar—a feature I use frequently.
    After browsing through the forums about the Google Search Bar issue, I took my knewly gained knowledge, and decided to do some diagnosing for myself.
    This is what I have done so far to try and solve this issue:
    Run Daily, Weekly, and Monthly Cron Scripts
    Cleared the following caches:
    System Local Computer Cache
    System VM (Swap) Files
    Curent User Cache
    Current User Icon Cache
    Internet Explorer Download Cache
    Page History
    Web Site Cache
    Temporary Files
    Safari Downloads List
    Form Values
    Page History
    Recent Searches
    Site Icons
    Web Site Cache
    User Cookies (used by Safari)
    Finder Recent Applications
    Recent Documents
    Recent Folders
    Recent Servers
    Recent Files of AppleWorks 6
    Disk Utility Disk Images
    Preview
    QuickTime Player Favorites/Recent
    REALbasic Projects
    TextEdit
    VideoLanClient
    and Other caches of Acquisition Current Downloads
    Acquisition Recent Searches
    MSN Conversation History
    Vicomsoft FTP Client Icon Cache
    All of the above runnings of Cron scripts and clearings of Caches were done using Mac Pilot version 1.1.5 (yes the one on the site is an updated version, but I have not downloaded it yet). If you decide to use this program to clear caches, I advise not clearing the Installer Receipts under the System section as Installer Receipts are used to correctly repair permissions. I do not clear Find File Indexes either, because I use the Find File feature quite frequently on my computer and I do not want to have it re-index files all the time (perhaps I'll do it every few months or so to refresh what I've got on the harddrive). Remember, all the information given in this paragraph is relative to Mac Pilot version 1.1.5.
    In addition, I have also repaired permissions using Disk Utility 10.4.4 (v145.7) (make sure you restart your computer after you repair permissions). I have taken out items in /harddrive/library/StartUpItems as well as taking out items in /harddrive/library/Internet Plug-Ins and in /user/library/Internet Plug-Ins and in user/library/Caches (restart your computer after taking out or putting in items in these locations).
    As of now, all the information mentioned above about trying to fix this problem have NOT worked.
    What HAS WORKED for me was tinkering with my 3rd party firewall—Norton Personal Firewall Version 3.0 (48). Under the Protection Settings, I HAD Enable Active FTB support, Enable Stealth mode, Enable suspicious activity protection (with Deny outgoing suspicious traffic and Deny incoming suspicious traffic selected), Enable UDP Protection (with Protect outgoing UDP connections, Allow access to essential services, and Protect a range of UDP ports 1 through 1023 selected).
    What I CHANGED in Protection Settings was DESELECT Enable suspicious activity protection (with Deny outgoing suspicious traffic and Deny incoming suspicious traffic DESELECTED). Upon deselecting that information the Google Search Bar feature in Safari WORKED practically instantaneously. Before hand, anything I inputted into Safari and after hitting Return on the keyboard just wound up hanging there.
    Just to be sure, all tests were performed on:
    IMac G4 800 Mhz SD Mac OSX 10.3.9 with ALL the latest Software Updates, Except Apple Remote Desktop Client version 1.2.4 and iPod Updater 2006-01-10
    I have a cable internet connection with ISP Time Warner Cable (RoadRunner) using a SurfBoard SB4100 Cable Modem on an AirPort Extreme Base Station (Apple Base Station V5.6)
    Interesting side note: I have a PowerBook G4 15" 1 Ghz Mac OSX 10.3.9 Laptop running on the same network (although it has an airport extreme card as opposed to the regular airport card in the iMac) with ALL the same latest Software Updates, Except iPod Updater 2006-01-10. The Apple Remote Desktop Client version 1.2.4 does not come up on Software Update on the Laptop and I can not find it on the harddrive using a name search in the Finder Find feature. It does not show up in Applications folder, so I do not know if it is on or active on the Laptop.
    The LAPTOP IS ABLE TO USE ALL GOOGLE FEATURES without DESELECTING Enable suspicious activity protection (with Deny outgoing suspicious traffic and Deny incoming suspicious traffic DESELECTED). Why this is apparent I have not officially confirmed.
    What I do know is that I have tried to Uninstall Norton Personal Firewall Version 3.0 (48) with the appropriate uninstaller but it FAILS during the uninstall (I wanted to uninstall and reinstall, it appears the program became corrupted). What I did to possibly circumvent this was to search for the phrase 'Personal Fire" using the Finder's Find feature (Search for items whose name contains 'Personal Fire') and deleted all the files that came up related to Norton Personal Firewall Version 3.0 (48). I then reinstalled Norton Personal Firewall Version 3.0 (48) since then, and it continues to have the problem with Enable suspicious activity protection (with Deny outgoing suspicious traffic and Deny incoming suspicious traffic selected).
    What I have not done:
    Updated Prebinding
    Run TechTool Pro version 4.1.2
    Install Combo OSX 10.3.9
    Initialize HardDrive with complete reinstallation of OSX 10.3.9
    To Summarize Possible Solution
    I've tried many possible solutions, what appears to work best as of now is to DESELECT Enable suspicious activity protection (making sure Deny outgoing suspicious traffic and Deny incoming suspicious traffic are deselected) under Protection Settings in Norton Personal Firewall Version 3.0 (48).
    One could try deselecting something similar in any firewall application other than Norton Personal Firewall Version 3.0 (48), to see if it is suspicious activity settings in firewalls that cause the problem.
    Any comments/feedbacks are extremely welcome.
    Hope It Helps!
    iMac G4 800Mhz SD 10.3.9 & PowerBook G4 15" 1 Ghz 10.3.9    
    iMac G4 800Mhz SD    
    iMac G4 800Mhz SD    
    iMac G4 800Mhz SD    
    iMac G4 800Mhz SD    
    iMac G4 800Mhz SD    

    Hello tr:
    Welcome to Apple discussions and thank you for your very very thorough post.
    Your instincts to delete anything named "Norton" were right on the mark. Norton software is POISON to Macs running OS X. An additional software firewall is, IMHO, completely unnecessary. Turn on the built-in firewall in OS X - it is robust. In fact, if it is already on, there may be a conflict.
    Go to Symantec's web site and use the uninstaller you should find there to get rid of the Norton stuff. After you do that, do a "find" on Norton and Symantec to be sure it is all gone - the stuff hides everywhere.
    Barry

  • How do I make the search bar on the default Firefox Homepage search in Google rather than AOL?

    On the default home page for Firefox 4, the one with the restore previous session on it, the search bar links to AOL Search. This does not seem to happen on other computers. How do I make it search in Google?

    In the location bar at the top, type '''about:config''' and hit Enter
    #In the filter at the top, type '''keyword.URL'''
    #Double click it and replace the current setting with http://www.google.com/search?q= (''it has to be entered exactly as you see it written here - but since this is a URL, right click it and choose "Copy Link Location" to copy it to the Windows clipboard, then CTRL+V to paste it'')
    #Close Firefox via File | Exit and then restart it again.
    To reset it to something else afterwards, see [[How to set the home page]]

  • Firefox give me a blank white screen when i open it and when i type in an address in the search bar it just say new tab on the top left hand corner and its cont. to be a blank white page. IDK?

    k when i double click on the fire fox short cut on my desk top or the tab under the start button, my firefox gives me a blank white screen with the phase " new tab" on the top left hand corner as if u clicked for another window. Even though its the 1st window that opens. when i type a website in the search bar it regristers but it just goes to the blank white screen w the new tab phase. i tried to open some of my bookmark sites and still the same thing.. a blank all white page. ive tried re-download the fire fox 6.0 then i deleted my current firefix then re-downloaded it again.. still nothing :(. im currently usaing my interner explore to write this and search the net.

    Hello,
    The Reset Firefox feature can fix many issues by restoring Firefox to its factory default state while saving your essential information. <br>
    '''Note''': ''This will cause you to lose any Extensions and some Preferences.''
    *Open websites will not be saved in Firefox versions lower than 25.
    To Reset Firefox do the following:
    #Go to Firefox > Help > Troubleshooting Information.
    #Click the "Reset Firefox" button.
    #Firefox will close and reset. After Firefox is done, it will show a window with the information that is imported. Click Finish.
    #Firefox will open with all factory defaults applied.
    Further information can be found in the [[Reset Firefox – easily fix most problems]] article.
    Did this fix your problems? Please report back to us!
    Thank you.

  • When I am using the browser for a while and try to use ANY search bar and hit the "search" button it does a whopping NOTHING is there anyway of keeping this from happening?

    Whenever I am using Firefox mobile - either regular, beta or aurora and go to search for something like through the Google search page and attempt to search for something the search bar does nothing and hitting the enter button instead doesn't do anything either. Is there a way to keep this from happening?

    Hi and thanks to not leaving the firefox user alone.
    Cor-el your answer is right as the madperson is and I already knew all these
    answer and I said that before I don’t use any antivirus and I always turn off my firewall from the moment I installed my Windows.
    I even turn off any automatic update for any of my software and I never let any unknown plugins or any thing like that be install without informing me. And if you know some things like Offline Storage and cookies must be to much more than usual and you have to clear them and delete them and I know so much more
    And if you want to know it fixed now. But I don’t know how?
    For understanding my problem read and research about Ixplorer.exe virus it is the same problem about the speed but the different is it doesn’t show any process in task manager like Ixplorer.exe virus
    Bt I have done some things but still I don’t know that’s why it is fixed or not
    First: I searched my system and removed any files have been crated on my system from two days ago since the problem happened.
    And then I used to go about the article in this page and did like this:
    http://answers.yahoo.com/question/index?qid=20080910101846AAazxN5
    but still I don’t know any thing about the problem.
    I can do so many things to fix but I am just curios if that is a virus why it just cut the speed when I am using the browser.
    Please if any one found the reason send me your information I like to know it will improve my knowledge however my problem is solved fro now.

Maybe you are looking for

  • Only printing black and white

    I'm using a macbook 13" with an airport express and an HP deskjet 4100. I can print wirelessly just fine, but I can only print in black and white. Any ideas how to remedy this situation?

  • InDesign CS5.5 crashes when deleting empty pages. Help!

    Hello all, I'm having an issue with InDesign CS5.5 running on 10.7.5. I have two empty spreads that I need to delete but everytime I try to, it prompts: "The affected pages contain objects. Delete the pages anyway?" I click Okay and InDesign crashes

  • Transfer data from a Pop up to the main view

    Dear expert, i want to transfer data from a popup to the main view, i created a TEXT_EDIT UI-Element on my main View and on a popup, and when writing a text on the TEXT_EDIT UI-element on the popup, i want get it (or display it) on the TEXT_EDIT UI-E

  • How to update a master project in Project Online via CSOM or REST?

    I can update "regular" projects via the CSOM, but what about Master projects? 1. ProjectContext.Projects does not seem to include master projects. This also seems to mean that the following code works if ProjectId is a non-master. If ProjectId is for

  • After iPhone goes sleep, can't connect to wifi unless I turn it off and on

    I'm having an odd issue. I've had my iPhone for about 1 month after owning an iPod touch. Both my gf and I have purchased iPhones and hers does not have this problem. When the phone hasn't been used for a while (ie in my pocket) once I try using it a