Windows 8, problems to show cameras in a flash application

I have a flash application that shows at screen the cameras that the operating system detects, and works fine on windows 7 but now, in windows 8, i have troubles with several cameras. For example firewire cámeras or screen capture driver.
I made a simple test application:
http://mainstream.atnova.com/test/testCamaras.html
The same code executed like an air application seems to work, and the same webpage, running in windows 7, shows all the cameras right.
Is there any bug on flash player for windows 8?
Thanks.

Double Post
Please mark my post as SOLVED if it has resolved your problem. It helps others with similar situations.

Similar Messages

  • Empty camera names in Flash Player with Google Chrome

    So, it seems we got another problem with devices (cameras and microphones) in Flash Player integrated with Google Chrome (PPAPI). Many Flash developers can remember clickjacking problem and ugly fix for this issue implemented in Google Chrome. For now, if you have some application that uses camera or microphone, Google Chrome users must allow access to their devices twice: for Flash Player (small window centered in Flash-object) and for Google Chrome (gray panel with buttons under address bar).
    Until recently the whole process of granting camera access looked like this:
    Application want to attach camera to Video object or NetStream.
    Even without permission you can get camera names and populate some UI components with them.
    Flash Player show security panel with "Allow" and "Deny" buttons.
    Google Chrome show it's own security panel, so both security panels are visible at the same time.
    Users press "Allow" button in Flash Player security panel.
    Now you have false for camera.muted property, but camera show zero FPS, because access is still denied in browser.
    Users press "Allow" button in browser security panel.
    Win! You have access granted everywhere.
    Of course, that second security panel of Google Chrome is a real pain. Users just don't notice it. Flash developers handled this issue with hints inside application and FAQ pages. But now we have another big problem.
    Recently the process of granting camera access changed to this:
    Application want to attach camera to Video object or NetStream.
    You can't get camera names until access granted in browser. There will be just spaces (" ", symbol with code 32) in camera.name property.
    Flash Player show security panel with "Allow" and "Deny" buttons.
    Google Chrome will not show it's security panel until access granted in Flash Player.
    Users press "Allow" button in Flash Player security panel.
    Now you have false for camera.muted property, but camera show zero FPS and have no name, because access is still denied in browser.
    Google Chrome show it's own security panel.
    Users press "Allow" button in browser security panel (this panel shown twice for some reason).
    Now you have access granted everywhere, but devices still have just spaces instead of real names.
    Unfortunately, AS3 will not update camera names after access granted in browser. Camera names are empty event in Flash Player settings window before browser access granting. So it's impossible now to get camera names in Flash application running in Google Chrome without reloading. User need to grant access in browser first, than reload application and only after that we can get camera names in AS3. I have tried to use flash.media.scanHardware() to refresh camera names, but it seems it's not working.
    Also I have created a small example and posted it online. You can test it by yourself in Google Chrome. Just don't forget to clear your choice each time. You need to remove "http://wonderfl.net:80" entry from list on chrome://settings/contentExceptions#media-stream to clear your prevoius choice.
    Also I got similar complaints from Opera users.
    Here is my code:
    package
        import flash.display.Sprite;
        import flash.display.StageAlign;
        import flash.display.StageScaleMode;
        import flash.events.Event;
        import flash.events.TimerEvent;
        import flash.media.Camera;
        import flash.media.Microphone;
        import flash.media.Video;
        import flash.media.scanHardware;
        import flash.text.TextField;
        import flash.utils.Timer;
        public class BrowserPermissionTest extends Sprite
            private var output:TextField;
            private var timer:Timer;
            public function BrowserPermissionTest()
                super();
                addEventListener(Event.ADDED_TO_STAGE, addedToStageHandler);
            private function addedToStageHandler(event:Event):void
                removeEventListener(Event.ADDED_TO_STAGE, addedToStageHandler);
                stage.scaleMode = StageScaleMode.NO_SCALE;
                stage.align = StageAlign.TOP_LEFT;
                output = new TextField();
                output.border = true;
                output.multiline = true;
                output.wordWrap = true;
                output.x = output.y = 10;
                addChild(output);
                updateView();
                stage.addEventListener(Event.RESIZE, stage_resizeHandler);
                var i:int;
                var numCameras:int = 0;
                var numMicrophones:int = 0;
                if (Camera.isSupported)
                    var cameraNames:Array = Camera.names;
                    numCameras = cameraNames ? cameraNames.length : 0;
                    if (numCameras > 0)
                        log("Cameras:");
                        for (i = 0; i < numCameras; i++)
                            var cameraName:String = cameraNames[i];
                            log((i + 1) + ". \"" + cameraName + "\"");
                    else
                        log("Camera not found.");
                else
                    log("Camera is not supported.");
                log("");
                if (Microphone.isSupported)
                    var microphoneNames:Array = Microphone.names;
                    numMicrophones = microphoneNames ? microphoneNames.length : 0;
                    if (numMicrophones > 0)
                        log("Microphones:");
                        for (i = 0; i < numMicrophones; i++)
                            var microphoneName:String = microphoneNames[i];
                            log((i + 1) + ". \"" + microphoneName + "\"");
                    else
                        log("Microphone not found.");
                else
                    log("Microphone is not supported.");
                log("");
                if (numCameras > 0 || numMicrophones > 0)
                    if (numCameras > 0)
                        var defaultCamera:Camera = Camera.getCamera();
                        var video:Video = new Video(1, 1);
                        addChild(video);
                        video.attachCamera(defaultCamera);
                        defaultCamera.muted ? devicesMutedInFlashPlayer() : devicesUnmutedInFlashPlayer();
                    else if (numMicrophones > 0)
                        var defaultMicrophone:Microphone = Microphone.getMicrophone();
                        defaultMicrophone.setLoopBack(true);
                        defaultMicrophone.muted ? devicesMutedInFlashPlayer() : devicesUnmutedInFlashPlayer();
                    else
                        log("No devices found for test.");
            private function devicesMutedInFlashPlayer():void
                log("Devices are muted in Flash Player.");
                log("Starting permission check timer...");
                timer = new Timer(100);
                timer.addEventListener(TimerEvent.TIMER, flashPlayerPermissionTimer_timerHandler);
                timer.start();
            private function flashPlayerPermissionTimer_timerHandler(event:TimerEvent):void
                var defaultCamera:Camera = Camera.getCamera();
                if (!isDevicesMutedInFlashPlayer())
                    timer.stop();
                    timer.removeEventListener(TimerEvent.TIMER, flashPlayerPermissionTimer_timerHandler);
                    timer = null;
                    devicesUnmutedInFlashPlayer();
            private function devicesUnmutedInFlashPlayer():void
                log("Devices are unmuted in Flash Player.");
                isDevicesMutedInBrowser() ? devicesMutedInBrowser() : devicesUnmutedInBrowser();
            private function devicesMutedInBrowser():void
                log("Devices are muted in browser.");
                log("Starting permission check timer...");
                timer = new Timer(100);
                timer.addEventListener(TimerEvent.TIMER, browserPermissionTimer_timerHandler);
                timer.start();
            private function browserPermissionTimer_timerHandler(event:TimerEvent):void
                scanHardware();
                if (!isDevicesMutedInBrowser())
                    timer.stop();
                    timer.removeEventListener(TimerEvent.TIMER, browserPermissionTimer_timerHandler);
                    timer = null;
                    devicesUnmutedInBrowser();
            private function devicesUnmutedInBrowser():void
                log("Devices are unmuted in browser.");
            private function isDevicesMutedInFlashPlayer():Boolean
                var cameraNames:Array = Camera.names;
                var numCameras:int = cameraNames ? cameraNames.length : 0;
                if (numCameras > 0)
                    var defaultCamera:Camera = Camera.getCamera();
                    return defaultCamera.muted;
                else
                    var microphoneNames:Array = Camera.names;
                    var numMicrophones:int = microphoneNames ? microphoneNames.length : 0;
                    if (numMicrophones > 0)
                        var defaultMicrophone:Microphone = Microphone.getMicrophone();
                        return defaultMicrophone.muted;
                return true;
            private function isDevicesMutedInBrowser():Boolean
                var cameraNames:Array = Camera.names;
                var numCameras:int = cameraNames.length;
                for (var i:int = 0; i < numCameras; i++)
                    var cameraName:String = cameraNames[i];
                    if (cameraName != " ")
                        return false;
                var microphoneNames:Array = Microphone.names;
                var numMicrophones:int = microphoneNames.length;
                for (i = 0; i < numMicrophones; i++)
                    var microphoneName:String = microphoneNames[i];
                    if (microphoneName != " ")
                        return false;
                return true;
            private function log(text:String):void
                output.appendText(text + "\n");
            private function updateView():void
                output.width = stage.stageWidth - 2 * output.x;
                output.height = stage.stageHeight - 2 * output.y;
            private function stage_resizeHandler(event:Event):void
                updateView();
    So, I wonder if it's a bug or some kind of new security feature implemented by Google Chrome team? Maybe someone already faced this problem and can share more info about it.
    For now it looks like modern browsers killing Flash with all that features and ugly solutions.
    PS: You can find some silly mistakes in my message. Sorry for my English.
    Updated code to check microphones also.

    After couple of tests I have found strange behavior of PPAPI Flash.
    The test was made with two SWFs working simultaneously on the same page. The first one was asking for device access like some regular application (by calling video.attachCamera). The second SWF was created/removed in cycle by JavaScript to avoid this thing:
    Scanning the hardware for cameras takes time. When the runtime finds at least one camera, the hardware is not scanned again for the lifetime of the player instance.
    I have made both SWFs to get all devices names and post them to screen. So I was able to see all changes regarding devices in first SWF (before and after permission granted) and in refreshable second SWF (each second). Also I have used scanHardware in both SWfs.
    I have found that second (refreshable) SWF got correct list of devices, but first one got only microphones. Camera names was empty.
    So it looks like we have another bug of PPAPI Flash here. I don't have another explanation for this. I mean, why do they need to update only microphones, but not cameras?

  • TS3074 im can u please help me out this issue im trying to install iTunes  in windows 7 some error showing " windows installer package problem DLL require to complete this installation" this message showing.

    im can u please help me out this issue im trying to install iTunes  in windows 7 some error showing " windows installer package problem DLL require to complete this installation" this message showing.

    Try the following user tip:
    " ... A DLL required for this installation to complete could not be run ..." error messages when installing iTunes for Windows

  • HP g049au downgraded to windows 7 32 bit showing atikmdag.sys display problem

    HP g049au downgraded to windows 7 32 bit showing atikmdag.sys display problem. 
    Downgraded according to HP support instructions found here- http://h30434.www3.hp.com/t5/Notebook-Operating-Systems-and-Software/hp-15-g049au-K5B45PA-driver-for...
    Crash dump analysis-
    On Mon 10/20/2014 5:20:39 PM GMT your computer crashed
    crash dump file: C:\Windows\Minidump\102014-17222-01.dmp
    uptime: 01:20:20
    This was probably caused by the following module: atikmdag.sys (atikmdag+0x1CEB1)
    Bugcheck code: 0xA0000001 (0x5, 0x0, 0x0, 0x0)
    Error: CUSTOM_ERROR
    file path: C:\Windows\system32\drivers\atikmdag.sys
    product: ATI Radeon Family
    company: Advanced Micro Devices, Inc.
    description: ATI Radeon Kernel Mode Driver
    A third party driver was identified as the probable root cause of this system error. It is suggested you look for an update for the following driver: atikmdag.sys (ATI Radeon Kernel Mode Driver, Advanced Micro Devices, Inc.).
    Google query: Advanced Micro Devices, Inc. CUSTOM_ERROR

    Hello @HPpowerUser,
    Welcome to the HP Forums, I hope you enjoy your experience! To help you get the most out of the HP Forums I would like to direct your attention to the HP Forums Guide First Time Here? Learn How to Post and More.
    I have read your post on how you have downgraded your system from Windows 8 (64-bit) to Windows 7 (32-bit), and that your system is displaying a atikmdag.sys. I would be happy to assist you in this matter!
    According to the available drivers and software for your computer, Windows 7 is only supported for the (64-bit) version of Operating System. To maintain a compatible set of drivers on your system, I recommend downgrading to a 64-bit version of Windows 7.
    I hope this helps!
    Best Regards
    MechPilot
    I work on behalf of HP
    Please click “Accept as Solution ” if you feel my post solved your issue, it will help others find the solution.
    Click the “Kudos, Thumbs Up" on the right to say “Thanks” for helping!

  • My dreamweaver cs5.5  on window 7started working stop  showing message  A problem caused programe to

    my dreamweaver cs5.5  on window 7started working stop  showing message  A problem caused programe to stop work correctly       

    What's the error message you received?
    What do your logs tell you?
    What were you doing just before you got the error message?
    Nancy O.

  • Problem to show a simple window when dowaloading ?

    Hi
    I created a pure java swing application. When run this app and when it start to download some files from server, it will take long time. I launched/new a simple JFrame window to show a simple "please waiting" message when downloading files. But only window frame show up, and no context. Actually I can see only empty frame and without any content. Only when downloading files is finished, content show up/come out. So I can not show some warning message to user when programm is downloading some files. Who can tell me what is problem?? I use Windw XP. Thanks in advance
    gary

    HI
    I have tried to open another thread and inside another thread I new/launch my GUI class. I met same problem (only show frame and context come out after download is finished). My coding is below: Thanks
    //my main class for downloading files from server
    public class download(){
    ShowProgress progress=new ShowProgress("waiting");
    progress.start();
    downloading .....
    //open new thread
    public class ShowProgress extends Thread {
    String text;
    public ShowProgress(String s) {
    super(s);
    text=s;
    public void run(){
    ShowEnd showend=new ShowEnd(text);
    //GUI class to show "wait message"
    public class ShowEnd extends JFrame {
    BorderLayout borderLayout1 = new BorderLayout();
    JPanel jPanel1 = new JPanel();
    JEditorPane jEditorPane1 = new JEditorPane();
    public JButton Ok = new JButton();
    String text;
    public ShowEnd(String s) {
    super("Finished");
    text=s;
    try {
    jbInit();
    catch(Exception e) {
    e.printStackTrace();
    private void jbInit() throws Exception {
    this.getContentPane().setLayout(borderLayout1);
    jEditorPane1.setBackground(Color.lightGray);
    jEditorPane1.setEditable(false);
    jEditorPane1.setText(text);
    jEditorPane1.setPreferredSize(new Dimension(400,120));
    Ok.setText("Ok");
    Ok.addActionListener(new java.awt.event.ActionListener() {
    public void actionPerformed(ActionEvent e) {
    Ok_actionPerformed(e);
    this.getContentPane().add(jPanel1, BorderLayout.SOUTH);
    jPanel1.add(Ok, null);
    this.getContentPane().add(jEditorPane1, BorderLayout.CENTER);
    this.pack();
    this.setVisible(true);
    void Ok_actionPerformed(ActionEvent e) {
    System.exit(0);
    }

  • Hi, i am also facing the same problem in my windows 7 64 bit showing error R6034 and now lost itunes, cannot reinstall as well

    Pls help to resolve the error in installing itunes for Windows 7 64 bit showing error R6034....

    Hello sensuci,
    Thanks for using Apple Support Communities.
    For more information on this, take a look at:
    iTunes 11.1.4 for Windows: Unable to install or open
    http://support.apple.com/kb/TS5376
    Check for .dll files
    Go to C:\Program Files (x86)\iTunes and C:\Program Files\iTunes and look for .dll files.
    If you find QTMovie.DLL, or any other .dll files, move them to the desktop.
    Reboot your computer.
    Note: Depending on your operating system, you may only have one of the listed paths.
    Uninstall and reinstall iTunes
    Uninstall iTunes and all of its related components.
    Reboot your computer. If you can't uninstall a piece of Apple software, try using the Microsoft Program Install and Uninstall Utility.
    Re-download and reinstall iTunes 11.1.4.
    Best of luck,
    Mario

  • Lenovo 3000 V100, problems with integrated Camera

    Hello,
    I bought this Lenove a couple of years ago ( autumm 2007 ).
    equipped with Windows Vista, Location=Swedish.
    Since then I have had problems with the camera, on and off.
    The Camera was not working when I got home, I then got help from
    the support desk. Then later on it stopped working, now it is only showing a black
    box - either it could be after a Vista update or after a Lenovo update - I don't know.
    Is there anyone who could help me out here.
    Would like to use that camera, since it is integrated.
    Thanks for your help, Ink

    Hi Slape84,
    Welcome to Lenovo Community Forums!
    I’m sorry to hear that the integrated camera is not getting enabled even after trying to install the drivers for the camera. I suggest you to make sure the LEM (Lenovo Energy Management) is installed in the computer, if not please download it from the below link by selecting the exact Model Type of your G580 Laptop:
    Drivers and software - Lenovo Ideapad Laptops
    Then press Fn + Esc after installing the LEM in the computer this is the shortcut key to Turn on/off the integrated camera, now install the drivers for the integrated camera from the above link. But while installing while installing the driver right click on the downloaded file and select “Run as administrator” option to get it installed without any error.
    Do post us back if the issue still persists.
    Best Regards
    Shiva Kumar
    Did someone help you today? Press the star on the left to thank them with a Kudo!
    If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"! This will help the rest of the Community with similar issues identify the verified solution and benefit from it.
    Follow @LenovoForums on Twitter!

  • Windows Partition No Longer Shows Up After Accidental Premature Closing of Camptune

    Mac OS X 10.7.5
    I was running Paragon Camptune to expand my Windows 7 partition. The progress bar reached the end and stayed there for about 30 minutes. The Camptune window was then accidentally closed and Camptune quit itself. I restarted the computer but the Windows partition no longer shows up when I try to boot it, only Mac OSX and Recovery Disk. The Bootcamp drive is no longer accessable from System Preferences, and the Bootcamp partition folder is no longer accessable in the Devices area of Finder. Camptune no loner recognizes that there was a partition. Thus, I am no longer able to access the partition's contents or delete it and make a new one.
    It would be preferable if I could fix the partition and have it accessable again, however I have no problem with deleting it and making a new partition. Any advice? Thanks for your time.
    Here is the information from the Partition Inspector:
    *** Report for internal hard disk ***
    Current GPT partition table:
    #      Start LBA      End LBA  Type
    1             40       409639  EFI System (FAT)
    2         409640   1151635239  Mac OS X HFS+
    3     1151635456   1152904991  Mac OS X Boot
    Current MBR partition table:
    # A    Start LBA      End LBA  Type
    1              1       409639  ee  EFI Protective
    2         409640   1151635239  af  Mac OS X HFS+
    3     1151635456   1152904991  ab  Mac OS X Boot
    MBR contents:
    Boot Code: Unknown, but bootable
    Partition at LBA 40:
    Boot Code: None (Non-system disk message)
    File System: FAT32
    Listed in GPT as partition 1, type EFI System (FAT)
    Partition at LBA 409640:
    Boot Code: None
    File System: HFS Extended (HFS+)
    Listed in GPT as partition 2, type Mac OS X HFS+
    Listed in MBR as partition 2, type af  Mac OS X HFS+
    Partition at LBA 1151635456:
    Boot Code: None
    File System: HFS Extended (HFS+)
    Listed in GPT as partition 3, type Mac OS X Boot
    Listed in MBR as partition 3, type ab  Mac OS X Boot

    Hi Eric,
    Bootcamp does show up in the disk utility but it is grey instead of black like the Macintosh HD.
    The following information is available:
    Mount Point: Not mounted
    Format: Windows NT File System (NTFS)
    Owners Enabled: -
    Number of Folders: -
    Capacity:  274.55 GB
    Available: -
    Used: -
    Number of Files: -
    What might be the best way to continue to repair it. I do not have the option to click on "verify disk permissions" or "Repair Disk Permissions".
    Should I clone the hard drive in the target disk mode??
    I'm not the best at this stuff so any more advice would be greatly appreciated!
    Thanks!

  • HT4235 iPod nano 6th generation, syncing with audiobooks does not work now, had been working.  Sync test says:  No iPod touch, iPhone, or iPad found.  Connectivity test OK, no physical problems, iTunes shows the iPod.  Any clues what to do?

    iPod nano 6th generation, syncing with audiobooks does not work now, had been working.  Sync test says:  No iPod touch, iPhone, or iPad found.  Connectivity test OK, no physical problems, iTunes shows the iPod.  Any clues what to do?

    Hmm.. Thank you for the response.
    Have you tried using the iPod with another user account or computer, to help narrow down whether the problem lies with the computer, account, or the iPod itself?
    Maybe try reformatting it, using the tools provided by Windows. Instructions on how to reformat your iPod can be found in this article.
    http://www.methodshop.com/gadgets/ipodsupport/erase/index.shtml
    B-rock

  • Problem with Nokia Camera and Smart Sequence

    Hi,
    I'm having a problem with Nokia Camera and the Smart Sequence mode.
    Basically, if you take a picture using nokia camera, and view it in your camera roll, it usually says, underneath the pic "open in nokia camera".
    Well, if I take a pic using the Smart Sequence mode, it just doesn't say "open in nokia camera" so, to use the functions of smart sequence (best shot, motion focus, etc), I have to open nokia camera, go to settings and tap the "Find photos and videos shot with nokia camera" option.
    Does anyone has the same problem? Anybody solved it?
    I already tried reinstalling nokia camera, but that didn't help.
    I'm running Nokia Black on my 925.
    Thanks everyone!

    Hi,
    I had the same problem with my 1020. It did get fixed with the last update to Nokia camera.
    However, IIRC, it didn't just happen right away. When browsing the camera roll I'm pretty sure that the "open with Nokia camera" text wasn't there.
    Slightly disappointed I opened the (Nokia) camera anyway and was going to test the smart sequence again. I noticed the only precious pic I'd taken using this actually appeared top left of the screen.
    I opened it and I had all the smart sequence editing options again - that we're missing previous. Made a new picture and saved it.
    Now when in camera roll the text shows below the image and all is good.
    This probably doesn't help much except that it didn't seem to fix automatically.
    I work @Nokia so I can ask around a bit to see if this is a known / common issue (not that I know any developers)

  • Video Capture on recent Windows 8.1 Tablets shows very dark video

    Hello,
    I switched from direct show to media foundation to capture video from webcams. It is a desktop application and works well with both direct show and media foundation on Windows 7 and Windows 8.1 desktop computers for a lot of different webcams.
    Trying the same application on a Windows 8.1 Atom based tablet, the video is very dark and green.
    I tried it on the following tablets (all of them show the above described behavior):
    -Acer T100A (camera sensor MT9M114, Atom 3740)
    -Dell Venue Pro 11 (camera sensor OV2722 front, IMX175 back - Atom 3770)
    -HP Omni 10 5600 (camera sensor OV2722, IMX175 - Atom 3770)
    I capture using IMFMediaSession, building a simple topology with a media source and the EVR.
    TopoEdit shows the same strange behavior
    MFTrace does not show any errors (at least I do not see any errors)
    In case an external usb camera is used on all these tablets, the video is fine.
    The SDK Sample MFCapture3d3 works fine, it uses the source reader for capturing - I verified the media type of the source used there, it is the same I use in my application (same
    stream descriptor, same media type, verified with mftrace)
    The "CaptureEngine" video capture sample from the SDK also works as expected, however, I need Windows 7 compatibility and would like to use the same source on both platforms
    When using direct show, all the above mentioned tablets show only a fraction of the sensor image when capturing with lower resolutions (e.g. 640x360), the colors of the video are
    fine. I tried it with the desktop app of Skype and GraphEdit, same behavior (only a fraction of the video is shown, colors are fine) - Skype for destkop apparently uses a DirectShow source filter.
    Has anyone tried capturing the camera of an Atom z3700 series tablet with media foundation using the media session? If so, is special handling of the media source required on these tablets?
    If required, I will post some code or mftrace logs.
    Thanks a lot,
    Karl
    Bluemlinger

    On the contrary of my previous post, the MFTrace file shows an error:
    "COle32ExportDetours::CoCreateInstance @ Failed to create {FEB9695C-C7DF-4D40-8019-00FA047288FF} KSPlugin Class (C:\Windows\system32\IntelCameraPlugin.dll) hr=0x80004005 E_FAIL"
    This dll contains the Intel Camera MFT. While it is on the specified location, it cannot be loaded. According to the Windows Driver Kit documentation, a camera MFT is used in windows store device app.
    My assumption is that this MFT is responsible for doing post processing of the video stream from the camera. Since it cannot be loaded, the video stream is dark with a green color fault.
    By the way, setting brightness or exposure via IAMVideoProcAmp and IAMCameraControl has no effect, Setting/reading these properties returns S_OK, the properties are stored correctly but obviously ignored.
    Bluemlinger

  • Spotlight does not open a finder window when i choose Show all in finder menu?

    I have a significant number of files in my Macbook Air. A lot of them are research papers and medical literature.
    About a month ago I updated the operating system from snow Leopard to mountain Lion and I had no reasons to complain except a smaller battery time.
    Since then I installed every OS update.
    After the last update, a few days ago, Spotlight does not open a finder window when i choose Show all in finder menu.
    Spotlight continues to work properly if I write a name or expression in spotlight in a finder window but not in the upper left corner at the menu bar
    As this been described yet?
    Thank you in advance
    Miguel Tavares

    I had the same problem yesterday after performing a clean install of Mountain Lion (10.8.2) on my MacBook Pro.
    I resolved the problem by booting from the Mountain Lion Recovery Partition and then running Disk Utilty (Repair) for the primary disk on which Mountain Lion is installed.  It identified (and repaired) many permissions issues...
    When I rebooted following the repair, Spotlight worked again properly -- including the "Show All in Finder" function.

  • [SOLVED] GNOME 3.8 annoying window resize problem

    Hello all fellow early-adopters :-)
    A very annoying quirk I've noticed, moving from GNOME 3.6 to 3.8, is that it no longer remembers, nor retains, the size/positions I set for many of my application windows. For example, my mail client (Evolution) is sized to fill most of my screen (centrally), with Empathy and Skype as long narrow windows on both sides - giving me a nice, broad "communications" overview on that particular desktop (with dev tools etc open on others).
    On 3.6, this layout was retained during my session, as well as next time I started these apps up.
    In GNOME 3.8, not only does it insist that these windows are always started as small little bunched-up windows that I need to resize, but every time a window displays a notification/warning (message in internal yellow bar inside the window - such as loss of internet connection, mail retrieval failure etc) it resizes the windows spontaneously to a stupid, small size that overlays the other windows. This is driving me crazy!
    Where can I learn a bit more about how window sizing / positioning works in GNOME 3.8, or is it finally time to switch to awesome wm? I want to love GNOME 3.8, I really do. It's so slick, but so... unpolished.
    I want to dig in an assist with problems like these, but I need some pointers to some background material first to understand the problem. Is it the window manager? Is it the app?
    ** UPDATE: Doing a full system upgrade, as of May 18, 2013, has resolved this annoying problem. My windows now stay where they belong, and start with the same size they were closed with. GNOME is now pleasant to use again :-)
    Last edited by dawid.loubser (2013-05-21 13:37:25)

    dawid.loubser wrote:Thanks for the suggestion drtebi - I'll give it a try.
    I really like GNOME 3.x though (and would like to understand the windowing behaviour), but if the annoying quirks are insurmountable, I will happily switch.
    Man I love GNOME 3.x. I admire the courage they had to change, basically, everything, and I find myself more productive with my GNOME 3 Arch box than with my good ol' Slackware KDE 4 box. I just hate those bugs - for example I filed a task in their bugtracker for this window resize problem I have with gedit. If it's a love/hate relationship, I think it's marriage ^_^
    With the 3.8 upgrade, deadbeef was having a similar problem with window size/position. I just recompiled it against the latest GTK+3 package upgrade (that came after the 'big upgrade' here on Arch) and it was fixed. But not with gedit
    bwat47 wrote:
    Man I really hope this gets fixed soon, because aside from this one incredibly annoying issue I am loving gnome 3.8.
    I get the feeling gnome badly needs more beta testers, sizable regressions like this in "stable" releases happen way too often sad.
    I get the exact same feeling. Well bugs exist everywhere, there's no denying. But I think it would be wiser to 'alternate' the nature of each major stable release - one focusing on new features and one focusing on fixing bugs. For example if the only new features in GNOME 3.10 were the AppsFolder full implementation and the introduction of gnome-calendar, and the rest of the development cicle being devoted to fix bugs, I'd be more than happy.
    Like Fedora and Ubuntu, the fixed 6-month release cycle colaborates with the bugs. They don't do like Debian or Slackware which are released 'when they are ready'.
    EDIT: fout (yet) another bug. At least with facebook chat (haven't tested with other telepathy plugins) the buddy tray icon appear duplicate. Anybody with the same issue?
    Last edited by lmello (2013-05-02 14:06:06)

  • Cannot download itunes.....says there is a windows inslaller problem

    ttried to update my iphone 4 to ios5.......needed to update itunes....tried came up with windows inslaller .........removed itunes, now cannot install due to same windows inslaller problem, any ideas peeps......its doin my head in!!!!!!

    Are you using a 32-bit or 64-bit version of Windows, Jim?
    If it's 64-bit (Vista or Windows 7), I'd try the following instructions:
    Vista Home Premium (x64) and installing Itunes - SOLUTION

Maybe you are looking for

  • How can I print a list of iTunes albums only, without  songs?

    Itunes offers printing of albums but, what I get is a list of my 500 classical music albums and all the songs/tracks therein. Whereas I want to print only an alphabetical list of my albums, no songs. Better yet I would like to print a list of all my

  • ACR (CS5 Bridge) not opening all RAW files

    I upgraded to CS5 last week and I'm having a problem with processing some RAW files. If I select ALL the images in a folder in Bridge and right click to open in ACR it doesn't open ALL the images - there are missing images and I cannot for the life o

  • How to put year and month in a variable

    I want to create a variable that just shows the current year (like 2010) and another variable that shows the month and year (December 2010). I have had no luck. I tried modifying the definition of unneeded system variables. That works, but it seems p

  • IMovie cropping tops of still images in slideshow

    I've been bothered, or annoyed, by tops of my stills being cropped in the Ken Burns effect, when viewing my slideshows. Is there any way to ensure the whole image is seen? Ratio to be adhered to?

  • Installation won't open

    I have installed your trial of Elements onto my Macbook - OSX.  I have removed popups etc and checked Automatic Graphics Switching.  I still does not open.  What do I need to do?