Lenovo t420 ExpressCard 8360 troubleshooting help needed

Hi all,
I need help with getting MAX to recognize my 1033 chassis and the associated cards. When I powered it up last time MAX recognized the DMM and the Freq Source but hung badly (hard reset of PC) when trying to use NI-Scope. Now I can't even get the chassis to show up in MAX. Please help me
I have a NI ExpressCard 8360, a Lenovo T420, and a 1033 chassis w/ 5122,4070, and 5404 in slots 3,4, and 2.  I'm running LV 2012 f5
Description: The two green lights on the 1033 are lit. The chassis was turned on for one minute before turning on the PC. MAX was started. The only things showing up in Devices are the simulated devices if configured. No 1033...
My software configuration is LV 2012 Service Pack 1 V12.0.1f5 (32 bit)
When I look at Device Manager in Windows unders System I see "PCI bus" but nothing like PCI bridge to bridge. Not sure if I should or not...
Any pointers would be helpful.
Thanks,
JD360

Hi JD360,
As long as the Express card is working properly and you do not have MXI Compatibility Software installed, there should be a PCI-PCI Bridge in device manager. Sometimes this has a yellow bang next to it if it has not been recognized properly, but it should be there. Can you verify you don't have the compatibility software and double check the device manager to see if there is a PCI-PCI bridge?
Some more general quick questions to help troubleshoot:
1) What OS do you have?
2) What DAQmx version do you have?
3) In Windows Services, is PXI Platform Services started and running?
4) In Windows Services, is NI Device Loader started and running?
I hope this helps,
Eric E.

Similar Messages

  • The "Find my iPhone" troubleshoot help needed....

    "The find my iPhone" app is locating my device in a different state vs. the current state I live in. Can anyone help me troubleshoot this? Does this have a fix?

    I'm assuming you know where your device is and it's in your state - right?
    Which device?  If it's not an iphone, then it could be that the wifi router it's connecting to is not correctly registered to its location.  Do you know which router is being used?  Is it your home router or at some other location?

  • Code troubleshooting help needed - buttons spawning 2 apps

    Hi,
    I'm trying to do a question out of my Java text book and I'm a little confused why its not working correctly. There's 2 buttons on a frame that when clicked start the app behind them... one is a basic calculator, the other is a little applet to compute a mortgage. The second button is not reacting like the first does AND the Mortgage applet behind that button does not start-up properly... the box opens but nothing in the frame is visible.
    The first thing I need to be explained is that in the Mortgage section why I can't change it into an application from an applet without receiving an error. On my separate Mortgage applet (standalone) I switched it from applet to application by adding the following:
      public static void main(String[] args) {
         //create a frame
         JFrame frame = new JFrame (
              "Running a program as applet and frame");
         //create an instance of MortgageApplet
         MortgageApplet applet = new MortgageApplet();
         //add the applet instance to the frame
         frame.getContentPane().add(applet, BorderLayout.CENTER);
         //invoke init and start
         applet.init();
         applet.start();
         //display the frame
         frame.setSize(300, 300);     
         frame.setVisible(true);
         }But when I add that code to this exercise with the 2 buttons kicking the 2 sub apps off I get the following error...
    Exercise12_17.java:130: cannot resolve symbol
    symbol  : method start ()
    location: class MortgageApplet
            applet.start();So because of that I have that section of the code commented out below.... I copied that straight from my book and[b] it works when its standalone but not within this bigger app I'll paste below.
    The second thing I need explained is why does the second button not behave like the first button...
    If you click the first button it starts the calculator and then shows a "hide calculator" button to hide the calculator application. And if you click that hide button you return to the original menu with the 2 buttons (Calc & Mortgage) to choose from. But if you click the Mortgage button it brings up the Mortgage app (which currently is not working correctly in here) BUT does not show me the "Hide Mortgage" button... it jumps to the "Simple Calculator" button.
    My assumption is it has something to do with the If-Else if actionPerformed argument I have in the code below but I'm not entirely sure.
    Does anyone have answers to me 2 questions??...
    (1) do I need to change the mortgage applet to application & why am I getting that error when trying to do so? ...... and ......
    (2) why does my 2nd button on the main menu not get the "hide mortgage" button after starting the mortgage app & how would I correct it? (I assume that if I solve problem #1 it'll spawn the app correctly in part 2 when it starts).
    Any help would be greatly appreciated... thank you. :-)
    Rob
    -------------------------entire app below--------------------
    // Exercise12_17.java: Create multiple windows - Simple Calc & MortgageApplet
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.border.TitledBorder;
    public class Exercise12_17 extends JFrame implements ActionListener {
      // Declare and create a frame: an instance of MenuDemo
      MenuDemo calcFrame = new MenuDemo();
      // Declare and create a frame: an instance of MortgageApplet
      MortgageApplet mortgageAppletFrame = new MortgageApplet();
      // Declare two buttons for displaying frames
      private JButton jbtCalc;
      private JButton jbtMortgage;
      public static void main(String[] args) {
        Exercise12_17 frame = new Exercise12_17();
        frame.pack();
        frame.setTitle("Exercise 12.17: Multiple Windows Demo");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setVisible(true);
      public Exercise12_17() {
        // Add buttons to the main frame
        getContentPane().setLayout(new FlowLayout());
        getContentPane().add(jbtCalc = new JButton("Simple Calculator"));
        getContentPane().add(jbtMortgage = new JButton("Mortgage"));
        // Register the main frame as listener for the buttons
        jbtCalc.addActionListener(this);
        jbtMortgage.addActionListener(this);
      public void actionPerformed(ActionEvent e) {
        String arg = e.getActionCommand();
        if (e.getSource() instanceof JButton)
          if ("Simple Calculator".equals(arg)) {
            //show the MenuDemo frame
            jbtCalc.setText("Hide Simple Calculator");
            calcFrame.pack();
            calcFrame.setVisible(true);
          else if ("Hide Simple Calculator".equals(arg)) {
            calcFrame.setVisible(false);
            jbtCalc.setText("Simple Calculator");
          else if ("Mortgage".equals(arg)) {
            //show the Mortgage frame
            mortgageAppletFrame.pack();
            jbtMortgage.setText("Hide Mortgage");
            mortgageAppletFrame.setVisible(true);
          else if ("Mortgage".equals(arg)) {
            mortgageAppletFrame.setVisible(false);
            jbtMortgage.setText("Mortgage");
      class MortgageApplet extends JFrame implements ActionListener {
      // Declare and create text fields for interest rate
      // year, loan amount, monthly payment, and total payment
      private JTextField jtfAnnualInterestRate = new JTextField();
      private JTextField jtfNumOfYears = new JTextField();
      private JTextField jtfLoanAmount = new JTextField();
      private JTextField jtfMonthlyPayment = new JTextField();
      private JTextField jtfTotalPayment = new JTextField();
      // Declare and create a Compute Mortgage button
      private JButton jbtComputeMortgage = new JButton("Compute Mortgage");
      /** Initialize user interface */
      public void init() {
        // Set properties on the text fields
        jtfMonthlyPayment.setEditable(false);
        jtfTotalPayment.setEditable(false);
        // Right align text fields
        jtfAnnualInterestRate.setHorizontalAlignment(JTextField.RIGHT);
        jtfNumOfYears.setHorizontalAlignment(JTextField.RIGHT);
        jtfLoanAmount.setHorizontalAlignment(JTextField.RIGHT);
        jtfMonthlyPayment.setHorizontalAlignment(JTextField.RIGHT);
        jtfTotalPayment.setHorizontalAlignment(JTextField.RIGHT);
        // Panel p1 to hold labels and text fields
        JPanel p1 = new JPanel();
        p1.setLayout(new GridLayout(5, 2));
        p1.add(new Label("Annual Interest Rate"));
        p1.add(jtfAnnualInterestRate);
        p1.add(new Label("Number of Years"));
        p1.add(jtfNumOfYears);
        p1.add(new Label("Loan Amount"));
        p1.add(jtfLoanAmount);
        p1.add(new Label("Monthly Payment"));
        p1.add(jtfMonthlyPayment);
        p1.add(new Label("Total Payment"));
        p1.add(jtfTotalPayment);
        p1.setBorder(new TitledBorder("Enter interest rate, year and loan amount"));
        // Panel p2 to hold the button
        JPanel p2 = new JPanel();
        p2.setLayout(new FlowLayout(FlowLayout.RIGHT));
        p2.add(jbtComputeMortgage);
        // Add the components to the applet
        getContentPane().add(p1, BorderLayout.CENTER);
        getContentPane().add(p2, BorderLayout.SOUTH);
        // Register listener
        jbtComputeMortgage.addActionListener(this);
      //*********ADDED THIS SECTION below TO MAKE APPLET AN APPLICATION***********
    //  public static void main(String[] args) {
         //create a frame
    //     JFrame frame = new JFrame (
    //          "Running a program as applet and frame");
         //create an instance of MortgageApplet
    //     MortgageApplet applet = new MortgageApplet();
         //add the applet instance to the frame
    //     frame.getContentPane().add(applet, BorderLayout.CENTER);
         //invoke init and start
    //     applet.init();
    //     applet.start();
         //display the frame
    //     frame.setSize(300, 300);     
    //     frame.setVisible(true);
      //*********ADDED THIS SECTION above TO MAKE APPLET AN APPLICATION***********
      /** Handle the "Compute Mortgage" button */
      public void actionPerformed(ActionEvent e) {
        if (e.getSource() == jbtComputeMortgage) {
          // Get values from text fields
          double interest = (Double.valueOf(
            jtfAnnualInterestRate.getText())).doubleValue();
          int year =
            (Integer.valueOf(jtfNumOfYears.getText())).intValue();
          double loan =
            (Double.valueOf(jtfLoanAmount.getText())).doubleValue();
          // Create a mortgage object
          Mortgage m = new Mortgage(interest, year, loan);
          // Display monthly payment and total payment
          jtfMonthlyPayment.setText(String.valueOf(m.monthlyPayment()));
          jtfTotalPayment.setText(String.valueOf(m.totalPayment()));
    class MenuDemo extends JFrame implements ActionListener {
      // Text fields for Number 1, Number 2, and Result
      private JTextField jtfNum1, jtfNum2, jtfResult;
      // Buttons "Add", "Subtract", "Multiply" and "Divide"
      private JButton jbtAdd, jbtSub, jbtMul, jbtDiv;
      // Menu items "Add", "Subtract", "Multiply","Divide" and "Close"
      private JMenuItem jmiAdd, jmiSub, jmiMul, jmiDiv, jmiClose;
      /** Main method */
      public void main(String[] args) {  //Change-was public static void main(String[] args)
        MenuDemo frame = new MenuDemo();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.pack();
        frame.setVisible(true);
      /** Default constructor */
      public MenuDemo() {
        setTitle("Menu Demo");
        // Create menu bar
        JMenuBar jmb = new JMenuBar();
        // Set menu bar to the frame
        setJMenuBar(jmb);
        // Add menu "Operation" to menu bar
        JMenu operationMenu = new JMenu("Operation");
        operationMenu.setMnemonic('O');
        jmb.add(operationMenu);
        // Add menu "Exit" in menu bar
        JMenu exitMenu = new JMenu("Exit");
        exitMenu.setMnemonic('E');
        jmb.add(exitMenu);
        // Add menu items with mnemonics to menu "Operation"
        operationMenu.add(jmiAdd= new JMenuItem("Add", 'A'));
        operationMenu.add(jmiSub = new JMenuItem("Subtract", 'S'));
        operationMenu.add(jmiMul = new JMenuItem("Multiply", 'M'));
        operationMenu.add(jmiDiv = new JMenuItem("Divide", 'D'));
        exitMenu.add(jmiClose = new JMenuItem("Close", 'C'));
        // Set keyboard accelerators
        jmiAdd.setAccelerator(
          KeyStroke.getKeyStroke(KeyEvent.VK_A, ActionEvent.CTRL_MASK));
        jmiSub.setAccelerator(
          KeyStroke.getKeyStroke(KeyEvent.VK_S, ActionEvent.CTRL_MASK));
        jmiMul.setAccelerator(
          KeyStroke.getKeyStroke(KeyEvent.VK_M, ActionEvent.CTRL_MASK));
        jmiDiv.setAccelerator(
          KeyStroke.getKeyStroke(KeyEvent.VK_D, ActionEvent.CTRL_MASK));
        // Panel p1 to hold text fields and labels
        JPanel p1 = new JPanel();
        p1.setLayout(new FlowLayout());
        p1.add(new JLabel("Number 1"));
        p1.add(jtfNum1 = new JTextField(3));
        p1.add(new JLabel("Number 2"));
        p1.add(jtfNum2 = new JTextField(3));
        p1.add(new JLabel("Result"));
        p1.add(jtfResult = new JTextField(4));
        jtfResult.setEditable(false);
        // Panel p2 to hold buttons
        JPanel p2 = new JPanel();
        p2.setLayout(new FlowLayout());
        p2.add(jbtAdd = new JButton("Add"));
        p2.add(jbtSub = new JButton("Subtract"));
        p2.add(jbtMul = new JButton("Multiply"));
        p2.add(jbtDiv = new JButton("Divide"));
        // Add panels to the frame
        getContentPane().setLayout(new BorderLayout());
        getContentPane().add(p1, BorderLayout.CENTER);
        getContentPane().add(p2, BorderLayout.SOUTH);
        // Register listeners
        jbtAdd.addActionListener(this);
        jbtSub.addActionListener(this);
        jbtMul.addActionListener(this);
        jbtDiv.addActionListener(this);
        jmiAdd.addActionListener(this);
        jmiSub.addActionListener(this);
        jmiMul.addActionListener(this);
        jmiDiv.addActionListener(this);
        jmiClose.addActionListener(this);
      /** Handle ActionEvent from buttons and menu items */
      public void actionPerformed(ActionEvent e) {
        String actionCommand = e.getActionCommand();
        // Handle button events
        if (e.getSource() instanceof JButton) {
          if ("Add".equals(actionCommand))
            calculate('+');
          else if ("Subtract".equals(actionCommand))
            calculate('-');
          else if ("Multiply".equals(actionCommand))
            calculate('*');
          else if ("Divide".equals(actionCommand))
            calculate('/');
        else if (e.getSource() instanceof JMenuItem) {
          // Handle menu item events
          if ("Add".equals(actionCommand))
            calculate('+');
          else if ("Subtract".equals(actionCommand))
            calculate('-');
          else if ("Multiply".equals(actionCommand))
            calculate('*');
          else if ("Divide".equals(actionCommand))
            calculate('/');
          else if ("Close".equals(actionCommand))
            System.exit(0);
      /** Calculate and show the result in jtfResult */
      private void calculate(char operator) {
        // Obtain Number 1 and Number 2
        int num1 = (Integer.parseInt(jtfNum1.getText().trim()));
        int num2 = (Integer.parseInt(jtfNum2.getText().trim()));
        int result = 0;
        // Perform selected operation
        switch (operator) {
          case '+': result = num1 + num2;
                    break;
          case '-': result = num1 - num2;
                    break;
          case '*': result = num1 * num2;
                    break;
          case '/': result = num1 / num2;
        // Set result in jtfResult
        jtfResult.setText(String.valueOf(result));
    }

    Okay here is the fixed code... I commented the changes...
    basically I changed public void init() to public MortgageApplet() so that the section is a contructor not a method. ( since this class no longer extends Applet, public void init() becomes a method called "init" which has no relation to Applets' init method...)
    Then I move most of the variable declarations in the contructor ( formally the init() method ) and declared them as class variables... then initialized them in the construtor "MortgageApplet()"
    And now the second button works and you can see the MortgageApplet with textfields and buttons...
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    import javax.swing.border.TitledBorder;
    class MortgageApplet extends JFrame implements ActionListener {
       // Made all these class variable, originally they were under public void init()
       private JTextField jtfAnnualInterestRate;
       private JTextField jtfNumOfYears;
       private JTextField jtfLoanAmount;
       private JTextField jtfMonthlyPayment;
       private JTextField jtfTotalPayment;
       private JButton jbtComputeMortgage;
       JPanel p1,p2;
       // end variable declaration
       public MortgageApplet() {    // originally was public void init() so it thought is was a method
                                    // now it is a contructor...
          jtfAnnualInterestRate = new JTextField();
          jtfNumOfYears = new JTextField();
          jtfLoanAmount = new JTextField();
          jtfMonthlyPayment = new JTextField();
          jtfTotalPayment = new JTextField();
          jbtComputeMortgage = new JButton("Compute Mortgage");
          jtfMonthlyPayment.setEditable(false);
          jtfTotalPayment.setEditable(false);
          jtfAnnualInterestRate.setHorizontalAlignment(JTextField.RIGHT);
          jtfNumOfYears.setHorizontalAlignment(JTextField.RIGHT);
          jtfLoanAmount.setHorizontalAlignment(JTextField.RIGHT);
          jtfMonthlyPayment.setHorizontalAlignment(JTextField.RIGHT);
          jtfTotalPayment.setHorizontalAlignment(JTextField.RIGHT);
          // JPanel p1 and p2 declared as class variables
          p1 = new JPanel();
          p1.setLayout(new GridLayout(5, 2));
          p1.add(new Label("Annual Interest Rate"));
          p1.add(jtfAnnualInterestRate);
          p1.add(new Label("Number of Years"));
          p1.add(jtfNumOfYears);
          p1.add(new Label("Loan Amount"));
          p1.add(jtfLoanAmount);
          p1.add(new Label("Monthly Payment"));
          p1.add(jtfMonthlyPayment);
          p1.add(new Label("Total Payment"));
          p1.add(jtfTotalPayment);
          p1.setBorder(new TitledBorder("Enter interest rate, year and loan amount"));
          p2 = new JPanel();
          p2.setLayout(new FlowLayout(FlowLayout.RIGHT));
          p2.add(jbtComputeMortgage);
          getContentPane().add(p1, BorderLayout.CENTER);
          getContentPane().add(p2, BorderLayout.SOUTH);
          setVisible(true);  // added this also...
          /* the rest is the same - MaxxDmg...*/
          // Register listener
       jbtComputeMortgage.addActionListener(this);  }
       /** Handle the "Compute Mortgage" button */
       public void actionPerformed(ActionEvent e) {
          if (e.getSource() == jbtComputeMortgage) {
             // Get values from text fields
             double interest = (Double.valueOf(
             jtfAnnualInterestRate.getText())).doubleValue();
             int year =(Integer.valueOf(jtfNumOfYears.getText())).intValue();
             double loan =(Double.valueOf(jtfLoanAmount.getText())).doubleValue();
             // Create a mortgage object
             Mortgage m = new Mortgage(interest, year, loan);
             // Display monthly payment and total payment
             jtfMonthlyPayment.setText(String.valueOf(m.monthlyPayment()));
             jtfTotalPayment.setText(String.valueOf(m.totalPayment()));
    }Have fun...
    - MaxxDmg...
    - ' No Side '

  • Nokia 1650 troubleshooting help needed

    I have a Nokia 1650. I turned my phone off as usual when I went to bed last night and this morning it would not turn on again. The screen wont light up but I can see ' Local mode' written on the screen. I have tried usual stuff like taking out the battery and the sim card and re -introducing them but it doesn't make any difference! Any ideas?

    I will suggest you a quick and easy fix for you mate.
    1. Back up you important stuff on the nokia suite
    2. Hard reset , wipe everything off your nokia e7
    3. Run it a few days without any third party apps and see how it goes.
    4. Symbian belle is available now, you should check with your latest nokia suite. If its not then maybe your country is not ready for the update.
    HOPE THIS HELPS
    Join my movement to bring a change in NOKIA for good by supporting my FORUM
    http://discussions.europe.nokia.com/t5/Eseries-and-Communicators/NOKIA-MODERATORS-ONLY/td-p/1318965

  • D-link DWL- G122 (v C1) troubleshooting help needed

    I am really trying to sort out my wireless connection (on my G4 Powerbook Titanium) via a d-link DWL- G122 ( version C1). It used to work OK. Now it doesn't. This could be due to: upgrading to 10.4.8 from 10.3.9? (can't really remember if the connection dropped from that time) Neighbour setting up a wireless router? (but I've tried switching channels).
    Now, I'm using the RA driver, which is 10.4 compatible. I've also downloaded and tried the d-link 10.4 driver for this model (via the Canadian site). I've tried both, and both 'sometimes' work and sometimes don't.
    The frustrating thing is that if I ever get a connection which stays with me, it's 100% good and solid as a rock. When it's like this I've walked all over the house with the powerbook and it works in every room. So I KNOW it can be great.
    Usually though, there is no signal detected. Or it detects a signal, but when I highlight it and press connect the signal disappears. Or it will connect for 20 seconds and then the signal disappears. But like I say, on the rare occassion it detects a signal, lets me connect and stays connected it will be solid as a rock. Even if the tibook goes to sleep and wakes up. But if I do a restart I will be back to square one, no signal, maybe a signal... even if the dongle and computer has not moved at all.
    Now, I'm thinking it could have something to do with Network prefs. If I go to Prefs/Network and select automatic for location, and 'show Network status' I get an amber light in the box below, next to Ethernet Adaptor (en1) (which I think is the dongle). Next to this it says:
    Ethernet adaptor (en1) is currently active. Ethernet adaptor (en1) has a self-assigned IP address and may not be able to connect to the internet.
    Is that a clue?
    If I select Location - Automatic, and Show: Ethernet Adaptor (en 1) I get a box with TCP/IP/PPPoE/Apple Talk/Proxies/Ethernet across the top. In the TCP/IP section there is 'configure IPv4: using DHCP' but there is no IP address and nothing else in any of the boxes you are able to add things.
    Should it have an IP address in there? If it should how can I add one? If anyone can help you will have to explain things in a clear and straightforward manner as I know nothing about Network settings. If you've got this far THANKS FOR READING, and if you are going to try to help me then YOU ARE A GOD!(or Goddess of course)
    I'd love to sort this, I know I could just throw in the towel and buy a 3rd prty cardbus thingy, or even an airport card (if I can get one!) but I love a challenge. Been experimenting on this for two days now, just trying to find a common thing as to why it sometimes connects but mostly doesn't and I'm stumped. Grrrrrr.... I only bought this d-link because December Mac World said it was a plug and play wireless dongle, and being a novice I trusted them.
    By the way, my router is a Netgear DG834G v2.

    Me again. I've fiddled with this thing so much I've lost track of exactly what I've done and undone. But this much is true: Currently running on the ralink driver. In Network Port Configurations I deselected all except Ethernet Adaptor (en1) which I also dragged to the top (this seemed to help - thanks BDAqua!). And I have to unplug on restart and only plug in again when I see the desktop (including dock) - this I learnt from another forum. Then I get a signal in wireless utility, which connects straight away and stays rock solid.
    But I've found a few interesting things. It seems to be a problem with the stick finding the right IP address.
    When I've got my rock solid connection and I check my Prefs/Network/Automatic/Network Status it shows a green light and tells me the Ethernet Adaptor (en 1) (which is the d-link stick) is currently active and has the IP address of xxx.xxx.x.x. And I am connected to the Internet via Ethernet Adaptor (en 1).
    If I restart and don't unplug/plug in the stick the Wireless Utility can't find a signal. If I then check the Prefs/Network/Automatic/Network Status it shows an amber light and tells me the Ethernet Adaptor (en 1) (which is the d-link stick) is currently active But it has a self-assigned IP address and may not be able to connect to the internet. When I check the self-assigned IP address it's completely different from one above.
    Now, that got me thinking that I could manually put in the address, which I tried (still in Automatic). Pressed Apply Now. But still couldn't get a signal in the wireless utility box. I rechecked Prefs/Network/Automatic/Network Status and it tells me I am connected! But when I try to open a page in a browser the browser tells me I'm not.
    So then I tried to make a New Location - thinking that I could just switch to that instead of having to restart/unplug/plug. Added all info manually (which I'd copied when I had a good connection in Automatic) - so to all intents and purposes it was exactly the same as the Automatic/Ethernet adaptor (en 1) setting. But the result was the same as para above- no signal in wireless utility box, but it thinks it's connected.
    I'm no expert but that doesn't make sense to me.
    If anyone can add any info that would be good. Just trying to solve this plugging/unplugging business. But at least it's working via the tedious unplugging/plugging technique.

  • Freqeuent CS4 Crashes-Troubleshooting help needed

    Constant crashes in Illustrator CS4 on a Mac are driving me crazy. I've done endless searches, tried many remedies and all have come up empty. Is there any way to use the crash logs or something to narrow this down (better yet, solve it)?
    Details: Illustrator CS4 (ver. 14.0.0) Mac OSX (10.6.8) on a MacPro4,1 Quad-Core Intel Xeon 2.66 GHz, 13 GB RAM. NVIDIA GeForce GT 120 graphics card, DELL (E2311H) primary monitor 1920 x 1080 @ 60 Hz, DELL (P170S) secondary monitor 1280 x 1024 @ 60 Hz.
    The files are quite large packaging files on an artboard of 58 x 44" and have gradients, a few glows, shadows on text and vector objects, 26-30 linked raster images (mostly TIFF, occasionally a few PSD), clipping paths and only one font family (Univers LT Std).
    Redraw of gradients, shadows etc. has been painfully slow and I took several steps to speed things up to eleviate an otherwise impossibly slow file. All files are on a the startup drive (415 GB available space), when possible images slimmed down (flattened, unnecessary layers deleted), and saved with PDF compatibility turned off. Set the Document Raster Effects settings to 72 dpi. All those steps has greatly improved the ability to actually work on the files without constant pauses, but it can still be a bit slow and the frequent crashes are infuriating. Often times, mostly when a second mechanical file is open, it will give me the error message that Illustrator is unable to render the preview (can't finish previewing) and goes into Outline view. Other times redraw will hang (Illustrator will not recover and a force quit must be done), or it will just crash.
    All the hangs and crashes are on redraw and my focus has been on that. New RAM was added early in this process so it was immediately suspect but after running several tests on RAM and hardware (which came up with nothing) it seems that cannot be the problem. This machine was upgraded to OS 10.6.8, I disconnected the secondary monitor, tried disabling the processor Hyper-Threading. I tried a fresh install of Illustrator. I tried repairing disk permissions several times. I tried creating fresh Illustrator files as well as Save-As for the most troublesome mechanicals but crashes continue.
    Is there anything I can do to nail down the exact cause and get a solution???

    I've tried doing creating and distilling individual pages based on where distiller is at when it crashes, but no luck so far. I guess I'll have to go page by page to see which one causes the problem. But I've got a feeling that none of the individual pages are going to cause the issue. Is is possible for the program to accumulate enough errors that it eventually crashes?
    John

  • Troubleshoting help needed:  My iMac keeps crashing and restarting with a report detail: "spinlock application timed out"  What can I do to fix this?timed out"

    Troubleshooting help needed:  My iMac keeps crashing and restarting with a notice: "Spinlock application timed out"  What can I do?

    Launch the Console application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad. Click Utilities, then Console in the page that opens.
    Select the most recent panic log under System Diagnostic Reports. Post the contents — the text, please, not a screenshot. In the interest of privacy, I suggest you edit out the “Anonymous UUID,” a long string of letters, numbers, and dashes in the header and body of the report, if it’s present (it may not be.) Please don't post shutdownStall, spin, or hang reports.

  • Elements 11 - Lenovo T420 - Panasonic Camcorder SDR-H100 - Clips in .MOD - clips are all squashed.- tried changing to .MOV . Please Help

    Lenovo T420 computer - Using Panasonic Camcorder SDR-H100 which produces it's clips in .MOD format(tried changing to MOV - no change)  using Elements 11 frames are all squashed - what am I missing? Please help -I can load the clips into windows movie maker and they work fine.

    The answer to your question depends on which model JVC camcorder you have.
    Here are a few basics:
    1. If you have a JVC HD Everio that records in the AVCHD high definition file format (.mts file extension), and you have an Mac with an Intel processor, (sound like you do) running iMovie '08 or '09, then it should  be no problem. Simply connect the camcorder via USB and launch iMovie.
    2. If you have a slightly older JVC HD Everio that records MPEG2 high definition (.tod file format), then it is easiest if you record in the special 1440CBR mode, and transfer your video to your Mac using an i.Link (Firewire Connection) using the "Playlist Dubbing" process which is explained in your owner's manual.
    See also this post from Chris at JVC dated March 4, 2010 at the end of this thread:
    http://discussions.apple.com/thread.jspa?threadID=2341218&tstart=0
    If you have further problems contact JVC.

  • Suitable Laptop for NI ExpressCard 8360

    Hello,
    I'm looking for an Industrial Laptop, which supports NI ExpressCard 8360 with NI PXI Chassis(8 & 18 slots). we have tried with couple of laptops(HP ProBook & Dell XPS), which has the follwing issues:
    1. Booting (This could be fixed by changing the booting order)
    2. Digitizer module freezes (when the number of samples are above 60000)
    3. Unable to detect all the available PXI modules
    Please suggest me a right model.
    Thanks in advance...
    Solved!
    Go to Solution.

    Hi,
    We don’t have a listed of supported laptops but we do have some resources that can help you.
    Tips to Help You Successfully Use NI MXI-Express Controllers
    MXI-Express Setup and Compatibility Guide
    To address your issues:
    1. Booting (This could be fixed by changing the booting order)
    What is the problem you have with booting?  Will the laptop not boot when your NI ExpressCard 8360 is connected? There is some information regarding this on page 1-3 of the MXI-Express x1 Series User Manual.
    “The BIOS of some host machines may not support the extension of the PCI-Express fabric or PCI bus. Since this is the primary function of MXI-Express x1 products, those systems may not boot or function correctly. To address this issue, certain MXI-Express x1 products have additional functionality intended to hide all PCI or PCI-Express resources that are connected to the host machine, and allow NI MXI-Express BIOS Compatibility Software to handle the enumeration process of these resources instead of the BIOS.
    In the cases where this software is required, there may be a dip switch on the board that needs to be toggled as instructed by the documentation for the software. The functional block diagrams in this chapter illustrate the locations and availability of the dip switch package. Only the first dip switch in the package is used for this purpose. The other switches serve no function and should be left in their default position.” 
    After knowing this, I would install NI MXI-Express BIOS Compatibility Software found here.
    2. Digitizer module freezes (when the number of samples are above 60000)
    Do you have any other systems to try the same card in?
    3. Unable to detect all the available PXI modules. 
    A low maximum limit on the bus number range set by the BIOS, which limits the amount of hardware that can be attached to the system could have something to do with this.  Try this: Determining the Number and Range of PCI/PCI Express Root Bus Devices
    Hope this helps.
    Lewis Gear CLD
    Check out my LabVIEW UAV

  • Lenovo T420 Intel LAN Vista drivers missing from Lenovo download site

    Hi,
    Im trying to find Intel LAN Vista driver for Lenovo T420.
    I cannot see Vista driver listed here http://www-307.ibm.com/pc/support/site.wss/document.do?lndocid=MIGR-77167
    I need Vista driver for Windows PE2.1 so i can use PXE boot on Altiris Deployment solution.
    If anyone knows where to find working driver for Vista that would help me a lot.
    Thanks!

    hey outouser,
    only thing i could suggest is to check with Intel if they have drivers for the LAN card.
    WW Social Media
    Important Note: If you need help, post your question in the forum, and include your system type, model number and OS. Do not post your serial number.
    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"!
    Follow @LenovoForums on Twitter!
    Have you checked out the Community Knowledgebase yet?!
    How to send a private message? --> Check out this article.

  • Where to Get Lenovo T420 Parts?

    I need a 04W1640 (rubber rails for 7.0mm hard drive in 9.5mm bay) for my Lenovo T420.
    I called the number listed for parts on the Lenovo website, and they said they didn't sell that part (they sell others, but not that one).
    What is the best place to get that sort of thing?  This question is especially applicable because my computer is aging and parts will get harder to find as time goes by ...
    Solved!
    Go to Solution.

    Hi,
    Welcome to Lenovo Community Forums!
    You can try searching for the part with FRU number in eBay, amazon or IBM maintenance parts.
    Alternatively, refer the below links and see if it helps.
    http://www.newmodeus.com/shop/index.php?main_page=product_info&products_id=411
    http://www.thinkpad-parts.com/04W1640-Thinkpad.html
    Best regards,
    Mithun.
    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!

  • Lenovo T420, Type 4177 Review

    Lenovo T420, Type 4177-CTO. Windows 7 Pro, 64 bit.  8 GB RAM,  500 GB HD, third party 128 GB SSD added.
    After inspecting many laptops I chose the ThinkPad T420. The only better laptop was Apple and I needed different software.
    An important consideration for any computer is support. Lenovo has excellent support at 1-800-426-7378. Tech support and repair happens right here in the United States.  Repairs are done in Tennessee.
    The Lenovo ThinkPad T420 is a solid laptop. It is not as light as some laptops but strength and durability need to be considered. Weight of machine with a large 6 cell battery and a slice battery = 6 lb. 7 oz. (3060 kg). The laptop weighs 5 lb. 5 oz. (2430 kg) with just the large 6 cell battery. The 6 cell battery weighs 1 lb. 1.5 oz. (500kg) and the 6 cell battery would then weigh 1/3 less. You can compute the difference. Keep in mind my battery life with the slice battery installed is about 17 hours. The slice battery also places the laptop on a slight angle with the rear elevated. It is about the same tilt as with the docking station. You cannot have the slice battery installed while the laptop in in the docking station.
    The 6 cell battery sticks out the back so it is not a perfect cosmetic fit. The 4 cell battery will look nicer, be lighter and probably last about 4 hours.
    The overall design is perfect in my opinion. I find no problems. The T420 uses the LED night light that shines from the top of the display to the keyboard area. It can be turned on and off with the Fn function key. There are many Fn function keys that are great. I really like the Fn-Space bar that magnifies the display.
    The speakers are well positioned and are adequate. They could have higher volume considering where they are installed.
    I really like the Lenovo mouse pad and mouse button configuration.  I wish the mouse speed adjustment would go a little faster but it is acceptable. Some laptops I tested are far too slow, even with the mouse settings as fast as they go. The T420 has the best mouse operation of any laptop.
    The Windows Pro 7 operating system and Lenovo will only allow one set of recovery disks. Do your backup recovery disks with good quality DVDs. Lenovo will provide a set of recovery disks if you need them.  DVD-RAM is not supported by the Recovery Disks, but SSD drives are supported. The Lenovo T420 is designed to run on SSD drives.
    Recovery Data notes.  If you stop in the middle of Disk 4, you will have the first 3 disks and you can still make a copy of all 4 disks. At the end of disk 4 the computer turns Recovery disk copy off. You cannot make more copies.
    Disc 1, Boot Media
    Disc 2, Recovery Media 1
    Disc 3, Recovery Media 2
    Disc 4, Recovery Media 3
    Notes:
    HD Boot time = 41.4 seconds
    SSD Boot time = 29.6 seconds
    This is with little software installed. With more programs installed the boot up time will increase. Keep in mind the first phase of boot up consists of BIOS and hardware communications. With many programs installed the SSD will really be nice.  The Registry loading will be totally SSD dependent and fast.
    HD partitions and size before SSD installation.
    Lenovo Recovery partition = 9.67GB used + 5.94GB free = 15.63GB
    System Drive partition = 3.34MB used + 865MB free = 1.17GB
    Local Disk C partition = 27.9 GB used + 420 GB free = 448.96 GB
    Total GB = 465.76
    Window Performance test.
    4GB RAM installed
    7.1          Processor           
    5.9          RAM                     
    4.7          Graphics             
    6.4          Gaming Graphics
    5.9          HD         
    8GB RAM installed
    7.1          Processor           
    7.5          RAM                     
    5.9          Graphics             
    6.4          Gaming Graphics
    5.9          HD         
    SSD and 8GB RAM installed
    7.1          Processor           
    7.5          RAM                     
    5.9          Graphics             
    6.4          Gaming Graphics
    7.1          HD
    Adding SSD card
    (I used the MyDigitalSSD 128GB 50mm Bullet Proof mSATA  PCI-e drive. Some SSDs are a little faster but cost much more.)
    Install SSD
    Initialized SSD card in My Computer, Manage, Disk Drives
    Turn off laptop and remove HD
    Boot to Recovery discs
    Restore to factory default. (The Recovery disks only have the SSD to restore to)
    When finished you can test the operation of your laptop on the SSD drive. Test by going into your BIOS to make sure you know how to get there. Boot using F1 for BIOS setup.
    Turn off the laptop and install the hard drive.
    Boot to BIOS (Do this first before booting Windows)
    Remove HD from boot sequence. Go ahead and setup your boot sequence to something like SSD, DVD, and then USB, etc. Do not include the HD
    Then I go to My Computer, Manage, Disk Drives and I do some major changes here.
    You must make your own decisions. The SSD drive is prime real-estate and a 20GB recovery partition is out of the question (for me). The Recovery discs have been created. I decided to merge partitions on the SSD drive. Windows 7 Pro will handle this easily on the active drive. Now, there are actually 2 smaller partitions and the smaller 1GB partition cannot be removed. Apparently the operating system needs it. The larger 19GB partition can easily be removed and added to the C drive. No 3rd party partitioning software is needed with Windows 7 Professional.  Go to Start, right click My Computer, left click Manage. Select Disk Management. Select the Lenovo_Recovery partition and remove it. Now select the primary partition (C: drive) and select merge. Use the full size of the deleted partition space. The System_Drv partition could not be removed on my SSD. It is only 1.17GB and probably essential.  
     Change drive letters in Manage, Disk Management. Fortunately the main drive was named the C drive. I do not think you can change the drive letter of the active drive partition for some operating systems. After reinstalling the HD there is no telling what letter Windows will give it. Rename it to D drive if you want to. You can also remove the Recovery partition on the hard drive. I decided to depend totally on my backup restore DVDs and knowing Lenovo would send me another copy if needed.
    The computer controls the use of the 2 video card functions but it can also be controlled in the BIOS.
    Your warrantee is not void if you install the memory or SSD.  The machine is designed for those additions.  The installation of my extra memory was a tight fit. Be careful. Don’t use metal tools or do anything stupid.
    Notes: Boot to F11 for recovery. F12 for selecting boot device. Boot using F1 for BIOS setup. The ThinkAdvantage button takes you to a variety of places. I don’t really know where it goes.
    Now if you are looking for the User’s Guide you will only find the Hardware Manual. It takes the place of the User Guide and is formatted a little differently. It is OK.
    Most other attributes of the laptop are on the selection menus on the Lenovo web site. You can get just about anything you want except the T420 did not have a Blu Ray player at the time I ordered mine. It did not have a GPS option but it could be obtained via 3G subscriptions using telephone towers. If you want a real GPS you can buy many 3rd party USB modules that will tell you where you are at using global satellites.

    Hi s78749,
    Thanks for the review.  After reading it I was ready to give away my T400 and call sales
    As a point of reference, here are some numbers from my trusty T400 (2764-CTO, 8G RAM, 500G/7200RPM Hitachi HD, WIn 7 Pro 64 vanilla MS install + Lenovo apps and utilities):
    Boot times:
    Power on to Win login screen: 45 sec.
    Power on to desktop (including 5 sec of typing password) 60 sec.
    Windows Experience Index:
    (integrated graphics)
    Processor: 6.1
    RAM: 6.1
    Graphics: 4.1
    Gaming: 3.5
    HD: 5.9
    (discrete graphics)
    Processor:  6.1
    RAM:  6.1
    Graphics:  4.8
    Gaming:  5.6
    HD: 5.9
    Hmm, maybe I'll keep it
    Thanks again,
    Z.
    The large print: please read the Community Participation Rules before posting. Include as much information as possible: model, machine type, operating system, and a descriptive subject line. Do not include personal information: serial number, telephone number, email address, etc.  The fine print: I do not work for, nor do I speak for Lenovo. Unsolicited private messages will be ignored. ... GeezBlog
    English Community   Deutsche Community   Comunidad en Español   Русскоязычное Сообщество

  • HT1338 Macbook pro two days old...bought logic from app store...logic has installed partly each time i open it up it wants to download rest of programme then stops half way thru and gets error message 'logic is unable to continue with download' help neede

    Macbook pro two days old...bought logic from app store...logic has installed partly each time i open it up it wants to download rest of programme then stops half way thru and gets error message 'logic is unable to continue with download' help needed !

    Hello:
    I would trot back into the Apple store and have them fix the problem (or call Applecare with a warranty issue).  There is no sense in you wasting your time trying to troubleshoot things on a new computer.
    Barry

  • HT201210 i have an error of no 11. kindly help, needed urgently

    i have an error of no 11. kindly help, needed urgently
    when i try to upgrage my
    iphone 3gs wit 4.1 to new latest 5.1
    it gives the erorr of 11. what that mean? Reply as soon as you can !
    thnx

    Error -1 may indicate a hardware issue with your device. Follow Troubleshooting security software issues, and restore your device on a different known-good computer. If the errors persist on another computer, the device may need service.

  • Help needed to move contacts

    hi, i have a problem that i have bought blackberry 8520.i want to switch my contacts from my old mobile samsung star s5230 to blackberry 8520.i have shifted my contacts from samsung to my laptop but i am unable to transfer from laptop to blackberry.i have tried to send some contacts to blackberry from laptop but blackberry doesnot show it.please let me know how can  i do it.i have also downloaded blackberry desktop software but i dont know how to shift contacts from laptop to blackberry.

    Duplicate...see:
    http://supportforums.blackberry.com/t5/BlackBerry-Curve/help-needed-to-move-contacts/m-p/1287437#nob...
    Occam's Razor nearly always applies when troubleshooting technology issues!
    If anyone has been helpful to you, please show your appreciation by clicking the button inside of their post. Please click here and read, along with the threads to which it links, for helpful information to guide you as you proceed. I always recommend that you treat your BlackBerry like any other computing device, including using a regular backup schedule...click here for an article with instructions.
    Join our BBM Channels
    BSCF General Channel
    PIN: C0001B7B4   Display/Scan Bar Code
    Knowledge Base Updates
    PIN: C0005A9AA   Display/Scan Bar Code

Maybe you are looking for