Always problems nothing OK

How does it comes I have always problem I got install problems and if its installed I cannot get open the file why does ovi don't work? When will the ovi shop work when can I download and install application without problem? Cause there is always problems nothing else as problems with the ovi shop to download app's
my phone is nokia e7

Hi
Your understanding is almost correct. I want to write a code with a very simple interface, says having "start and stop buttons. Once the start button is pressed, the program will do the job such that it will alternatively "click" Move to A and Move to B forever, until the stop button is hit.
Once the subVI finishes its execution you want the program to automatically execute "Move to B".  Once the subVI finshes execution the program will automatically execute "Move to A"...  Is this what you are looking for?
- Yes.
Do you want the user to be able to interrupt this with a button press?  How do you want to implement the while loop stop logic?  Will it stop whenever the stop button is selected?
- That would be nice. A stop button will stop the loop and return to the idle state, says the loop waits for the next input.
Thanks for your help

Similar Messages

  • Man -k always returns "nothing appropriate"

    I'm running 10.5.3 on a Macbook Pro. It is a new MacBook that originally had 10.5.2, and I upgraded from that.
    In Terminal, "man xxxx" works fine, but "man -k xxxx" always returns "nothing appropriate."
    This problem also existed when it was running 10.5.2.
    Anybody know how I can fix this?

    Welcome to Apple Discussions!!
    stugotsxxxx wrote:
    In Terminal, "man xxxx" works fine, but "man -k xxxx" always returns "nothing appropriate."
    This problem also existed when it was running 10.5.2.
    Always?
    What about choosing something that obviously should return something, like man -k error ? And try apropos error and whatis error. The first two should return the same, while the last will return a smaller selection (it only matches whole words). So you should get something like:
    macbook:~ michaelc$ apropos error | wc
    87 1037 9843
    macbook:~ michaelc$ man -k error | wc
    87 1037 9843
    macbook:~ michaelc$ whatis error |wc
    63 655 5738
    If you are getting zero output from all these, try
    sudo periodic weeklySupply your password when prompted (it is not echoed) and give it a few minutes to run. Then try those three commands again. Post back to let us know what you see.

  • Recently auto-upgraded to v17.0.1 on W7-64; but the search saved passwords function always returns nothing -- they are there, since autocomplete works

    I always used to be able to search and retrieve password -- but the UI has changed recently and whatever I search for nothing is returned; but for many sites it still auto fills in my name/password so they are there. I've tried searching for anyone else having this problem but can't find anything -- can't believe I'm alone though...
    Do I just down grade -- or is there anything else I can do to get functionality back?

    Bingo! Removed the localstore.rdf file and all fine now :-)
    Very many thanks!

  • Sequential Access Problem - Nothing is being written to file.

    Okay, quick introduction. I am a student and am in an intro Java class. I am understanding most of it; however, I am having one issue with an exercise that I am working on.
    Here is the purpose:
    To create a simple car reservation application that stores the reservation information in a sequential access file.
    In the code what I need to happen is when the user clicks the Reserve Car button, the application needs to first check to see if there are cars already reserved for that day (there is a limit of 4 which is taken care of in the While statement). If the file content is null, it skips this while first.
    If the content is null, then I need to open the file for writing, which is taken care of using FileWriter. The program is then to write the date information using the currentDate variable created before the while statement. Next, it is supposed to write the name entered and display a message box stating that the car has been reserved (which it does display).
    However, I can add an infinate amount of reservations without getting the error message box stating that the max has been reached. So, I checked the reservations.txt file (which was intially created as a blank file) and I see that nothing at all is getting written to it. Here is the code, can anyone offer any insight into what I am missing. I am not getting any compliation or run-time errors, so I am sure this is just a simple problem I am overlooking. Thanks!
    // This application allows users to input their names and
    // reserve cars on various days.
    import java.awt.*;
    import java.awt.event.*;
    import java.io.*;
    import java.util.Date;
    import javax.swing.*;
    import javax.swing.event.*;
    public class CarReservation extends JFrame
       // JLabel and JSpinner to display date
       private JLabel selectDateJLabel;
       private JSpinner dateJSpinner;
       // JLabel and JTextField to display name
       private JLabel nameJLabel;
       private JTextField nameJTextField;
       // JButton to reserve car
       private JButton reserveCarJButton;
       // Printwriter to write to files
       private PrintWriter output;
       //BufferedReader to read data from file
       private BufferedReader input;
       // file user will select
       private File reserveFile;
       // no-argument constructor
       public CarReservation()
          createUserInterface();
       // create and position GUI components
       public void createUserInterface()
          // get content pane for attaching GUI components
          Container contentPane = getContentPane();
          // enable explicit positioning of GUI components
          contentPane.setLayout( null );
          // set up selectDateJLabel
          selectDateJLabel = new JLabel();
          selectDateJLabel.setBounds( 16, 16, 96, 23 );
          selectDateJLabel.setText( "Select the date:" );
          contentPane.add( selectDateJLabel );
          // set up dateJSpinner
          dateJSpinner = new JSpinner( new SpinnerDateModel() );
          dateJSpinner.setBounds( 16, 43, 250, 23 );
          dateJSpinner.setEditor( new JSpinner.DateEditor(
             dateJSpinner, "MM/dd/yyyy" ) );
          contentPane.add( dateJSpinner );
          dateJSpinner.addChangeListener(
             new ChangeListener() // anonymous inner class
                // event handler called when dateJSpinner is changed
                public void stateChanged( ChangeEvent event )
                   dateJSpinnerChanged( event );
             } // end anonymous inner class
          ); // end call to addActionListener           
          // set up nameJLabel
          nameJLabel = new JLabel();
          nameJLabel.setBounds( 16, 70, 100, 23 );
          nameJLabel.setText( "Name: " );
          contentPane.add( nameJLabel );
          // set up nameJTextField
          nameJTextField = new JTextField();
          nameJTextField.setBounds( 16, 97, 250, 23 );
          contentPane.add( nameJTextField );
          // set up reserveCarJButton
          reserveCarJButton = new JButton();
          reserveCarJButton.setBounds( 16, 130, 250, 23 );
          reserveCarJButton.setText( "Reserve Car" );
          contentPane.add( reserveCarJButton );
          reserveCarJButton.addActionListener(
             new ActionListener() // anonymous inner class
                // event handler called when reserveCarJButton is clicked
                public void actionPerformed( ActionEvent event )
                   reserveCarJButtonActionPerformed( event );
             } // end anonymous inner class
          ); // end call to addActionListener
          // set properties of application's window
          setTitle( "Car Reservation" ); // set title bar string
          setSize( 287, 190 );           // set window size
          setVisible( true );            // display window
       } // end method createUserInterface
       // write reservation to a file
       private void reserveCarJButtonActionPerformed( ActionEvent event )
       try
           // get file
           reserveFile = new File( "reservations.txt" );
           // open file
           FileReader currentFile = new FileReader( reserveFile );
           input = new BufferedReader( currentFile );
           // get date from dateJSpinner and format
           Date fullDate = ( Date ) dateJSpinner.getValue();
           String currentDate = fullDate.toString();
           String monthDay = currentDate.substring( 0 , 10 );
           String year = currentDate.substring( 24, 27 );
           currentDate = ( monthDay + " " + year );
           // declare variable to store number of people who reserve a car
           int dateCount = 1;
           // read a line from the file and store
           String contents = input.readLine();
           // while loop to read file data
           while ( contents != null )
               // if contents equal currentDate
               if ( contents.equals( currentDate ) )
                   // check reservation number
                   if ( dateCount <4 )
                       dateCount++;
                   else
                       // display error message
                       JOptionPane.showMessageDialog( this,
                          "There are no more cars available for this day!",
                          "All Cars Reserved", JOptionPane.ERROR_MESSAGE );
                       // disable button
                       reserveCarJButton.setEnabled( false );
                       // exit the method
                       return;
                   } // end else                
               } // end if
             // read next line of file
             contents = input.readLine();
           } // end while
           // close the file
           input.close();
           FileWriter outputFile = new FileWriter( reserveFile, true );
           output = new PrintWriter( outputFile );
           // write day to file
           output.println( currentDate );
           // write reserved name to file
           output.println( nameJTextField.getText() );
           // display message that car has been reserved
           JOptionPane.showMessageDialog( this, "Your car has been reserved",
                   "Thank You", JOptionPane.INFORMATION_MESSAGE);
       } // end try
       catch ( IOException exception )
           JOptionPane.showMessageDialog( this, "Please make sure the file exists " +
                   "and is of the right format.", "I/O Error",
                   JOptionPane.ERROR_MESSAGE );
           // disable buttons
           dateJSpinner.setEnabled( false );
           reserveCarJButton.setEnabled( false );
       } // end catch
       // clear nameJTextField
       nameJTextField.setText( "" );
       } // end method reserveCarJButtonActionPerformed
       // enable reserveCarJButton
       private void dateJSpinnerChanged( ChangeEvent event )
          reserveCarJButton.setEnabled( true );
       } // end method dateJSpinnerChanged
       // main method
       public static void main( String[] args )
          CarReservation application = new CarReservation();
          application.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
       } // end method main

    Thank you. Sorry about all the code. I have never posted in this forum before and was unsure what all you needed.
    This was the problem though. Right after I posted my question, I went back and looked at the code over again and realized that I left that part out! I added it in and it works perfectly. I came back to update my post but you had already answered it!
    I really appreciate the quick response.
    Mike

  • How do i get refund when i can't get anyone at apple to respond to me and when i hit report a problem nothing happens?

    I need some help ASAP!!! I have charges from itunes via in-app purchases that are almost all same amounts but different times. i can not get anyone from apple to respond to me. After i did the whole quick lane via online it said chat later.
    On emal that contains bill i even did the report a problem and nothing would happen. I have never had a problem and just want to resolve asap as now its declining my credit card..someone help me PLEASE!!!

    Follow these exact instructions:
    1) http://www.apple.com/support/itunes/contact/
    2) Get iTunes support via Express Lane
    3) iTunes store
    4) Purchases, billing & redemption
    5) iTunes Store account billing
    6) Fill out info about your device (the one you're accessing iTunes from)
    7) Continue
    8) Sign in with Apple ID
    9) You see "Contact Options." DO NOT choose chat later, but rather select Email.

  • JBoss install problem - nothing is installed

    Hello,
    I have installed aur/jboss package
    aur/jboss 5.1.0.GA-1 [installed] (53)
    JBoss Application Server
    But there is no /opt/jboss directory, no service added, nothing. When I try to uninstall it, it says:
    Packages (1): jboss-5.1.0.GA-1
    Total Removed Size: 0,00 MiB
    zip file with jboss is installed correctly, all additional files (build, service..) are too.
    What is the problem with this process ?

    Moving to AUR Issues...

  • Problem: Nothing happens when I queue export from Premiere CC.

    As above.
    I do a basic queue export from Premiere, Media Encoder launches, then nothing is queued for render.
    Help thanks.

    Hi Dmitri,
    Thanks for your quick response!
    - It is no problem to take the sequence and drag and drop it in the AME
    - Yes, I can save the project and open the purport in AME
    - Build number of PPro = 8.2.0 (65) build & AME = 8.2.0.54
    - It is no problem to create a new preset in AME and to select MPEG2
    For your information, there is no project that I can export from PPro to AME. This morning I send a new project to AME and suddenly AME was failed to finish the render that was already there. Because of that I quite AME and starter again. But from that moment it was not possible anymore to send projects bij PPro to AME….
    On my other system the export from PPro to AME is working well.
    So… I don’t know what the problem will be.
    Regards,
    Aswin

  • GT70 Problems (nothing major but a ton of minors)

    Hi all.  I have an awesome MSI gt70 running Win 8 64bit Premium.  I have an Intel 2.7GHz 3740QM processor, 32Gb RAM, an nVidia 680M with 4GB video card, Killer E2200 NIC and Killer 1202-N wireless.
    It all started when I hit MSI tech support because I was experiencing stuttering in games and in OS applications.  Just very short freezes and then everything caught up.  He suggested I update my BIOS from E17621MS.50U to .50X and the EC to 1762EMS1 v5.05.  The EC updated just fine.  The BIOS won't update though.  I get the message "ROM file size doesn't match BIOS size".  I used the USB drive method posted on their download page.  I can't seem to use this forum's USB flash utility.  It wants me to select Mode 2 because it won't read the zip in Mode 1, but Mode 2 doesn't show as an option at all on the main screen.
    Secondly, everytime I boot my computer it tells me that Micro SCM hasn't started, starting service now.  A DOS box flashes and them my KLM keyboard backlights illuminate.  I can start SCM manually, but it doesn't start automatically even after that message appears.  VGA Overclock loads, but the options are greyed out, with enabled checked but greyed as mentioned.
    My Killer E2200 is causing BSODs when I play certain games.  I have downloaded the new drivers from both their website and MSI, but they don't work (either stating the RAR is empty or I get an error - can post error later when I try again).
    DXdiag always shows the Intel graphics chip, but I set the nVidia control panel and my laptop power options all for max performance, always on, etc.
    Finally, on the touch bar, I can turn the fans on and off, but the Turbo button just flat out doesn't work anymore.
    The main thing is the computer runs and runs well...but I know I am not getting the max efficiency or performance out of it.  If anyone can please help me...I have researched and studied and have finally hit a brick wall.  Tech support from MSI has been slow at best.
    Thank you.

    Please see below (updates in bold) and if anyone can help, I'd be most grateful!
    Quote from: drackore on 29-June-13, 17:31:11
    Hi all.  I have an awesome MSI gt70 running Win 8 64bit Premium.  I have an Intel 2.7GHz 3740QM processor, 32Gb RAM, an nVidia 680M with 4GB video card, Killer E2200 NIC and Killer 1202-N wireless.
    It all started when I hit MSI tech support because I was experiencing stuttering in games and in OS applications.  Just very short freezes and then everything caught up.  He suggested I update my BIOS from E17621MS.50U to .50X and the EC to 1762EMS1 v5.05.  The EC updated just fine.  The BIOS won't update though.  I get the message "ROM file size doesn't match BIOS size".  I used the USB drive method posted on their download page.  I can't seem to use this forum's USB flash utility.  It wants me to select Mode 2 because it won't read the zip in Mode 1, but Mode 2 doesn't show as an option at all on the main screen. **STILL NEED HELP**
    Secondly, everytime I boot my computer it tells me that Micro SCM hasn't started, starting service now.  A DOS box flashes and them my KLM keyboard backlights illuminate.  I can start SCM manually, but it doesn't start automatically even after that message appears.  VGA Overclock loads, but the options are greyed out, with enabled checked but greyed as mentioned.  **FIXED**
    My Killer E2200 is causing BSODs when I play certain games.  I have downloaded the new drivers from both their website and MSI, but they don't work (either stating the RAR is empty or I get an error - can post error later when I try again).  **NEW PROBLEM:  New drivers cause me to randomly disconnect from the internet for 2-5 mins, unless I disable/re-enable to NIC and wireless adapters**
    DXdiag always shows the Intel graphics chip, but I set the nVidia control panel and my laptop power options all for max performance, always on, etc.  **Still a problem**
    Finally, on the touch bar, I can turn the fans on and off, but the Turbo button just flat out doesn't work anymore.  **I have no way to verify if I fixed this, as Turbo will tell me it's on by being illuminated on the touchbar and an icon on the screen, but CPU-Z won't load passed Graphics on my rig anymore, and it sure doesn't feel like it runs faster when I turn it on**
    The main thing is the computer runs and runs well...but I know I am not getting the max efficiency or performance out of it.  If anyone can please help me...I have researched and studied and have finally hit a brick wall.  Tech support from MSI has been slow at best.
    Thank you.

  • Boot up problems - nothing on screen!

    My 6 month old MBP with the latest firmware update suddenly stopped botting today. I placed it in sleep and then tried to wake it a few hours later. The battery was not flat. The light by the releae button comes on and I hear the DVD drive spin up but nothing comes up on the display.
    I have tried the support pages here http://docs.info.apple.com/article.html?artnum=303234 but nothing seems to work.
    Any ideas as I really don't want to send it back as I have lots on my drive that I cannot now backup.

    My suggestion is to take it to a service technician and ask them to carefully remove the hard drive and put inside a 2.5" Firewire hard drive case such as the ones from http://www.macsales.com/
    That way, you'll have control over the hard disk.
    Maybe even get that case first.
    http://www.apple.com/uk/buy/ has a listing of authorized service providers who can do it.
    And when you are done, you can use the migration assistant to reimport the data back that was in that drive.
    Be careful not to drop that drive as the cases don't take a beating that well.
    In the future always backup your data as my FAQ explains:
    http://www.macmaps.com/backup.html

  • Neo 4 Platinum - always problems! :((

    Sorry for my bad english.
    After working a while on this mobo, I am unable to working in a stable way and the problems are very big to me and now I have only problems.
    Well, in order let me explain what happend:
    I have a Maxtor 80 GB SATAI connected on SATA port 1 (nForce) (2 partitions) and this is the boot disk where Windows is located.
    I have a Maxtor 300 GB SATAI connected on SATA port 2 (nForce) (2 partitions)
    I have 2 Western Digital Caviar 80 GB E-IDE connected on nForce PATA1 Master & Slave and configured as RAID 0 - Mirroring with nVRAID (2 partitions)
    I have 2 Optical Drive (a DVD-ROM and CD-RW) connected on nForce PATA 2 Master & Slave
    The problems are that If I move larges files or a big amount of files (about 20 GB in one time) from the RAID to one of the SATA drives (or vice-versa) the system crash... well hung up. The video signal go away and return (black screen, windows desktop then black screen again and so on). After 2-3 times the desktop re-appear but the system is hang up so a hot reset is necessary. After that... I have encountered these problem (i've tried many times):
    1st time: Hot reset, at the restart NVRaid detect defective the Mirroring array, So I've pressed F10, rebuilded the Array. Then in Windows the hard disk disappear. In disk management the Mirror disk is seen with a exclamation point and I cannot import the "external disk" (so, I've disabled the RAID, returned to Windows but only one of the 2 WD disks can be seen)
    2nd time: Hot reset, at the restart Windows cannot find a file from the 80 GB SATA so I've formatted the partition and re-installed Windows, I've repeated the file transfer but after a while, the system hang up again.
    3rd time: At the restart, Windows try to load but during loading the system reset automatically in an infinite loop (try to load windows, reset, try to load windows and so on), so I've tried to reinstall Windows (pressing F6 at the installation to load the NVRAID and nForce Storage Controller) but when It's time to check the disks I receive a Blue Screen of Death with an error on NTFS.SYS file and PAGE_FAULT_IN_NONPAGED_AREA. After some investigation (and curse) I've found that the 80 GB SATA seems to have "lost" the filesystem or similar... at the moment of this post i'm unable to access to the disk (if someone knows a DOS utility that can recover SATA disk... let me say!) because If i connect the disk in Windows (or while Windows is loading) I receive a BSOD. Now I'm running the OS on a PATA Hard drive (an OLD Quantum 13 GB) because I don't want to lost any kind of data from my 300 GB SATA and 80 GB WD PATA hard drives... but i'm unable to work in any type.
    The bios is the 1.5 (but the problem is also with 1.2!)
    The configuration:
    Athlon 64 3200+ Winchester
    TwinMOS 1 GB RAM in Dual Channel Config (Samsung TCCD)
    MSI Neo4Platinum
    80 GB SATA Maxtor
    300 GB SATA Maxtor
    2x 80 GB Western Digital Caviar
    ASUS GeForce 6600GT
    Pinnacle PCTV Pro
    SoundBlaster Audigy 2 ZS
    <Latest nForce 4 drivers>
    Please let me know anything because it's very important, and now i've also an 80 GB SATA hard disk that I cannot use in any type (i can't format it, I can't connect to the mobo etc)

    In this period I've made a lot of tests trying to find a possible cause.
    After a deep analysis, partitions and MBR losts, Hard disk not detected by BIOS, data lost and so on (Thank you VERY MUCH Mr. nVidia for let me test YOUR hardware with MY money!!) I've found a possible cause.
    I want to report here the status wishing that could be helpful for others and in particular for nVidia which need to do a BETTER drivers and has sure a poor quality check.
    Well, I've forced 2.60 Volts in the BIOS for the RAM, disabled NCQ in drives that support it, Windows driver for PATA controller and I've re-tested all... but AGAIN... BSOD and MBR/partitions fuc*ed. So I've re-do other test and in particular I've burnt 4.37 GB (a DVD-R) from the Maxtor 300 GB SATA and, surprise... again BSOD... SO I've concluded that it's not a SATA to PATA problem... but a worst simple reading from the SATA HD.
    This time in Device Manager I've disabled Write/Read Caching for ONLY the Maxtor 300GB SATA (I want to point out that I've also an 80 GB SATA that have Write/Read Caching enabled and works like a charm!) and I've re-do the transfer that previously made the BSOD. This time fortunatly all go OK. I've made also a lot of other transfer... and all OK.
    So at the end... Seems to be not an hardware problem (the 300 GB Maxtor is healthy, tested and re-tested), PSU is OK, memory OK, CPU OK... but a sucks drivers that cause the problem. Probably the 16 MB of buffer could be the "problem" for the drivers but surely they're very FAR from good. The latest drivers (6.66) HAS the bug... ALL drivers (from the 1st that support NF4) today are affected by this big bug that fu*k the hard drives so is not a "stupid" bug. I dunno if it's the 16 MB buffer, if it's an incompatibility between NF4 and Maxtor 300 GB or if it's the size or anything else... but the Maxtor 300 GB works PERFECTLY on a Via chipset and doesn't works on a NF4 board without the "trick" (also with the trick the performances are obviously low but at least I can work)
    I would like to thanks VERY VERY MUCH syar2003 for the working tricks and also this site (Anandtech) where in the "comments" there are other user with very similar problem (and the bad thing is that seems to be a common problem!)
    http://www.anandtech.com/news/shownews.aspx?i=24570&ATVAR_START=1&p=1

  • Sharing as pdf via Email in Numbers problem: nothing happens at all now!

    I use this function every day in my work. Suddenly, as of a couple of days ago, it's broken. Absolute nothing happens any ideas please?  All latest updates running latest SL

    Robin Woodhouse wrote:
    Is it possible to roll back to the state before that update?
    Yes but maybe No.
    As you are running 10.6.8, the update 9.1 isn't required.
    If you bought iWork as a package embedding the three apps,
    Go to my iDisk :
    <http://public.me.com/koenigyvan>
    Download :
    For_iWork:iWork '09:uninstall iWork '09.zip
    and
    For_iWork:iWork '09:iWork9Update5.dmg  (I don't know if it was re-introduced in Apple's download web site.
    expand and apply my Uninstall script,
    re install the original package
    apply the downloaded updater.
    But, maybe, it would be a good idea to go to :
    http://www.titanium.free.fr/
    download :
    MAINTENANCE 1.3.8  (for Snow Leopard) and ask it to :
    check and repair permissions
    Clean most of the caches.
    Yvan KOENIG (VALLAURIS, France) lundi 25 juillet 2011 17:26:06
    iMac 21”5, i7, 2.8 GHz, 4 Gbytes, 1 Tbytes, mac OS X 10.6.8 and 10.7.0
    Please : Search for questions similar to your own before submitting them to the community
    To be the AW6 successor, iWork MUST integrate a TRUE DB, not a list organizer !

  • Kernel panic problem, nothing will fix it

    I've had about a dozen issues today with that gray screen telling me I need to restart my computer. I researched it and found out it's a kernel panic.
    I called Apple Support and I was instructed to verify my hard drive and then fix it via Utilities after starting up from the OS disc. That didn't work.
    I called back and another person told me to delete items in my startupitems folder under System. She also said if that didn't do the trick, which it didn't, I would have to Archive Install from the disc.
    I Archive Installed and it took a while. The minute it was done and I was logging into my computer the kernel screen came back.
    I have NO idea what to do. I can't even sign into my computer and have had troubles turning it on.
    I bought the iBook G4 OS version 10.4.7 back in December; and I've never had problems with it.
    What should I do? What can I do? There are files on there I need for school and work. Is there any way I can retrieve those then completely erase the OS and reinstall it?
    If I can't figure something out I'm taking it to the Apple Store tomorrow. I've got extended Apple Care, so I shouldn't have to pay anything out of pocket, right?
    Thanks for any help.

    When you reinstalled the system did you reformat the drive and write zeroes to it also?
    Troubleshooting kernel panics is quite difficult. Most times they are hardware related. I would suggest you follow the steps in the following FAQ. Follow them in order and don't skip any.
    http://www.thexlab.com/faqs/kernelpanics.html
    This is a roadmap that helps eliminate causes in a systematic manner. It is a time consuming process but a very thorough one.

  • 'Margins Do Not Match Page Size' Excel 2011 problem - nothing working now. Mac 10.9.2

    Hey folks. PLEASE help. I'm running Mac 10.9.2 with Excel 2011 on a macbook pro. All of a sudden i'm getting an error 'Margins Do Not Match Page Size' on Excel as soon as i start doing anything e.g. adjust page size, try to print. Help?
    Ive seen previous questions on this but nothing recent and none of the solutions seem to fit.
    Any ideas?
    Tahnks

    Kernel Panics today:
    Kernel Extensions in backtrace:
             com.apple.filesystems.smbfs(2.0.2)[E043DE0F-9336-3C61-9C82-F029B430A3EB]@0xffff ff7fabb77000->0xffffff7fabbc2fff
                dependency: com.apple.kec.corecrypto(1.0)[DB137B94-65D2-32AF-B5BC-80A360E104C3]@0xffffff7fa bb2b000
                dependency: com.apple.kext.triggers(1.0)[A7018A2E-1C0C-37B8-9382-67786A396EAF]@0xffffff7fab b72000
    Kernel Extensions in backtrace:
             com.apple.filesystems.smbfs(2.0.2)[E043DE0F-9336-3C61-9C82-F029B430A3EB]@0xffff ff7f85e2c000->0xffffff7f85e77fff
                dependency: com.apple.kec.corecrypto(1.0)[DB137B94-65D2-32AF-B5BC-80A360E104C3]@0xffffff7f8 3f2b000
                dependency: com.apple.kext.triggers(1.0)[A7018A2E-1C0C-37B8-9382-67786A396EAF]@0xffffff7f83 f72000
    BSD process name corresponding to current thread: Finder
    Mac OS version:
    13E28

  • Audigy 2 ZS and Logitech Z-680 problems, nothing coming from rear speake

    I've been trying everything to get sound out of these rear speakers but I'm having zero luck. I've installed the drivers I don't even know how many times. The speakers work fine when hooked up to my dvd player so I know the wiring is fine. However everytime I run these tests provided on the install, I get "front left... front center... front right..." and then nothing afterwards. Even though I should be getting "rear right... rear left". What can I do to get these speakers working?!
    by the way.. while I'm at it. The digital out on this card, am I able to hook that up to the z-680 console in some way? I have it conneced via 6 ch direct right now.

    Well I actually got it working last night, my analog connection that is. The weird thing is this: I took the green and black wires, connected to my 680 console and audigy 2, and switched them. As in, the green was in the front speakers minijack and the black was in the rear minijack, and I put the green in the black's connection and vice versa. Suddenly Everything works fine. I don't understand how that could possibly work but whatever.
    Now since this is working, should I even bother with a coax connection? During my extensi've reading yesterday, it seemed like coax was only good for dvds and not games. Seeing as how I have a seperate dvd player for all my movies, is it even worth it to open that RCA cable I bought?

  • Connecting problems, nothing new

    ah! ok my ipod screen says not to disconnect but my itunes doesn't have my ipod updating i have tryed unplugging and replugging like 4987230482 times haha and nothing is working! i have the latest itunes and nothing is working please help. thanks.

    Your iPod is probably "enabled for disk use". If this option is switched on then the Do Not Disconnect will stay there until you manually eject your iPod.
    Connect your iPod and in iTunes go to Preferences>iPod. Under the Music tab see if your iPod set to automatically sync (automatically update songs and playlists) with iTunes and also has a tick in the box marked “enable disk use". Remove this tick and your iPod should automatically disconnect after it’s finished updating.
    If you have your iPod set to manual update, the box will be greyed out and ticked by default, in that case use Safely Remove Hardware icon in the Windows system tray on your desktop or check this link: Safely Disconnect IPod

Maybe you are looking for

  • Touch no longer works after software update

    After downloading new software update, I got an error message during installation.  Troubleshooting information recommended a restore.  After doing a restore and using the most recent backup (which turns out to be my ONLY back-up) I am unable to chan

  • Firefox doesn't show headers on websites or mail options such as fonts, etc

    Firefox is the only browser that I'm having these problems with. They are as follows: In the compose e-mail block of my yahoo, it doesn't show the options for fonts, size of fonts, backgrounds, etc. It also won't let me change the color of the fonts.

  • Easy Points for the Quickest Poster

    Worlds dumbest question, I'm sure, but for the life of me I can't figure this out: Video_TS folder .... does DVDSP automatically create one for every project or do I have to export one? I can't find a button to create one and all I see on my hard dri

  • 1st picture = 1st image from folder, 2nd = first 2 images, third = first 3 images, and so on

    I have one folder with a series of images and I want to create a new folder where the first image is just the first image, the second image is the first 2 images (blending - lighten), the third made up of the first 3 images, and so on.   this needs t

  • Cannot import from DVD disc

    I have recorded a 3 minute segment of a newscast using my DVD recorder - it contains video of a close friend of mine. I have a DVD disc which I burned on the DVD recorder from its Hard Drive containing only this short video which I want to give to hi