Very strange on tracing function

Hello All,
       I have encountered a very strange problem on tracing funciton.
       If set the disable tracing on a sequence,I will get a wrong result(all failed),And if enable the fuction,The test result is correct.
      Why will get total different result?
      Thanks a lot.
BR

Thanks for your reply.
We used the HMI built by labview,You can see all the HV test are failed.Normally I didn't simulate any error on product and expect all passed
Then I tried to open the dynamic sequence for debug,And set all the subsequences of "H
IPOT_5_STEPS_3" (sequence call trace settting as "use current trace setting".
Execute the sequence with Teststand,Will get the sequence(HIPOT_5_STEPS_3 is passed)

Similar Messages

  • Trying to do something very strange with layouts and painting components

    I'm trying to do something very strange with changing the layout of a container, then painting it to a bufferedImage and changing it back again so nothing has changed. However, I am unable to get the image i want of this container in a new layout. Consider it a preview function of the different layouts. Anyway. I've tried everything i know about swing and have come up empty. There is probably a better way to do what i am trying to do, i just don't know how.
    If someone could have a look perhaps and help me out i would be much appreciative.
    Here is a self contained small demo of my conundrum.
    import java.awt.BorderLayout;
    import java.awt.Color;
    import java.awt.Graphics2D;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.BoxLayout;
    import javax.swing.ImageIcon;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JLabel;
    import javax.swing.JPanel;
    import javax.swing.border.LineBorder;
    // what is should do is when you click on the button "click me" it should place a image on the panel of the buttons in a
    // horizontal fashion. Instead it shows the size that the image should be, but there is no image.
    public class ChangeLayoutAndPaint
         private static JPanel panel;
         private static JLabel label;
         public static void main(String[] args)
              // the panel spread out vertically
              panel = new JPanel();
              panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
              // the buttons in the panel
              JButton b1, b2, b3;
              panel.add(b1 = new JButton("One"));
              panel.add(b2 = new JButton("Two"));
              panel.add(b3 = new JButton("Three"));
              b1.setEnabled(false);
              b2.setEnabled(false);
              b3.setEnabled(false);
              // the label with a border around it to show size in a temp panel with flowlayout to not stuff around
              // with the actual size we want.
              JPanel thingy = new JPanel();
              label = new JLabel();
              label.setBorder(new LineBorder(Color.black));
              thingy.add(label);
              // the button to make things go
              JButton button = new JButton("click me");
              button.addActionListener(new ActionListener(){
                   public void actionPerformed(ActionEvent e)
                        //change layout
                        panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
                        panel.doLayout();
                        //get image
                        BufferedImage image = new BufferedImage(panel.getPreferredSize().width, panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
                        Graphics2D g = image.createGraphics();
                        panel.paintComponents(g);
                        g.dispose();
                        //set icon of jlabel
                        label.setIcon(new ImageIcon(image));
                        //change back
                        panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
                        panel.doLayout();
              // the frame
              JFrame frame = new JFrame();
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setSize(400,200);
              frame.setLocation(100,100);
              frame.getContentPane().add(panel, BorderLayout.NORTH);
              frame.getContentPane().add(thingy, BorderLayout.CENTER);
              frame.getContentPane().add(button, BorderLayout.SOUTH);
              frame.setVisible(true);
    }

    Looks like you didn't read the API for Container#doLayout().
    Causes this container to lay out its components. Most programs should not call this method directly, but should invoke the validate method instead.
    There's also a concurrency issue here in that the panel's components may be painted to the image before revalidation completes. And your GUI, like any Swing GUI, should be constructed and shown on the EDT.
    Try this for size -- it could be better, but I've made the minimum possible changes in your code:import java.awt.BorderLayout;
    import java.awt.Color;
    import java.awt.Graphics2D;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.BoxLayout;
    import javax.swing.ImageIcon;
    import javax.swing.JButton;
    import javax.swing.JFrame;
    import javax.swing.JLabel;
    import javax.swing.JPanel;
    import javax.swing.SwingUtilities;
    import javax.swing.border.LineBorder;
    public class ChangeLayoutAndPaint {
      private static JPanel panel;
      private static JLabel label;
      public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            // the panel spread out vertically
            panel = new JPanel();
            panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
            // the buttons in the panel
            JButton b1, b2, b3;
            panel.add(b1 = new JButton("One"));
            panel.add(b2 = new JButton("Two"));
            panel.add(b3 = new JButton("Three"));
            b1.setEnabled(false);
            b2.setEnabled(false);
            b3.setEnabled(false);
            // the label with a border around it to show size in a temp panel with flowlayout to not stuff around
            // with the actual size we want.
            JPanel thingy = new JPanel();
            label = new JLabel();
            // label.setBorder(new LineBorder(Color.black));
            thingy.add(label);
            // the button to make things go
            JButton button = new JButton("click me");
            button.addActionListener(new ActionListener() {
              @Override
              public void actionPerformed(ActionEvent e) {
                //change layout
                panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
                //panel.doLayout();
                panel.revalidate();
                SwingUtilities.invokeLater(new Runnable() {
                  @Override
                  public void run() {
                    //get image
                    BufferedImage image = new BufferedImage(panel.getPreferredSize().width,
                        panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
                    Graphics2D g = image.createGraphics();
                    panel.paintComponents(g);
                    g.dispose();
                    //set icon of jlabel
                    label.setIcon(new ImageIcon(image));
                    //change back
                    panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
                    //panel.doLayout();
                    panel.revalidate();
            // the frame
            JFrame frame = new JFrame();
            frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            frame.setSize(400, 200);
            frame.setLocation(100, 100);
            frame.getContentPane().add(panel, BorderLayout.NORTH);
            frame.getContentPane().add(thingy, BorderLayout.CENTER);
            frame.getContentPane().add(button, BorderLayout.SOUTH);
            frame.setVisible(true);
    }db
    edit I prefer this:import java.awt.BorderLayout;
    import java.awt.Graphics;
    import java.awt.event.ActionEvent;
    import java.awt.event.ActionListener;
    import java.awt.image.BufferedImage;
    import javax.swing.*;
    public class LayoutAndPaint {
      JPanel panel;
      JLabel label;
      public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            new LayoutAndPaint().makeUI();
      public void makeUI() {
        JButton one = new JButton("One");
        JButton two = new JButton("Two");
        JButton three = new JButton("Three");
        one.setEnabled(false);
        two.setEnabled(false);
        three.setEnabled(false);
        panel = new JPanel();
        panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
        panel.add(one);
        panel.add(two);
        panel.add(three);
        label = new JLabel();
        JButton button = new JButton("Click");
        button.addActionListener(new ActionListener() {
          @Override
          public void actionPerformed(ActionEvent e) {
            layoutAndPaint();
        JFrame frame = new JFrame();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(400, 400);
        frame.add(panel, BorderLayout.NORTH);
        frame.add(label, BorderLayout.CENTER);
        frame.add(button, BorderLayout.SOUTH);
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
      private void layoutAndPaint() {
        panel.setLayout(new BoxLayout(panel, BoxLayout.X_AXIS));
        panel.revalidate();
        SwingUtilities.invokeLater(new Runnable() {
          @Override
          public void run() {
            BufferedImage image = new BufferedImage(panel.getPreferredSize().width,
                panel.getPreferredSize().height, BufferedImage.TYPE_INT_ARGB);
            Graphics g = image.createGraphics();
            panel.paintComponents(g);
            g.dispose();
            label.setIcon(new ImageIcon(image));
            panel.setLayout(new BoxLayout(panel, BoxLayout.Y_AXIS));
            panel.revalidate();
    }db
    Edited by: DarrylBurke

  • VERY strange lag on a Dell Optiplex 760

    I thought it would be a good idea to keep a 16GB flash drive on my keychain that booted Arch so I could work on HW for college in a consistent OS!  Everything is working great so far, but I ran into a very strange problem with a Dell Optiplex 760.  During the normal Arch init process, everything loads great, except for when it gets to the udev stage where everything hangs.  But here's the strange part of this scenario: the problems go away when I start typing random keys or move the mouse!  If I don't do this, the system hangs completely from what I can tell.  This happens at the console and with X. 
    The service tag for this machine is FDCQQJ1, and the dell.com driver area brings up this list of hardware and (windows) drivers for it.
    Here's the #lspci -vv of the system:
    00:00.0 Host bridge: Intel Corporation 4 Series Chipset DRAM Controller (rev 03)
    Subsystem: Dell Device 027f
    Control: I/O- Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort+ >SERR- <PERR- INTx-
    Latency: 0
    Capabilities: [e0] Vendor Specific Information: Len=0c <?>
    Kernel driver in use: agpgart-intel
    Kernel modules: intel-agp
    00:02.0 VGA compatible controller: Intel Corporation 4 Series Chipset Integrated Graphics Controller (rev 03) (prog-if 00 [VGA controller])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx+
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 33
    Region 0: Memory at fe800000 (64-bit, non-prefetchable) [size=4M]
    Region 2: Memory at d0000000 (64-bit, prefetchable) [size=256M]
    Region 4: I/O ports at ec90 [size=8]
    Expansion ROM at <unassigned> [disabled]
    Capabilities: [90] MSI: Enable+ Count=1/1 Maskable- 64bit-
    Address: fee0300c Data: 41c1
    Capabilities: [d0] Power Management version 2
    Flags: PMEClk- DSI+ D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Kernel driver in use: i915
    Kernel modules: i915
    00:02.1 Display controller: Intel Corporation 4 Series Chipset Integrated Graphics Controller (rev 03)
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Region 0: Memory at fe700000 (64-bit, non-prefetchable) [size=1M]
    Capabilities: [d0] Power Management version 2
    Flags: PMEClk- DSI+ D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    00:03.0 Communication controller: Intel Corporation 4 Series Chipset HECI Controller (rev 03)
    Subsystem: Dell Device 027f
    Control: I/O- Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 11
    Region 0: Memory at feda6000 (64-bit, non-prefetchable) [size=16]
    Capabilities: [50] Power Management version 3
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=0mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst+ PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [8c] MSI: Enable- Count=1/1 Maskable- 64bit+
    Address: 0000000000000000 Data: 0000
    00:03.2 IDE interface: Intel Corporation 4 Series Chipset PT IDER Controller (rev 03) (prog-if 85 [Master SecO PriO])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster- SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz+ UDF- FastB2B+ ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Interrupt: pin C routed to IRQ 18
    Region 0: I/O ports at fe80 [size=8]
    Region 1: I/O ports at fe90 [size=4]
    Region 2: I/O ports at fea0 [size=8]
    Region 3: I/O ports at feb0 [size=4]
    Region 4: I/O ports at fef0 [size=16]
    Capabilities: [c8] Power Management version 3
    Flags: PMEClk- DSI+ D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst+ PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [d0] MSI: Enable- Count=1/1 Maskable- 64bit+
    Address: 0000000000000000 Data: 0000
    00:03.3 Serial controller: Intel Corporation 4 Series Chipset Serial KT Controller (rev 03) (prog-if 02 [16550])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz+ UDF- FastB2B+ ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin B routed to IRQ 17
    Region 0: I/O ports at ec98 [size=8]
    Region 1: Memory at fe6d8000 (32-bit, non-prefetchable) [size=4K]
    Capabilities: [c8] Power Management version 3
    Flags: PMEClk- DSI+ D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst+ PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [d0] MSI: Enable- Count=1/1 Maskable- 64bit+
    Address: 0000000000000000 Data: 0000
    Kernel driver in use: serial
    00:19.0 Ethernet controller: Intel Corporation 82567LM-3 Gigabit Network Connection (rev 02)
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx+
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 32
    Region 0: Memory at fe6e0000 (32-bit, non-prefetchable) [size=128K]
    Region 1: Memory at fe6d9000 (32-bit, non-prefetchable) [size=4K]
    Region 2: I/O ports at ecc0 [size=32]
    Capabilities: [c8] Power Management version 2
    Flags: PMEClk- DSI+ D1- D2- AuxCurrent=0mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=1 PME-
    Capabilities: [d0] MSI: Enable+ Count=1/1 Maskable- 64bit+
    Address: 00000000fee0300c Data: 41d1
    Capabilities: [e0] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: e1000e
    Kernel modules: e1000e
    00:1a.0 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #4 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 16
    Region 4: I/O ports at ff20 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1a.1 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #5 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin B routed to IRQ 17
    Region 4: I/O ports at ff00 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1a.2 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #6 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin C routed to IRQ 22
    Region 4: I/O ports at fc00 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1a.7 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB2 EHCI Controller #2 (rev 02) (prog-if 20 [EHCI])
    Subsystem: Dell Device 027f
    Control: I/O- Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin C routed to IRQ 22
    Region 0: Memory at fe6da000 (32-bit, non-prefetchable) [size=1K]
    Capabilities: [50] Power Management version 2
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=375mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [58] Debug port: BAR=1 offset=00a0
    Capabilities: [98] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: ehci_hcd
    Kernel modules: ehci-hcd
    00:1b.0 Audio device: Intel Corporation 82801JD/DO (ICH10 Family) HD Audio Controller (rev 02)
    Subsystem: Dell Device 027f
    Control: I/O- Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0, Cache Line Size: 64 bytes
    Interrupt: pin A routed to IRQ 16
    Region 0: Memory at fe6dc000 (64-bit, non-prefetchable) [size=16K]
    Capabilities: [50] Power Management version 2
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=55mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [60] MSI: Enable- Count=1/1 Maskable- 64bit+
    Address: 0000000000000000 Data: 0000
    Capabilities: [70] Express (v1) Root Complex Integrated Endpoint, MSI 00
    DevCap: MaxPayload 128 bytes, PhantFunc 0, Latency L0s <64ns, L1 <1us
    ExtTag- RBE- FLReset+
    DevCtl: Report errors: Correctable- Non-Fatal- Fatal- Unsupported-
    RlxdOrd- ExtTag- PhantFunc- AuxPwr- NoSnoop+
    MaxPayload 128 bytes, MaxReadReq 128 bytes
    DevSta: CorrErr- UncorrErr- FatalErr- UnsuppReq- AuxPwr+ TransPend-
    LnkCap: Port #0, Speed unknown, Width x0, ASPM unknown, Latency L0 <64ns, L1 <1us
    ClockPM- Surprise- LLActRep- BwNot-
    LnkCtl: ASPM Disabled; Disabled- Retrain- CommClk-
    ExtSynch- ClockPM- AutWidDis- BWInt- AutBWInt-
    LnkSta: Speed unknown, Width x0, TrErr- Train- SlotClk- DLActive- BWMgmt- ABWMgmt-
    Capabilities: [100 v1] Virtual Channel
    Caps: LPEVC=0 RefClk=100ns PATEntryBits=1
    Arb: Fixed- WRR32- WRR64- WRR128-
    Ctrl: ArbSelect=Fixed
    Status: InProgress-
    VC0: Caps: PATOffset=00 MaxTimeSlots=1 RejSnoopTrans-
    Arb: Fixed- WRR32- WRR64- WRR128- TWRR128- WRR256-
    Ctrl: Enable+ ID=0 ArbSelect=Fixed TC/VC=01
    Status: NegoPending- InProgress-
    VC1: Caps: PATOffset=00 MaxTimeSlots=1 RejSnoopTrans-
    Arb: Fixed- WRR32- WRR64- WRR128- TWRR128- WRR256-
    Ctrl: Enable+ ID=1 ArbSelect=Fixed TC/VC=80
    Status: NegoPending- InProgress-
    Capabilities: [130 v1] Root Complex Link
    Desc: PortNumber=0f ComponentID=02 EltType=Config
    Link0: Desc: TargetPort=00 TargetComponent=02 AssocRCRB- LinkType=MemMapped LinkValid+
    Addr: 00000000feda8000
    Kernel driver in use: HDA Intel
    Kernel modules: snd-hda-intel
    00:1c.0 PCI bridge: Intel Corporation 82801JD/DO (ICH10 Family) PCI Express Port 1 (rev 02) (prog-if 00 [Normal decode])
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx+
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0, Cache Line Size: 64 bytes
    Bus: primary=00, secondary=01, subordinate=01, sec-latency=0
    I/O behind bridge: 00001000-00001fff
    Memory behind bridge: fe500000-fe5fffff
    Prefetchable memory behind bridge: 000000007e000000-000000007e1fffff
    Secondary status: 66MHz- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- <SERR- <PERR-
    BridgeCtl: Parity- SERR+ NoISA- VGA- MAbort- >Reset- FastB2B-
    PriDiscTmr- SecDiscTmr- DiscTmrStat- DiscTmrSERREn-
    Capabilities: [40] Express (v2) Root Port (Slot+), MSI 00
    DevCap: MaxPayload 128 bytes, PhantFunc 0, Latency L0s <64ns, L1 <1us
    ExtTag- RBE+ FLReset-
    DevCtl: Report errors: Correctable- Non-Fatal- Fatal- Unsupported-
    RlxdOrd- ExtTag- PhantFunc- AuxPwr- NoSnoop-
    MaxPayload 128 bytes, MaxReadReq 128 bytes
    DevSta: CorrErr- UncorrErr- FatalErr- UnsuppReq- AuxPwr+ TransPend-
    LnkCap: Port #1, Speed 2.5GT/s, Width x1, ASPM L0s, Latency L0 <256ns, L1 <4us
    ClockPM- Surprise- LLActRep+ BwNot-
    LnkCtl: ASPM Disabled; RCB 64 bytes Disabled- Retrain- CommClk+
    ExtSynch- ClockPM- AutWidDis- BWInt- AutBWInt-
    LnkSta: Speed 2.5GT/s, Width x0, TrErr- Train- SlotClk+ DLActive- BWMgmt- ABWMgmt-
    SltCap: AttnBtn- PwrCtrl- MRL- AttnInd- PwrInd- HotPlug+ Surprise+
    Slot #5, PowerLimit 10.000W; Interlock- NoCompl+
    SltCtl: Enable: AttnBtn- PwrFlt- MRL- PresDet- CmdCplt- HPIrq- LinkChg-
    Control: AttnInd Unknown, PwrInd Unknown, Power- Interlock-
    SltSta: Status: AttnBtn- PowerFlt- MRL- CmdCplt- PresDet- Interlock-
    Changed: MRL- PresDet- LinkState-
    RootCtl: ErrCorrectable- ErrNon-Fatal- ErrFatal- PMEIntEna- CRSVisible-
    RootCap: CRSVisible-
    RootSta: PME ReqID 0000, PMEStatus- PMEPending-
    DevCap2: Completion Timeout: Range BC, TimeoutDis+ ARIFwd-
    DevCtl2: Completion Timeout: 50us to 50ms, TimeoutDis- ARIFwd-
    LnkCtl2: Target Link Speed: 2.5GT/s, EnterCompliance- SpeedDis-, Selectable De-emphasis: -6dB
    Transmit Margin: Normal Operating Range, EnterModifiedCompliance- ComplianceSOS-
    Compliance De-emphasis: -6dB
    LnkSta2: Current De-emphasis Level: -6dB
    Capabilities: [80] MSI: Enable+ Count=1/1 Maskable- 64bit-
    Address: fee0300c Data: 4189
    Capabilities: [90] Subsystem: Dell Device 027f
    Capabilities: [a0] Power Management version 2
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=0mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [100 v1] Virtual Channel
    Caps: LPEVC=0 RefClk=100ns PATEntryBits=1
    Arb: Fixed+ WRR32- WRR64- WRR128-
    Ctrl: ArbSelect=Fixed
    Status: InProgress-
    VC0: Caps: PATOffset=00 MaxTimeSlots=1 RejSnoopTrans-
    Arb: Fixed+ WRR32- WRR64- WRR128- TWRR128- WRR256-
    Ctrl: Enable+ ID=0 ArbSelect=Fixed TC/VC=01
    Status: NegoPending- InProgress-
    Capabilities: [180 v1] Root Complex Link
    Desc: PortNumber=01 ComponentID=02 EltType=Config
    Link0: Desc: TargetPort=00 TargetComponent=02 AssocRCRB- LinkType=MemMapped LinkValid+
    Addr: 00000000feda8000
    Kernel driver in use: pcieport
    Kernel modules: shpchp
    00:1c.1 PCI bridge: Intel Corporation 82801JD/DO (ICH10 Family) PCI Express Port 2 (rev 02) (prog-if 00 [Normal decode])
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx+
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0, Cache Line Size: 64 bytes
    Bus: primary=00, secondary=02, subordinate=02, sec-latency=0
    I/O behind bridge: 00002000-00002fff
    Memory behind bridge: fe400000-fe4fffff
    Prefetchable memory behind bridge: 000000007e200000-000000007e3fffff
    Secondary status: 66MHz- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- <SERR- <PERR-
    BridgeCtl: Parity- SERR+ NoISA- VGA- MAbort- >Reset- FastB2B-
    PriDiscTmr- SecDiscTmr- DiscTmrStat- DiscTmrSERREn-
    Capabilities: [40] Express (v2) Root Port (Slot+), MSI 00
    DevCap: MaxPayload 128 bytes, PhantFunc 0, Latency L0s <64ns, L1 <1us
    ExtTag- RBE+ FLReset-
    DevCtl: Report errors: Correctable- Non-Fatal- Fatal- Unsupported-
    RlxdOrd- ExtTag- PhantFunc- AuxPwr- NoSnoop-
    MaxPayload 128 bytes, MaxReadReq 128 bytes
    DevSta: CorrErr- UncorrErr- FatalErr- UnsuppReq- AuxPwr+ TransPend-
    LnkCap: Port #2, Speed 2.5GT/s, Width x1, ASPM L0s, Latency L0 <256ns, L1 <4us
    ClockPM- Surprise- LLActRep+ BwNot-
    LnkCtl: ASPM Disabled; RCB 64 bytes Disabled- Retrain- CommClk+
    ExtSynch- ClockPM- AutWidDis- BWInt- AutBWInt-
    LnkSta: Speed 2.5GT/s, Width x0, TrErr- Train- SlotClk+ DLActive- BWMgmt- ABWMgmt-
    SltCap: AttnBtn- PwrCtrl- MRL- AttnInd- PwrInd- HotPlug+ Surprise+
    Slot #4, PowerLimit 10.000W; Interlock- NoCompl+
    SltCtl: Enable: AttnBtn- PwrFlt- MRL- PresDet- CmdCplt- HPIrq- LinkChg-
    Control: AttnInd Unknown, PwrInd Unknown, Power- Interlock-
    SltSta: Status: AttnBtn- PowerFlt- MRL- CmdCplt- PresDet- Interlock-
    Changed: MRL- PresDet- LinkState-
    RootCtl: ErrCorrectable- ErrNon-Fatal- ErrFatal- PMEIntEna- CRSVisible-
    RootCap: CRSVisible-
    RootSta: PME ReqID 0000, PMEStatus- PMEPending-
    DevCap2: Completion Timeout: Range BC, TimeoutDis+ ARIFwd-
    DevCtl2: Completion Timeout: 50us to 50ms, TimeoutDis- ARIFwd-
    LnkCtl2: Target Link Speed: 2.5GT/s, EnterCompliance- SpeedDis-, Selectable De-emphasis: -6dB
    Transmit Margin: Normal Operating Range, EnterModifiedCompliance- ComplianceSOS-
    Compliance De-emphasis: -6dB
    LnkSta2: Current De-emphasis Level: -6dB
    Capabilities: [80] MSI: Enable+ Count=1/1 Maskable- 64bit-
    Address: fee0300c Data: 4191
    Capabilities: [90] Subsystem: Dell Device 027f
    Capabilities: [a0] Power Management version 2
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=0mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [100 v1] Virtual Channel
    Caps: LPEVC=0 RefClk=100ns PATEntryBits=1
    Arb: Fixed+ WRR32- WRR64- WRR128-
    Ctrl: ArbSelect=Fixed
    Status: InProgress-
    VC0: Caps: PATOffset=00 MaxTimeSlots=1 RejSnoopTrans-
    Arb: Fixed+ WRR32- WRR64- WRR128- TWRR128- WRR256-
    Ctrl: Enable+ ID=0 ArbSelect=Fixed TC/VC=01
    Status: NegoPending- InProgress-
    Capabilities: [180 v1] Root Complex Link
    Desc: PortNumber=02 ComponentID=02 EltType=Config
    Link0: Desc: TargetPort=00 TargetComponent=02 AssocRCRB- LinkType=MemMapped LinkValid+
    Addr: 00000000feda8000
    Kernel driver in use: pcieport
    Kernel modules: shpchp
    00:1d.0 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #1 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 23
    Region 4: I/O ports at ff80 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1d.1 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #2 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin B routed to IRQ 17
    Region 4: I/O ports at ff60 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1d.2 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB UHCI Controller #3 (rev 02) (prog-if 00 [UHCI])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin C routed to IRQ 18
    Region 4: I/O ports at ff40 [size=32]
    Capabilities: [50] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: uhci_hcd
    Kernel modules: uhci-hcd
    00:1d.7 USB Controller: Intel Corporation 82801JD/DO (ICH10 Family) USB2 EHCI Controller #1 (rev 02) (prog-if 20 [EHCI])
    Subsystem: Dell Device 027f
    Control: I/O- Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin A routed to IRQ 23
    Region 0: Memory at ff980000 (32-bit, non-prefetchable) [size=1K]
    Capabilities: [50] Power Management version 2
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=375mA PME(D0+,D1-,D2-,D3hot+,D3cold+)
    Status: D0 NoSoftRst- PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [58] Debug port: BAR=1 offset=00a0
    Capabilities: [98] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: ehci_hcd
    Kernel modules: ehci-hcd
    00:1e.0 PCI bridge: Intel Corporation 82801 PCI Bridge (rev a2) (prog-if 01 [Subtractive decode])
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=fast >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Bus: primary=00, secondary=03, subordinate=03, sec-latency=32
    Secondary status: 66MHz- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort+ <SERR- <PERR-
    BridgeCtl: Parity- SERR+ NoISA- VGA- MAbort- >Reset- FastB2B-
    PriDiscTmr- SecDiscTmr- DiscTmrStat- DiscTmrSERREn-
    Capabilities: [50] Subsystem: Dell Device 027f
    00:1f.0 ISA bridge: Intel Corporation 82801JD (ICH10D) LPC Interface Controller (rev 02)
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap+ 66MHz- UDF- FastB2B- ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Capabilities: [e0] Vendor Specific Information: Len=0c <?>
    Kernel modules: iTCO_wdt
    00:1f.2 IDE interface: Intel Corporation 82801JD/DO (ICH10 Family) 4-port SATA IDE Controller (rev 02) (prog-if 8f [Master SecP SecO PriP PriO])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz+ UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin C routed to IRQ 18
    Region 0: I/O ports at fe00 [size=8]
    Region 1: I/O ports at fe10 [size=4]
    Region 2: I/O ports at fe20 [size=8]
    Region 3: I/O ports at fe30 [size=4]
    Region 4: I/O ports at fec0 [size=16]
    Region 5: I/O ports at eca0 [size=16]
    Capabilities: [70] Power Management version 3
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst+ PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [b0] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: ata_piix
    Kernel modules: ata_piix
    00:1f.3 SMBus: Intel Corporation 82801JD/DO (ICH10 Family) SMBus Controller (rev 02)
    Subsystem: Dell Device 027f
    Control: I/O+ Mem+ BusMaster- SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR+ FastB2B- DisINTx-
    Status: Cap- 66MHz- UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Interrupt: pin C routed to IRQ 18
    Region 0: Memory at fe6db000 (64-bit, non-prefetchable) [size=256]
    Region 4: I/O ports at ece0 [size=32]
    Kernel driver in use: i801_smbus
    Kernel modules: i2c-i801
    00:1f.5 IDE interface: Intel Corporation 82801JD/DO (ICH10 Family) 2-port SATA IDE Controller (rev 02) (prog-if 85 [Master SecO PriO])
    Subsystem: Dell Device 027f
    Control: I/O+ Mem- BusMaster+ SpecCycle- MemWINV- VGASnoop- ParErr- Stepping- SERR- FastB2B- DisINTx-
    Status: Cap+ 66MHz+ UDF- FastB2B+ ParErr- DEVSEL=medium >TAbort- <TAbort- <MAbort- >SERR- <PERR- INTx-
    Latency: 0
    Interrupt: pin C routed to IRQ 18
    Region 0: I/O ports at fe40 [size=8]
    Region 1: I/O ports at fe50 [size=4]
    Region 2: I/O ports at fe60 [size=8]
    Region 3: I/O ports at fe70 [size=4]
    Region 4: I/O ports at fed0 [size=16]
    Region 5: I/O ports at ecb0 [size=16]
    Capabilities: [70] Power Management version 3
    Flags: PMEClk- DSI- D1- D2- AuxCurrent=0mA PME(D0-,D1-,D2-,D3hot-,D3cold-)
    Status: D0 NoSoftRst+ PME-Enable- DSel=0 DScale=0 PME-
    Capabilities: [b0] PCI Advanced Features
    AFCap: TP+ FLR+
    AFCtrl: FLR-
    AFStatus: TP-
    Kernel driver in use: ata_piix
    Kernel modules: ata_piix
    I have googled around a bit, and I've read about others (surprisingly) having the same issue, but I've found no answers to my avail yet.

    Here are the packages installed on my system, with versions (output of pacman -Qs):
    local/a2ps 4.14-1
    a2ps is an Any to PostScript filter
    local/a52dec 0.7.4-4
    liba52 is a free library for decoding ATSC A/52 streams.
    local/acl 2.2.48-1 (base)
    Library for filesystem ACL support
    local/alsa-lib 1.0.22-1
    An alternative implementation of Linux sound support
    local/alsa-utils 1.0.22-2
    An alternative implementation of Linux sound support
    local/aspell 0.60.6-4
    A spell checker designed to eventually replace Ispell
    local/ati-dri 7.7-1
    Mesa DRI drivers for AMD/ATI Radeon
    local/atk 1.28.0-1
    A library providing a set of interfaces for accessibility
    local/attr 2.4.44-1 (base)
    Extended attribute support library for ACL support
    local/autoconf 2.65-1 (base-devel)
    A GNU tool for automatically configuring source code
    local/automake 1.11.1-1 (base-devel)
    A GNU tool for automatically creating Makefiles
    local/avahi 0.6.25-3
    A multicast/unicast DNS-SD framework
    local/b43-firmware 4.150.10.5-1
    Firmware for Broadcom B43 wireless networking chips
    local/b43-fwcutter 012-1
    firmware extractor for the bcm43xx kernel module
    local/bash 4.1.002-2 (base)
    The GNU Bourne Again shell
    local/beanshell 2.0b4-1
    Small, free, embeddable, source level Java interpreter with object based
    scripting language features written in Java
    local/bin86 0.16.17-4 (base-devel)
    A complete 8086 assembler and loader
    local/binutils 2.20-3 (base)
    A set of programs to assemble and manipulate binary and object files
    local/bison 2.4.1-1 (base-devel)
    The GNU general-purpose parser generator
    local/bzip2 1.0.5-5 (base)
    A high-quality data compression program
    local/ca-certificates 20090814-2
    Common CA certificates
    local/ca-certificates-java 20090629-2
    Common CA certificates (JKS keystore)
    local/cabextract 1.2-2
    A program to extract Microsoft cabinet (.CAB) files.
    local/cairo 1.8.10-1
    Cairo vector graphics library
    local/cairomm 1.8.4-1
    C++ bindings to Cairo vector graphics library
    local/cdparanoia 10.2-2
    Compact Disc Digital Audio extraction tool
    local/cloog-ppl 0.15.7-1
    Library that generates loops for scanning polyhedra
    local/compositeproto 0.4.1-1
    X11 Composite extension wire protocol
    local/consolekit 0.4.1-2
    A framework for defining and tracking users, login sessions, and seats
    local/coreutils 8.4-1 (base)
    The basic file, shell and text manipulation utilities of the GNU operating
    system
    local/cpio 2.10-1 (base)
    A tool to copy files into or out of a cpio or tar archive
    local/cracklib 2.8.13-2 (base)
    Password Checking Library
    local/cryptsetup 1.1.0-2 (base)
    Userspace setup tool for transparent encryption of block devices using the
    Linux 2.6 cryptoapi
    local/curl 7.20.0-1
    An URL retrival utility and library
    local/cyrus-sasl-plugins 2.1.23-1
    Cyrus Simple Authentication Service Layer (SASL) library
    local/damageproto 1.2.0-1
    X11 Damage extension wire protocol
    local/dash 0.5.5.1-2 (base)
    A POSIX compliant shell that aims to be as small as possible
    local/db 4.8.26-1 (base)
    The Berkeley DB embedded database system
    local/dbus 1.2.20-1
    Freedesktop.org message bus system
    local/dbus-core 1.2.20-1
    Freedesktop.org message bus system
    local/dbus-glib 0.82-2
    GLib bindings for DBUS
    local/dcron 4.4-2 (base)
    dillon's lightweight cron daemon
    local/desktop-file-utils 0.15-1
    Command line utilities for working with desktop entries
    local/device-mapper 2.02.60-3 (base)
    Device mapper userspace library and tools
    local/dhcpcd 5.2.1-1 (base)
    RFC2131 compliant DHCP client daemon
    local/dialog 1.1_20100119-1 (base)
    A tool to display dialog boxes from shell scripts
    local/diffutils 2.9-1 (base)
    Utility programs used for creating patch files
    local/dmidecode 2.10-1
    Desktop Management Interface table related utilities
    local/dmxproto 2.3-1
    X11 Distributed Multihead X extension wire protocol
    local/dosfstools 3.0.9-1
    DOS filesystem utilities
    local/dri2proto 2.1-2
    X11 DRI protocol
    local/e2fsprogs 1.41.10-1 (base)
    Ext2/3/4 filesystem utilities
    local/ed 1.4-1 (base-devel)
    A POSIX-compliant line editor
    local/eggdbus 0.6-1
    Experimental D-Bus bindings for GObject
    local/eject 2.1.5-4
    Eject is a program for ejecting removable media under software control
    local/enca 1.13-1
    Charset analyser and converter
    local/enchant 1.5.0-3
    A wrapper library for generic spell checking
    local/eventlog 0.2.9-1
    A new API to format and send structured log messages
    local/exo 0.3.106-1 (xfce4)
    Extensions to Xfce by os-cillation
    local/expat 2.0.1-5
    An XML Parser library written in C
    local/faac 1.28-2
    FAAC is an AAC audio encoder
    local/faad2 2.7-1
    ISO AAC audio decoder
    local/fakeroot 1.14.4-2 (base-devel)
    Gives a fake root environment, useful for building packages as a
    non-privileged user
    local/farsight2 0.0.17-1
    Audio/Video conference software for Instant Messengers
    local/ffmpeg 22511-1
    Complete and free Internet live audio and video broadcasting solution for
    Linux/Unix
    local/file 5.04-2 (base)
    File type identification utility
    local/filesystem 2010.02-4 (base)
    Base filesystem
    local/findutils 4.4.2-1 (base)
    GNU utilities to locate files
    local/fixesproto 4.1.1-1
    X11 Fixes extension wire protocol
    local/flac 1.2.1-2
    Free Lossless Audio Codec
    local/flashplugin 10.0.45.2-1
    Adobe Flash Player
    local/flex 2.5.35-3 (base-devel)
    A tool for generating text-scanning programs
    local/fluidsynth 1.1.1-2
    A real-time software synthesizer based on the SoundFont 2 specifications
    local/fontcacheproto 0.1.3-1
    X11 font cache extension wire protocol
    local/fontconfig 2.8.0-1
    A library for configuring and customizing font access
    local/fontsproto 2.1.0-1
    X11 font extension wire protocol
    local/freeglut 2.6.0-1
    Provides functionality for small OpenGL programs
    local/freetype2 2.3.12-1
    TrueType font rendering library
    local/fribidi 0.19.2-1
    A Free Implementation of the Unicode Bidirectional Algorithm
    local/frozen-bubble 2.2.0-2
    A game in which you throw colorful bubbles and build groups to destroy the
    bubbles
    local/fuse 2.8.3-1
    A library that makes it possible to implement a filesystem in a userspace
    program.
    local/gamin 0.1.10-1
    Gamin is a file and directory monitoring system defined to be a subset of
    the FAM (File Alteration Monitor) system.
    local/gawk 3.1.7-1 (base)
    Gnu version of awk
    local/gcc 4.4.3-1 (base-devel)
    The GNU Compiler Collection
    local/gcc-libs 4.4.3-1 (base)
    Runtime libraries shipped by GCC for C and C++ languages
    local/gconf 2.28.0-1
    A configuration database system
    local/gdbm 1.8.3-6 (base)
    GNU database library
    local/gdk-pixbuf 0.22.0-7
    Image loading and manipulation library
    local/gen-init-cpio 2.6.32-1 (base)
    Program to compress initramfs images
    local/gettext 0.17-3 (base)
    GNU internationalization library
    local/ghostscript 8.71-2
    An interpreter for the PostScript language
    local/giflib 4.1.6-3
    A library for reading and writing gif images
    local/git 1.7.0.2-1
    the fast distributed version control system
    local/gksu 2.0.2-2
    A graphical frontend for su
    local/glib 1.2.10-8
    Common C routines used by Gtk+ and other libs
    local/glib2 2.22.4-1
    Common C routines used by GTK+ 2.4 and other libs
    local/glibc 2.11.1-1 (base)
    GNU C Library
    local/glibmm 2.22.1-1
    Glib-- (glibmm) is a C++ interface for glib
    local/gmp 4.3.2-1
    A free library for arbitrary precision arithmetic
    local/gnome-icon-theme 2.28.0-1 (gnome)
    Default icon theme for GNOME2
    local/gnome-keyring 2.28.2-1
    GNOME Password Management daemon
    local/gnutls 2.8.5-1
    A library which provides a secure layer over a reliable transport layer
    local/google-chrome-dev 5.0.342.3-1
    Google Chrome Developer preview channel for Linux
    local/gparted 0.5.2-1
    A Partition Magic clone, frontend to GNU Parted
    local/gpm 1.20.6-5
    A mouse server for the console and xterm
    local/gqview 2.0.4-3
    An image browser and viewer
    local/grep 2.5.4-3 (base)
    A string search utility
    local/groff 1.20.1-4
    GNU troff text-formatting system
    local/grub 0.97-16 (base)
    A GNU multiboot boot loader
    local/gsfonts 8.11-5
    Ghostscript standard Type1 fonts
    local/gstreamer0.10 0.10.28-1
    GStreamer Multimedia Framework
    local/gstreamer0.10-base 0.10.28-1
    GStreamer Multimedia Framework Base plugin libraries
    local/gstreamer0.10-base-plugins 0.10.28-1 (gstreamer0.10-plugins)
    GStreamer Multimedia Framework Base Plugins (gst-plugins-base)
    local/gstreamer0.10-python 0.10.18-1
    Python bindings for GStreamer 0.10
    local/gtk 1.2.10-10
    The GTK+ toolkit
    local/gtk-aurora-engine 1.5.1-1
    gtk-engine: latest member of the clearlooks family
    local/gtk-xfce-engine 2.6.0-1 (xfce4)
    A port of Xfce engine to GTK+-2.0
    local/gtk2 2.18.7-1
    The GTK+ Toolkit (v2)
    local/gtkmm 2.18.2-1
    C++ bindings for gtk2
    local/gtkspell 2.0.16-1
    GtkSpell provides word-processor-style highlighting and replacement of
    misspelled words in a GtkTextView widget
    local/gzip 1.4-1 (base)
    GNU compression utility
    local/hal 0.5.14-2
    Hardware Abstraction Layer
    local/hal-info 0.20091130-1
    Hardware Abstraction Layer information files
    local/hdparm 9.27-2 (base)
    A shell utility for manipulating Linux IDE drive/driver parameters
    local/heimdal 1.3.1-3
    Implementation of Kerberos V5 libraries
    local/hicolor-icon-theme 0.11-1
    Freedesktop.org Hicolor icon theme
    local/hsqldb-java 1.8.1.1-1
    HSQLDB Java libraries
    local/htop 0.8.3-1
    Interactive process viewer
    local/hunspell 1.2.8-2
    Spell checker and morphological analyzer library and program
    local/hyphen 2.4-1
    library for high quality hyphenation and justification
    local/icon-naming-utils 0.8.90-1
    Maps the new names of icons for Tango to the legacy names used by the GNOME
    and KDE desktops.
    local/icu 4.2.1-1
    International Components for Unicode library
    local/ilmbase 1.0.1-1
    IlmThread is a thread abstraction library for use with OpenEXR
    local/imagemagick 6.6.0.0-1
    An image viewing/manipulation program
    local/imlib2 1.4.2-6
    Library that does image file loading and saving as well as rendering,
    manipulation, arbitrary polygon support
    local/initscripts 2010.01-1 (base)
    System initialization/bootup scripts
    local/inputproto 2.0-1
    X11 Input extension wire protocol
    local/intel-dri 7.7-1
    Mesa DRI drivers for Intel
    local/iproute2 2.6.31-1
    IP Routing Utilities
    local/iptables 1.4.7-1
    A Linux kernel packet control tool
    local/iputils 20100214-2 (base)
    IP Configuration Utilities (and Ping)
    local/iso-codes 3.14-1
    Lists of the country, language, and currency names
    local/jack 0.116.2-1
    A low-latency audio server
    local/jasper 1.900.1-5
    A software-based implementation of the codec specified in the emerging
    JPEG-2000 Part-1 standard
    local/jfsutils 1.1.14-1 (base)
    JFS filesystem utilities
    local/json-glib 0.10.0-1
    JSON library built on GLib
    local/kbd 1.15.1-1 (base)
    Keytable files and keyboard utilities
    local/kbproto 1.0.4-1
    X11 XKB extension wire protocol
    local/kernel26 2.6.32.10-1 (base)
    The Linux Kernel and modules
    local/kernel26-firmware 2.6.32.10-1 (base)
    The included firmware files of the Linux Kernel
    local/kernel26-headers 2.6.32.10-1
    Header files and scripts for building modules for kernel26
    local/ladspa 1.13-2
    Linux Audio Developer's Simple Plugin API (LADSPA)
    local/lame 3.98.3-1
    An MP3 encoder and graphical frame analyzer
    local/lcms 1.18-3
    Lightweight color management development library/engine
    local/less 436-1 (base)
    A terminal based program for viewing text files
    local/libarchive 2.8.3-1
    library that can create and read several streaming archive formats
    local/libass 0.9.9-1
    A portable library for SSA/ASS subtitles rendering
    local/libcap 2.19-1
    POSIX 1003.1e capabilities
    local/libcddb 1.3.2-1
    Library that implements the different protocols (CDDBP, HTTP, SMTP) to
    access data on a CDDB server (e.g. http://freedb.org).
    local/libcdio 0.82-1
    GNU Compact Disc Input and Control Library
    local/libcroco 0.6.2-1
    GNOME CSS2 parsing and manipulation toolkit
    local/libcups 1.4.2-3
    The CUPS Printing System - client libraries and headers
    local/libdaemon 0.14-1
    A lightweight C library which eases the writing of UNIX daemons
    local/libdatrie 0.2.3-1
    Libdatrie is an implementation of double-array structure for representing
    trie, as proposed by Junichi Aoe.
    local/libdca 0.0.5-2
    Free library for decoding DTS Coherent Acoustics streams
    local/libdmx 1.1.0-1
    X11 Distributed Multihead extension library
    local/libdrm 2.4.18-2
    Userspace interface to kernel DRM services
    local/libdvbpsi 0.1.6-3
    MPEG TS and DVB PSI tables library (needed by vlc for streaming)
    local/libdvdnav 4.1.3-2
    The library for xine-dvdnav plugin.
    local/libdvdread 4.1.3-1
    libdvdread provides a simple foundation for reading DVD video disks
    local/libebml 0.7.8-2
    Extensible Binary Meta Language library
    local/libevent 1.4.13-1
    An event notification library
    local/libexif 0.6.19-1
    A library to parse an EXIF file and read the data from those tags
    local/libfetch 2.30-1 (base)
    URL based download library
    local/libfontenc 1.0.5-1
    X11 font encoding library
    local/libgcrypt 1.4.5-1 (base)
    a general purpose crypto library based on the code used
    local/libgksu 2.0.12-1
    gksu authorization library
    local/libgl 7.7-1
    Mesa 3-D graphics library and DRI software rasterizer
    local/libglade 2.6.4-1
    Allows you to load glade interface files in a program at runtime
    local/libgpg-error 1.7-2 (base)
    Support library for libgcrypt
    local/libgraphite 2.3.1-1
    SILGraphite - a "smart font" rendering engine - the libs and headers
    local/libgsf 1.14.16-1
    The GNOME Structured File Library is a utility library for reading and
    writing structured file formats
    local/libgssglue 0.1-2
    exports a gssapi interface which calls other random gssapi libraries
    local/libgtop 2.28.0-1
    A library that read information about processes and the running system
    local/libice 1.0.6-1
    X11 Inter-Client Exchange library
    local/libid3tag 0.15.1b-4
    library for id3 tagging
    local/libidl2 0.8.13-1
    A front-end for CORBA 2.2 IDL and Netscape's XPIDL
    local/libidn 1.16-1
    Implementation of the Stringprep, Punycode and IDNA specifications
    local/libjpeg 8.0.1-1
    Library of JPEG support functions
    local/libjpeg6 6b-9
    Library of JPEG support functions
    local/libldap 2.4.21-1
    Lightweight Directory Access Protocol (LDAP) client libraries
    local/libmad 0.15.1b-4
    A high-quality MPEG audio decoder
    local/libmatroska 0.8.1-2
    Matroska library
    local/libmikmod 3.1.12-3
    A portable sound library
    local/libmng 1.0.10-3
    A collection of routines used to create and manipulate MNG format graphics
    files
    local/libmodplug 0.8.7-1
    A MOD playing library
    local/libmp4v2 1.9.1-1
    MPEG-4 library
    local/libmpcdec 1.2.6-2
    Musepack decoding library
    local/libmpeg2 0.5.1-1
    libmpeg2 is a library for decoding MPEG-1 and MPEG-2 video streams.
    local/libmspack 0.0.20060920alpha-1
    local/libmtp 1.0.2-1
    library implementation of the Media Transfer Protocol
    local/libmysqlclient 5.1.45-1
    MySQL client libraries
    local/libnice 0.0.11-1
    An implementation of the IETF's draft ICE (for p2p UDP data streams)
    local/libnl 1.1-1
    Library for applications dealing with netlink sockets
    local/libnotify 0.4.5-1.1
    Desktop notification library
    local/libogg 1.1.4-1
    Ogg bitstream and framing library
    local/liboil 0.3.17-1
    Library of simple functions that are optimized for various CPUs.
    local/libpcap 1.0.0-1 (base)
    A system-independent interface for user-level packet capture
    local/libpciaccess 0.10.9-1
    X11 PCI access library
    local/libpng 1.4.1-1
    A collection of routines used to create PNG format graphics files
    local/libpng12 1.2.40-1
    A collection of routines used to create PNG format graphics files
    local/libproxy 0.2.3-1
    A library that provides automatic proxy configuration management
    local/libpurple 2.6.6-1
    IM library extracted from Pidgin
    local/librpcsecgss 0.19-2
    Library for RPCSECGSS support
    local/librsvg 2.26.0-2
    SAX-based renderer for SVG files into a GdkPixbuf
    local/libsasl 2.1.23-2
    Cyrus Simple Authentication Service Layer (SASL) library
    local/libsexy 0.1.11-2
    Doing naughty things to good widgets.
    local/libshout 2.2.2-3
    Library for accessing a shoutcast/icecast server
    local/libsigc++2.0 2.2.4.2-1
    Libsigc++ implements a full callback system for use in widget libraries - V2
    local/libsm 1.1.1-1
    X11 Session Management library
    local/libsndfile 1.0.21-1
    A C library for reading and writing files containing sampled sound
    local/libtasn1 2.4-1
    The ASN.1 library used in GNUTLS
    local/libthai 0.1.14-1
    Thai language support routines
    local/libtheora 1.1.1-1
    An open video codec developed by the Xiph.org
    local/libtiff 3.9.2-2
    Library for manipulation of TIFF images
    local/libtirpc 0.2.1-1
    Transport Independent RPC library (SunRPC replacement)
    local/libtool 2.2.6b-2 (base-devel)
    A generic library support script
    local/libusb 0.1.12-4 (base)
    Library to enable user space application programs to communicate with USB
    devices
    local/libv4l 0.6.4-1
    Userspace library for Video 4 Linux (1 and 2)
    local/libvdpau 0.4-1
    Nvidia VDPAU library
    local/libvisual 0.4.0-2
    Abstraction library that comes between applications and audio visualisation
    plugins
    local/libvorbis 1.2.3-1
    Vorbis codec library
    local/libwmf 0.2.8.4-7
    A library for reading vector images in Microsoft's native Windows Metafile
    Format (WMF).
    local/libwnck 2.28.0-1
    Window Navigator Construction Kit
    local/libwpd 0.8.14-1
    library for importing WordPerfect (tm) documents
    local/libx11 1.3.3-1
    X11 client-side library
    local/libx86 1.1-2
    Provides an lrmi interface that works on x86, am64 and alpha
    local/libxau 1.0.5-1
    X11 authorisation library
    local/libxaw 1.0.7-1
    X11 Athena Widget library
    local/libxcb 1.5-1
    X11 client-side library
    local/libxcomposite 0.4.1-1
    X11 Composite extension library
    local/libxcursor 1.1.10-1
    X cursor management library
    local/libxdamage 1.1.2-1
    X11 damaged region extension library
    local/libxdmcp 1.0.3-1
    X11 Display Manager Control Protocol library
    local/libxext 1.1.1-1
    X11 miscellaneous extensions library
    local/libxfce4menu 4.6.1-1 (xfce4)
    a freedesktop.org compliant menu implementation for Xfce
    local/libxfce4util 4.6.1-1 (xfce4)
    Basic utility non-GUI functions for Xfce
    local/libxfcegui4 4.6.3-1 (xfce4)
    Various gtk widgets for Xfce
    local/libxfixes 4.0.4-1
    X11 miscellaneous 'fixes' extension library
    local/libxfont 1.4.1-1
    X11 font rasterisation library
    local/libxfontcache 1.0.5-1
    X11 font cache library
    local/libxft 2.1.14-1
    FreeType-based font drawing library for X
    local/libxi 1.3-2
    X11 Input extension library
    local/libxinerama 1.1-1
    X11 Xinerama extension library
    local/libxkbfile 1.0.6-1
    X11 keyboard file manipulation library
    local/libxklavier 4.0-1
    High-level API for X Keyboard Extension
    local/libxml2 2.7.6-2
    XML parsing library, version 2
    local/libxmu 1.0.5-1
    X11 miscellaneous micro-utility library
    local/libxpm 3.5.8-1
    X11 pixmap library
    local/libxrandr 1.3.0-1
    X11 RandR extension library
    local/libxrender 0.9.5-1
    X Rendering Extension client library
    local/libxres 1.0.4-1
    X11 Resource extension library
    local/libxslt 1.1.26-1
    XML stylesheet transformation library
    local/libxss 1.2.0-1
    X11 Screen Saver extension library
    local/libxt 1.0.7-1
    X11 toolkit intrinsics library
    local/libxtst 1.1.0-1
    X11 Testing -- Resource extension library
    local/libxv 1.0.5-1
    X11 Video extension library
    local/libxvmc 1.0.5-1
    X11 Video Motion Compensation extension library
    local/libxxf86dga 1.1.1-1
    X11 Direct Graphics Access extension library
    local/libxxf86misc 1.0.2-1
    X11 XFree86 miscellaneous extension library
    local/libxxf86vm 1.1.0-1
    X11 XFree86 video mode extension library
    local/licenses 2.5-1 (base)
    The standard licenses distribution package
    local/links 2.2-3
    A text WWW browser, similar to Lynx
    local/linux-api-headers 2.6.32.5-2 (base)
    Kernel headers sanitized for use in userspace
    local/linux-atm 2.5.0-1
    Drivers and tools to support ATM networking under Linux.
    local/logrotate 3.7.8-1 (base)
    Rotates system logs automatically
    local/lpsolve 5.5.0.15-1
    a Mixed Integer Linear Programming (MILP) solver
    local/lua 5.1.4-4
    A powerful light-weight programming language designed for extending
    applications.
    local/lucene 2.9.2-1
    A high-performance, full-featured text search engine library written
    entirely in Java
    local/lvm2 2.02.60-3 (base)
    Logical Volume Manager 2 utilities
    local/lzo2 2.03-1 (base)
    Portable lossless data compression library written in ANSI C
    local/m4 1.4.14-1 (base-devel)
    m4 macro processor
    local/mach64-dri 7.7-1
    Mesa DRI drivers for ATI Mach64
    local/madwifi 0.9.4.4100-2
    Madwifi drivers for Atheros wireless chipsets. For stock arch 2.6 kernel
    local/madwifi-utils 0.9.4.4096-1
    Userspace tools of madwifi drivers for Atheros wireless chipsets.
    local/mailx 8.1.1-7 (base)
    A commandline utility for sending email
    local/make 3.81-4 (base-devel)
    GNU make utility to maintain groups of programs
    local/man-db 2.5.7-1 (base)
    A utility for reading man pages
    local/man-pages 3.24-1 (base)
    Linux man pages
    local/mcpp 2.7.2-2
    Matsui's CPP implementation precisely conformed to standards
    local/mdadm 3.1.1-2 (base)
    A tool for managing/monitoring Linux md device arrays, also known as
    Software RAID
    local/meliae-svg-icon-theme 1.2-1
    Here you are version n. 1.1 of the new Meliae Icon Theme (all icons are in
    SVG format).
    local/mesa 7.7-1
    Mesa 3-D graphics libraries and include files
    local/mga-dri 7.7-1
    Mesa DRI drivers for Matrox
    local/mkinitcpio 0.6.3-1 (base)
    Modular initramfs image creation utility
    local/mkinitcpio-busybox 1.15.3-5
    base initramfs tools
    local/mlocate 0.22.3-1
    Faster merging drop-in for slocate
    local/mobile-broadband-provider-info 0.20100301-1
    Network Management daemon
    local/module-init-tools 3.11.1-2 (base)
    utilities needed by Linux systems for managing loadable kernel modules
    local/mousepad 0.2.16-2 (xfce4)
    Simple Text Editor for Xfce4 (based on Gedit)
    local/mozilla-common 1.4-1
    Common Initialization Profile for Mozilla.org products
    local/mpfr 2.4.2-1
    multiple-precision floating-point library
    local/ms-sys 2.1.4-2
    A tool to write Win9x/2k/XP/2k3/Vista/7/2k8 master boot records (mbr) under
    linux - RTM!
    local/mtools 4.0.13-1
    A collection of utilities to access MS-DOS disks
    local/nano 2.2.3-1 (base)
    Pico editor clone with enhancements
    local/ncurses 5.7-2 (base)
    System V Release 4.0 curses emulation library
    local/ndiswrapper 1.56-1
    Module for NDIS (Windows Network Drivers) drivers supplied by vendors. For
    stock arch 2.6 kernel.
    local/ndiswrapper-utils 1.56-1
    Binaries for ndiswrapper module
    local/neon 0.28.6-2
    HTTP and WebDAV client library with a C interface
    local/net-tools 1.60-14 (base)
    Configuration tools for Linux networking
    local/network-manager-applet 0.8-2
    GNOME frontends to NetWorkmanager
    local/networkmanager 0.8-1
    Network Management daemon
    local/nfs-utils 1.2.2-1
    Support programs for Network File Systems
    local/nfsidmap 0.23-3
    Library to help mapping IDs, mainly for NFSv4
    local/notification-daemon 0.4.0-4 (gnome)
    Notification daemon for the desktop notifications framework
    local/nspr 4.8.3-1
    Netscape Portable Runtime
    local/nss 3.12.4-2
    Mozilla Network Security Services
    local/ntfs-3g 2010.1.16-1
    Stable read and write NTFS driver
    local/ntfsprogs 2.0.0-4
    NTFS filesystem utilities
    local/opencore-amr 0.1.2-1
    Open source implementation of the Adaptive Multi Rate (AMR) speech codec
    local/openexr 1.6.1-1
    openexr library for EXR images
    local/openjdk6 6.b17_1.7.1-1
    Free Java environment based on OpenJDK 6.0 with IcedTea6 replacing binary
    plugs.
    local/openntpd 3.9p1-10
    Free, easy to use implementation of the Network Time Protocol.
    local/openoffice-base 3.2.0-1
    OpenOffice.org - a free multiplatform and multilingual office suite -
    testing branch leeding to next stable release
    local/openssh 5.3p1-4
    A Secure SHell server/client
    local/openssl 0.9.8m-2
    The Open Source toolkit for Secure Sockets Layer and Transport Layer
    Security
    local/ophcrack 3.3.1-4
    A free Windows password cracker based on rainbow tables
    local/orage 4.6.1-1 (xfce4)
    A simple calendar application with reminders for Xfce
    local/orbit2 2.14.17-1
    Thin/fast CORBA ORB
    local/pacman 3.3.3-1 (base)
    A library-based package manager with dependency support
    local/pacman-color 3.3.3-1
    Command-line frontend for libalpm aka pacman with color patch
    local/pacman-mirrorlist 20100131-1 (base)
    Arch Linux mirror list for use by pacman
    local/pam 1.1.1-1 (base)
    PAM (Pluggable Authentication Modules) library
    local/pango 1.26.2-1
    A library for layout and rendering of text
    local/pangomm 2.26.0-1
    C++ bindings for pango
    local/parted 2.2-1
    A program for creating, destroying, resizing, checking and copying
    partitions
    local/patch 2.6.1-1 (base-devel)
    A utility to apply patch files to original sources
    local/pciutils 3.1.7-1 (base)
    PCI bus configuration space access library and tools
    local/pcmciautils 016-1 (base)
    Utilities for inserting and removing PCMCIA cards
    local/pcre 8.01-1 (base)
    A library that implements Perl 5-style regular expressions
    local/perl 5.10.1-5 (base)
    Practical Extraction and Report Language
    local/perl-error 0.17016-1
    Perl/CPAN Error module - Error/exception handling in an OO-ish way
    local/perl-locale-gettext 1.05-5
    Permits access from Perl to the gettext() family of functions.
    local/perl-xml-simple 2.18-2
    Simple XML parser for perl
    local/perlxml 2.36-2
    XML::Parser - an XML parser module for perl
    local/pidgin 2.6.6-1
    Multi-protocol instant messaging client
    local/pidgin-facebookchat 1.64-1
    Facebook chat plugin for Pidgin and libpurple messengers.
    local/pixman 0.16.6-1
    Pixman library
    local/pkgconfig 0.23-1 (base-devel)
    A system for managing library compile/link flags
    local/pkgtools 17-1
    A collection of scripts for Arch Linux packages
    local/pm-utils 1.2.6.1-4
    Utilities and scripts for suspend and hibernate power management
    local/polkit 0.96-2
    Application development toolkit for controlling system-wide privileges
    local/polkit-gnome 0.96-3
    PolicyKit integration for the GNOME desktop
    local/popt 1.15-1 (base)
    A commandline option parser
    local/postgresql-libs 8.4.2-4
    Libraries for use with PostgreSQL
    local/ppl 0.10.2-2
    A modern library for convex polyhedra and other numerical abstractions.
    local/ppp 2.4.5-1 (base)
    A daemon which implements the PPP protocol for dial-up networking
    local/preload 0.6.4-2
    Makes applications run faster by prefetching binaries and shared objects
    local/procinfo 19-3 (base)
    Displays useful information from /proc
    local/procps 3.2.8-1 (base)
    Utilities for monitoring your system and processes on your system
    local/psmisc 22.10-1 (base)
    Miscellaneous procfs tools
    local/psutils 1.17-2
    A set of postscript utilities
    local/pycairo 1.8.8-1
    Python bindings for the cairo graphics library
    local/pygobject 2.20.0-1
    Python bindings for GObject
    local/pygtk 2.16.0-2
    Python bindings for the GTK widget set
    local/python 2.6.5-1
    A high-level scripting language
    local/python-mpd 0.2.1-2
    Python MPD client library
    local/qt 4.6.2-1
    A cross-platform application and UI framework
    local/qwt 5.2.0-2
    Qt Widgets for Technical Applications
    local/r128-dri 7.7-1
    Mesa DRI drivers for ATI Rage128
    local/randrproto 1.3.1-1
    X11 RandR extension wire protocol
    local/raptor 1.4.21-1
    A C library that parses RDF/XML/N-Triples into RDF triples
    local/rasqal 0.9.19-1
    a free C library that handles Resource Description Framework (RDF) query
    syntaxes, query construction and query execution returning result bindings
    local/readline 6.1.002-1
    GNU readline library
    local/recode 3.6-3
    Converts files between various character sets and usages
    local/recordproto 1.14-1
    X11 Record extension wire protocol
    local/redland 1.0.10-2
    Library that provides a high-level interface to RDF data
    local/reiserfsprogs 3.6.21-2 (base)
    Reiserfs utilities
    local/renderproto 0.11-1
    X11 Render extension wire protocol
    local/rp-pppoe 3.10-4 (base)
    Roaring Penguin's Point-to-Point Protocol over Ethernet client
    local/rpcbind 0.2.0-1
    portmap replacement which supports RPC over various protocols
    local/run-parts 3.2.2-1
    run scripts or programs in a directory
    local/savage-dri 7.7-1
    Mesa DRI drivers for S3 Sraphics/VIA Savage
    local/saxon 9.2.0.6-1
    XSLT 2.0 / XPath 2.0 / XQuery 1.0 processor for Java - the open source Home
    Edition
    local/scrnsaverproto 1.2.0-1
    X11 Screen Saver extension wire protocol
    local/sdl 1.2.14-1
    A library for portable low-level access to a video framebuffer, audio
    output, mouse, and keyboard
    local/sdl_gfx 2.0.20-1
    SDL Graphic Primitives
    local/sdl_image 1.2.10-2
    A simple library to load images of various formats as SDL surfaces
    local/sdl_mixer 1.2.11-2
    A simple multi-channel audio mixer
    local/sdl_net 1.2.7-3
    A small sample cross-platform networking library
    local/sdl_pango 0.1.2-2
    Pango SDL binding
    local/sdl_perl 2.2.6-3
    A Perl wrapper for SDL
    local/sdl_ttf 2.0.9-2
    A library that allows you to use TrueType fonts in your SDL applications
    local/sdparm 1.04-1 (base)
    An utility similar to hdparm but for SCSI devices
    local/sed 4.2.1-1 (base)
    GNU stream editor
    local/shadow 4.1.4.2-2 (base)
    Shadow password file utilities
    local/shared-mime-info 0.71-1
    Freedesktop.org Shared MIME Info
    local/silc-toolkit 1.1.10-1
    Toolkit for Secure Internet Live Conferencing
    local/sis-dri 7.7-1
    Mesa DRI drivers for SiS
    local/smbclient 3.5.1-1
    Tools to access a server's filespace and printers via SMB
    local/smpeg 0.4.4-5
    SDL MPEG Player Library
    local/sonata 1.6.2.1-1
    Elegant GTK+ music client for MPD
    local/speex 1.2rc1-1.1
    A free codec for free speech
    local/sqlite3 3.6.22-1
    A C library that implements an SQL database engine
    local/squeeze 0.2.3-2 (xfce4)
    Squeeze is a modern and advanced archive manager for the Xfce Desktop
    Environment.
    local/startup-notification 0.10-1
    Monitor and display application startup
    local/sudo 1.7.2p5-1
    Give certain users the ability to run some commands as root
    local/sysfsutils 2.1.0-5 (base)
    System Utilities Based on Sysfs
    local/syslog-ng 3.0.4-3 (base)
    Next-generation syslogd with advanced networking and filtering capabilities
    local/sysvinit 2.86-5 (base)
    Linux System V Init
    local/taglib 1.6.1-1
    library for reading and editing the meta-data of several popular audio
    formats.
    local/talloc 2.0.1-1
    talloc is a hierarchical pool based memory allocator with destructors
    local/tar 1.23-1 (base)
    Utility used to store, backup, and transport files
    local/tcp_wrappers 7.6-11 (base)
    Monitors and Controls incoming TCP connections
    local/tdb 1.2.1-1
    A Trivia Database similar to GDBM but allows simultaneous commits
    local/tdfx-dri 7.7-1
    Mesa DRI drivers for 3dfx
    local/terminal 0.4.4-1 (xfce4)
    A modern terminal emulator primarly for the Xfce desktop environment
    local/texinfo 4.13a-3 (base)
    Utilities to work with and produce manuals, ASCII text, and on-line
    documentation from a single source file
    local/thunar 1.0.1-5 (xfce4)
    new modern file manager for Xfce
    local/ttf-dejavu 2.30-2
    Font family based on the Bitstream Vera Fonts with a wider range of
    characters
    local/ttf-freefont 20090104-2
    A set of free high-quality TrueType fonts covering the UCS character set
    local/ttf-ms-fonts 2.0-2
    Core TTF Fonts from Microsoft
    local/ttf-vista-fonts 1-3
    Microsoft Vista True Type Fonts
    local/tzdata 2010e-1
    Sources for time zone and daylight saving time data
    local/udev 151-3 (base)
    The userspace dev tools (udev)
    local/unixodbc 2.2.14-2
    ODBC is an open specification for providing application developers with a
    predictable API with which to access Data Sources
    local/unzip 6.0-5
    Unpacks .zip archives such as those made by PKZIP
    local/usbutils 0.86-2 (base)
    USB Device Utilities
    local/util-linux-ng 2.17.1-1 (base)
    Miscellaneous system utilities for Linux
    local/vbetool 1.1-1
    vbetool uses lrmi in order to run code from the video BIOS
    local/vi 050325-3 (base)
    The original ex/vi text editor.
    local/videoproto 2.3.0-1
    X11 Video extension wire protocol
    local/vigra 1.6.0-2
    Computer vision library
    local/vim 7.2.385-1
    Vi Improved, a highly configurable, improved version of the vi text editor
    local/virtualbox_bin 3.1.4-3
    Powerful x86 virtualization (Personal Use Binaries Edition).
    local/vlc 1.0.5-5
    A multi-platform MPEG, VCD/DVD, and DivX player
    local/vte 0.22.5-1
    Virtual Terminal Emulator library
    local/wget 1.12-1 (base)
    A network utility to retrieve files from the Web
    local/which 2.20-2 (base)
    A utility to show the full path of commands
    local/wine 1.1.41-1
    A compatibility layer for running Windows programs
    local/wireless_tools 29-3
    Wireless Tools
    local/wpa_supplicant 0.6.10-1 (base)
    A utility providing key negotiation for WPA wireless networks
    local/x264 20100312-1
    free library for encoding H264/AVC video streams
    local/xbitmaps 1.1.0-1
    X.org Bitmap files
    local/xcb-proto 1.6-1
    XML-XCB protocol descriptions
    local/xcb-util 0.3.6-1
    Utility libraries for XC Binding
    local/xchat 2.8.6-5
    A GTK+ based IRC client
    local/xcursor-themes 1.0.2-1
    X.org Cursor themes
    local/xcursor-vanilla-dmz-aa 0.4-5
    Vanilla DMZ AA cursor theme
    local/xdg-utils 1.0.2.20100303-1
    Command line tools that assist applications with a variety of desktop
    integration tasks.
    local/xextproto 7.1.1-1
    X11 various extension wire protocol
    local/xf86-input-evdev 2.3.2-1 (xorg-input-drivers)
    X.org evdev input driver
    local/xf86-input-synaptics 1.2.1-1 (xorg-input-drivers)
    synaptics driver for notebook touchpads
    local/xf86-video-apm 1.2.2-2 (xorg-video-drivers)
    X.org Alliance ProMotion video driver
    local/xf86-video-ark 0.7.2-1 (xorg-video-drivers)
    X.org ark video driver
    local/xf86-video-ati 6.12.4-3 (xorg-video-drivers)
    X.org ati video driver
    local/xf86-video-chips 1.2.2-2 (xorg-video-drivers)
    X.org Chips and Technologies video driver
    local/xf86-video-cirrus 1.3.2-2 (xorg-video-drivers)
    X.org Cirrus Logic video driver
    local/xf86-video-dummy 0.3.2-2 (xorg-video-drivers)
    X.org dummy video driver
    local/xf86-video-fbdev 0.4.1-2 (xorg-video-drivers)
    X.org framebuffer video driver
    local/xf86-video-geode 2.11.6-1 (xorg-video-drivers)
    X.org AMD/Geode LX & NX video driver
    local/xf86-video-glint 1.2.4-2 (xorg-video-drivers)
    X.org GLINT/Permedia video driver
    local/xf86-video-i128 1.3.3-2 (xorg-video-drivers)
    X.org Number 9 I128 video driver
    local/xf86-video-i740 1.3.2-2 (xorg-video-drivers)
    X.org Intel i740 video driver
    local/xf86-video-intel 2.10.0-1 (xorg-video-drivers)
    X.org Intel i810/i830/i915/945G/G965+ video drivers
    local/xf86-video-mach64 6.8.2-2 (xorg-video-drivers)
    X.org mach64 video driver
    local/xf86-video-mga 1.4.11-2 (xorg-video-drivers)
    X.org mga video driver
    local/xf86-video-neomagic 1.2.4-3 (xorg-video-drivers)
    X.org neomagic video driver
    local/xf86-video-nv 2.1.17-1 (xorg-video-drivers)
    X.org nv video driver
    local/xf86-video-r128 6.8.1-2 (xorg-video-drivers)
    X.org ati Rage128 video driver
    local/xf86-video-radeonhd 1.3.0-1 (xorg-video-drivers)
    Experimental Radeon HD video driver for r500 and r600 ATI cards
    local/xf86-video-rendition 4.2.3-1 (xorg-video-drivers)
    X.org Rendition video driver
    local/xf86-video-s3 0.6.3-1 (xorg-video-drivers)
    X.org S3 video driver
    local/xf86-video-s3virge 1.10.3-1 (xorg-video-drivers)
    X.org S3 Virge video driver
    local/xf86-video-savage 2.3.1-2 (xorg-video-drivers)
    X.org savage video driver
    local/xf86-video-siliconmotion 1.7.3-2 (xorg-video-drivers)
    X.org siliconmotion video driver
    local/xf86-video-sis 0.10.2-3 (xorg-video-drivers)
    X.org SiS video driver
    local/xf86-video-sisusb 0.9.3-1 (xorg-video-drivers)
    X.org SiS USB video driver
    local/xf86-video-tdfx 1.4.3-2 (xorg-video-drivers)
    X.org tdfx video driver
    local/xf86-video-trident 1.3.3-3 (xorg-video-drivers)
    X.org Trident video driver
    local/xf86-video-tseng 1.2.3-1 (xorg-video-drivers)
    X.org tseng video driver
    local/xf86-video-v4l 0.2.0-4 (xorg-video-drivers)
    X.org v4l video driver
    local/xf86-video-vesa 2.2.1-1 (xorg xorg-video-drivers)
    X.org vesa video driver
    local/xf86-video-vmware 10.16.9-1 (xorg-video-drivers)
    X.org vmware video driver
    local/xf86-video-voodoo 1.2.3-1 (xorg-video-drivers)
    X.org 3dfx Voodoo1/Voodoo2 2D video driver
    local/xf86dgaproto 2.1-1
    X11 Direct Graphics Access extension wire protocol
    local/xf86miscproto 0.9.3-1
    X11 XFree86-Miscellaneous extension wire protocol
    local/xf86vidmodeproto 2.3-1
    X11 Video Mode extension wire protocol
    local/xfce-utils 4.6.1-2 (xfce4)
    Utilities for Xfce
    local/xfce4-appfinder 4.6.1-2 (xfce4)
    Xfce application finder
    local/xfce4-battery-plugin 0.5.1-2 (xfce4-goodies)
    A battery monitor plugin for the Xfce panel
    local/xfce4-diskperf-plugin 2.1.0-5 (xfce4-goodies)
    Plugin for the Xfce4 panel displaying instant disk/partition performance
    local/xfce4-icon-theme 4.4.3-1 (xfce4)
    A set of icon themes for the Xfce window manager
    local/xfce4-mixer 4.6.1-1 (xfce4)
    The volume control plugin for the Xfce panel
    local/xfce4-panel 4.6.3-1 (xfce4)
    Panel for the Xfce desktop environment
    local/xfce4-session 4.6.1-1 (xfce4)
    A session manager for Xfce
    local/xfce4-settings 4.6.4-1 (xfce4)
    Settings manager for xfce
    local/xfconf 4.6.1-3 (xfce4)
    xfconf.. thingie
    local/xfdesktop 4.6.1-1 (xfce4)
    A desktop manager for Xfce
    local/xfprint 4.6.1-2 (xfce4)
    A print dialog and a printer manager for Xfce
    local/xfsprogs 3.1.1-1 (base)
    XFS filesystem utilities
    local/xfwm4 4.6.1-1 (xfce4)
    Xfce window manager, compatible with Gnome, Gnome2, KDE2, and KDE3
    local/xfwm4-themes 4.6.0-1 (xfce4)
    A set of additionnal themes for the Xfce window manager
    local/xineramaproto 1.2-1
    X11 Xinerama extension wire protocol
    local/xkeyboard-config 1.8-1
    X keyboard configuration files
    local/xorg-apps 7.5-3
    Various X.Org applications
    local/xorg-docs 1.5-1 (xorg)
    X.org documentations
    local/xorg-font-utils 7.5-2
    X.Org font utilities
    local/xorg-fonts-100dpi 1.0.1-3 (xorg)
    X.org 100dpi fonts
    local/xorg-fonts-75dpi 1.0.1-3 (xorg)
    X.org 75dpi fonts
    local/xorg-fonts-alias 1.0.2-1
    X.org font alias files
    local/xorg-fonts-encodings 1.0.3-1
    X.org font encoding files
    local/xorg-fonts-misc 1.0.1-1
    X.org misc fonts
    local/xorg-res-utils 1.0.3-3 (xorg)
    X.Org X11 resource utilities
    local/xorg-server 1.7.5.902-1 (xorg)
    X.Org X servers
    local/xorg-server-utils 7.5-3 (xorg)
    X.Org utilities required by xorg-server
    local/xorg-twm 1.0.4-3 (xorg)
    Tab Window Manager for the X Window System
    local/xorg-utils 7.6-1 (xorg)
    Collection of client utilities used to query the X server
    local/xorg-xauth 1.0.4-1
    X.Org authorization settings program
    local/xorg-xinit 1.2.0-1 (xorg)
    X.Org initialisation program
    local/xorg-xkb-utils 7.5-2
    X.org keyboard utilities
    local/xproto 7.0.16-1
    X11 core wire protocol and auxiliary headers
    local/xsel 1.2.0-1
    XSel is a command-line program for getting and setting the contents of the X
    selection
    local/xterm 255-1 (xorg)
    X Terminal Emulator
    local/xvidcore 1.2.2-1
    XviD is an open source MPEG-4 video codec
    local/xz-utils 4.999.9beta-2
    utils for managing LZMA and XZ compressed files
    local/yaourt-git 20100319-1
    A pacman wrapper with extended features and AUR support
    local/zd1211-firmware 1.4-3
    Firmware for the in-kernel26 zd1211rw wireless driver
    local/zlib 1.2.4-1
    Compression library implementing the deflate compression method found in
    gzip and PKZIP
    local/zvbi 0.2.33-2
    VBI capture and decoding library
    Output of lsmod
    Module Size Used by
    nls_cp437 4513 1
    vfat 8348 1
    fat 43888 1 vfat
    ipv6 237596 22
    snd_hda_codec_analog 51443 1
    i915 267595 2
    drm_kms_helper 21971 1 i915
    i2c_i801 7122 0
    drm 126556 3 i915,drm_kms_helper
    i2c_algo_bit 4219 1 i915
    ndiswrapper 172796 0
    usbhid 33579 0
    hid 61085 1 usbhid
    i2c_core 15369 4 i915,i2c_i801,drm,i2c_algo_bit
    iTCO_wdt 7577 0
    ppdev 4882 0
    lp 6616 0
    video 14871 1 i915
    e1000e 112803 0
    ide_pci_generic 2008 0
    button 3638 1 i915
    iTCO_vendor_support 1453 1 iTCO_wdt
    output 1404 1 video
    ide_core 76951 1 ide_pci_generic
    intel_agp 23225 1
    agpgart 23331 2 drm,intel_agp
    processor 26526 2
    dcdbas 4440 0
    thermal 9326 0
    sg 21079 0
    psmouse 56309 0
    serio_raw 3620 0
    snd_seq_dummy 1099 0
    snd_seq_oss 25304 0
    snd_seq_midi_event 4452 1 snd_seq_oss
    snd_seq 42628 5 snd_seq_dummy,snd_seq_oss,snd_seq_midi_event
    snd_seq_device 4313 3 snd_seq_dummy,snd_seq_oss,snd_seq
    snd_hda_intel 18985 0
    snd_pcm_oss 33693 0
    snd_mixer_oss 14810 1 snd_pcm_oss
    snd_hda_codec 56728 2 snd_hda_codec_analog,snd_hda_intel
    parport_pc 27680 1
    snd_hwdep 5102 1 snd_hda_codec
    snd_pcm 57351 3 snd_hda_intel,snd_pcm_oss,snd_hda_codec
    parport 26575 3 ppdev,lp,parport_pc
    snd_timer 16117 2 snd_seq,snd_pcm
    pcspkr 1347 0
    evdev 6970 8
    snd 43847 11 snd_hda_codec_analog,snd_seq_oss,snd_seq,snd_seq_device,snd_hda_intel,snd_pcm_oss,snd_mixer_oss,snd_hda_codec,snd_hwdep,snd_pcm,snd_timer
    soundcore 5007 1 snd
    snd_page_alloc 5841 2 snd_hda_intel,snd_pcm
    loop 11399 0
    rtc_cmos 7504 0
    rtc_core 12011 1 rtc_cmos
    rtc_lib 1450 1 rtc_core
    ext2 56463 1
    mbcache 4278 1 ext2
    sr_mod 13161 0
    cdrom 31625 1 sr_mod
    sd_mod 24101 3
    usb_storage 34006 2
    pata_acpi 2264 0
    ata_generic 2235 0
    ata_piix 17725 0
    uhci_hcd 19156 0
    libata 135579 3 pata_acpi,ata_generic,ata_piix
    scsi_mod 78933 5 sg,sr_mod,sd_mod,usb_storage,libata
    ehci_hcd 31594 0
    usbcore 118921 6 ndiswrapper,usbhid,usb_storage,uhci_hcd,ehci_hcd

  • A very Strange Problem!!!help me!!

    i encounter a very strange problem, in EJB
    i write two EJB, one Stateless Session called A, and one Entity called B.
    i want to call B's findByPrimaryKey method in one A's Business, but failed!!!
    but when i remove the statement that performed the findByPrimaryKey method to A's setSessionContext method, It's Success!!!!!
    what the Problem, i am useing the Borland 's AppServer.
    who can help

    how u create the entity bean B from A?
    using proper lookup?
    can u try by write a small function inside bean A
    that contain proper lookup to Bean B...
    then try to call finbyPrimaryKey...
    now tell me is it working?
    or else can u give code or clear idea..
    if i can help u ,,,, sure i will
    do mail me
    [email protected]

  • Very strange!! i got the old web?

    I have a very strange thing that happened and iam trying to figureout what is going on after i tried modifying tens or maybe hundreds of setting trying to solve it.
    I have a motorola sbg6580 for my home perimeter i have forwared port 80 to my webserver and it works fine jst like always.
    Now i also have an ASA 5505 which i configured for the webserver, after i put the webserver behind it the topology config was like this:
    motorola sbg6580>ASA>switch>webserver1+webserver2+laptop. (forworded port 80 from the moto to the ASA external interface).
    strangely, from the outside internet i can access only the old version of the website (i did updated the website the night before and it worked fine when connected directlly to the moto with out the ASA).
    Then i found out that the old version of the website (website contects before update) also exist on the other web server so i figured OK i forgot to stop the other server's website, but when i stopped the other server'ways website the same thing keeps happening..i get the old website.
    By the way (when i type the address of the intended website (ip address http://x.x.x.x) from a computer on the VLAN or the LAN I Get the updated view of the website and everything is fine, but when i access it from the internet i get the old unupdated view!!!
    After that i got the webserver off the ASA's network and connected it directly to the moto like before when it was working fine (and i did the port forwarding to the server again) i got the same problem again..i get the old view of the website not the updated when i try to open it from the internet,but when i open it locally from the LAN i get the new updated website with no problem.
    This got me thinking of three possibilities:(which are impossible to even think about):
    1-Is there some caching function of the webserver it self for the old website or some where on the network? (if yes then how come i can open it just fine and view the updated website from the LAN or from the webserver host it self?) so this might be impossible which brings the thought of the second and most likely possibility which is:
    2-The Motorolla router somehow have a malfunction wth it's forwarding capability (which is also not possible because when i send http request from the internet i do get the website but not the updated one but the old version which does not even exist on the server.
    3-The ASA firewall is somehow contagious!!!
    The question is (where exactly is this old website is view or layout is coming from after i tookout it's files from the server it self and replaced it with new files when are for the new updated website) , and how to fix it?
    This is the first time i see such a thing and i have been trying for hours and hors to solve it or see where the problem is (i suspect problem in the moto router)

    Apple has an out of warranty replacement program, the cost in the US is $199. I don't know if any original iPhones are still available under this program(remember, that phone was discontinued sometime ago), but even if they were, why would you spend $200 on a discontinued phone?

  • Very Strange Internet Problems

    I own a MacBook Pro 15.4 Inch that I purchased about a year and a half ago. I recently upgraded to Leopard and have all the latest updates. I am from the US, and when I am home my internet works fine. However, I am on travel to Seoul, South Korea right now and am having a very strange internet problem.
    As far as I can tell, the URLs that I type in to my browser are, sparodially, not translated correctly into the webpages that they are supposed to represent. This problem is probably effective 75% of the time, and the rest of the time my internet works roughly correctly. For instance, when I enter http://www.google.com, instead of being taken to the Google homepage, I am taking to the homepage of Jammin Beats DJ Service, an obscure website about a company in northern Pennsylvania. The actual URL of this website is http://www.jamminbeats.com, but when my internet is malfunctioning, 'jamminbeats' is for all intensive purposes replaced by 'google' (that is, it applies not only to the main page, but to sub pages, so "http://www.google.com/weddings" takes you to "http://www.jamminbeats.com/weddings" and etc). For most other webpages, one of two things happens. Either I am taken to the correct page but it is displayed without any images or frames (just the html text and links), or I am taken to a blank page with the header "Under Construction", which I assume is the default for a page that doesn't exist. This is why it seems as though the URLs are simply being interpretted erroneously.
    This problem occurs when connecting both to the wireless and the wired internet at my hotel, and it occurs on both Safari and Firefox, so it is not a connection-specific or browser-specific problem. It may be a problem with the hotel's internet, and as of yet I have not had a chance to test the computer at another location. However, a colleague using an IBM computer has had no problems, and I am currently on a Samsung machine in the business center of the hotel and it is working correctly as well. I have searched extensively online for a similar problem but have come up empty handed, and more than anything, I am confused about what might be causing this problem. The strangest thing is that a fraction of the time, the internet functions normally, but it is usually roughly 15 minutes out of every hour, and eventually I am inevitably taken back to Jammin Beats.
    I am a computer science graduate but I still have no idea what would cause this problem. At first I thought it might be a hacker, but if it is, he or she has been at it consistently for 3 days now, and only seems to be targeting my computer. Any ideas or solutions would be greatly appreciated, as I have been forced to resort to the hotel's business center for checking email, doing work, etc. Thanks in advance.

    I did consider that, as I was in Beijing last week and there are a number of censored sites. However, in Korea I have had problems with very basic sites like facebook, wall street journal, google, yahoo, Korean google, my hotel's webpage, etc. Further, I have successfully gotten all of these sites to load seemingly at random, and can access them without problems on other computers. The only disconnect seems to be between my MBP and the internet, not between Korean internet and the web. I have toyed around with the network settings, and although sometimes after switching from "Automatic" to a fixed connection I get some sites to work, it usually only lasts a short time and eventually the same sites stop working. I reset my cache regularly to make sure I'm not getting sent to cached sites, but this also doesn't help. Further, my Apple Mail, Skype and AIM accounts jump between being connected and disconnected randomly as well. Again, this is isolated to my own computer, which is why I'm so confused.

  • Strange "Call Library function" behaviour

    I'm facing a very strange problem during last week. I need to call some functions using Call library function node.
    I have done many times in the past and I'm quite sure to call the function in the right way but I need help.
    Synthetically I have to call in order the following functions:
    DVRInitLibrary
    DVRGetLibraryVersion
    DVROpenConnection2
    DVRConnectSite
    DVRDisconnectSite
    DVRCloseConnection
    The first three functions works fine (I have the same result using it under Visual Studio!!). The function that I'm not able to call correctly is the following:
    DVRRESULT WINAPI DVRConnectSite(
    DVRHANDLE Handle,
    LPCSTR SiteIP,
    INT SitePort,
    LPCSTR UserID,
    LPCSTR Password,
    INT AReadTimeOut
    The function return a generic error code that doesn't give any useful information. Attached there is an image showing the way I'm calling the function. I did a lot of trials but I'm not able to understand the problem (under Visual Studio on the same machine It works!!). Same result on LabVIEW 7.1.1 or 8.6.1 or 2009 under Windows XP.
    Regards
    Golzio
    Message Edited by Golziante on 05-17-2010 03:42 AM
    Attachments:
    CLN.jpg ‏71 KB

    First of all thank you for your answers.
    Taking into account your advice yesterday I was able to correctly connect to my DVR using the .NET solution (attached youcan find the block diagram).
    As for the DLL call, you don't show your LabVIEW code, but be aware that a CStr is not the same as an LPCSTR. The latter is a pointer to a constant string. Thus, the DLL is expecting a pointer to a memory location that contains a string that will not change.
    I got your point, but now I don't know how to pass an LPCSTR to this function. I also try to search here but I wasn't able to find some help.   
    Regards
    Bye 
    Attachments:
    BD_DOTNET.jpg ‏63 KB

  • Very strange performance issue

    Hi!
    I've got a very very strange performance problem and I have no more ideas what it might be:
    The following code fragment contains the useless line int count=0;
    However, deleting the line reduces(!) the execution speed of the program by ~30%. This is not only weird because the line is absolutely useless, but also because the whole function only takes <1% total execution time in the program.
        public void simuliere_bis_soll_erreicht()
            int count=0;  //????
            while(welt.soll_simulationszeit>welt.ist_simulationszeit && simu_active)
                simuliere_einen_schritt();
        }The problem occurs both under Java 1.5 and 1.4.2, using the HotSpot-Client.
    Cleaning and rebuilding the project does not help.
    It occurs on different computers in the same way, too.
    Thank you very much in advance! :-)
    Mirko Seithe

    well, this is what you get:
    1.) run totally interpreted since compilation threshhold is reached (1500 (client jvm) - 10000 (server-jvm)
    2.) start background compilation, run further in interpreted mode till compilation finishes (depends on code, but about 1000-10000)
    3.) run compiled code
    so this is what you get:
    ~20.000 invokations interpreted (about 70-90%n of total time)
    ~80.000 invokations compiled (30-10% of total time)
    maybe your int takes much longer to optimize, so the loop executes much longer in interpreted code.
    I would not bet on such microbenchmarks, since they do not tell you real stories under real circumstances. Believe me, I am the programmer working on performance optimizations in the company I am employed.
    lg Clemens

  • Very strange behaviour of RGBImageFilter class

    Hi!
    I found very strange behaviour of RGBImageFilter class and problem is
    that I need to solve that problem :/ So, situation is next:
    I decided to use filtering process for collecting information about
    image. So, I extended my own class from RGBImageFilter and overwrite
    filterRGB( ... ) method ( everything is absolutely the same as in
    documentation ) and also added my own code for 'no matter what'.
    This code changes some class variable and my idea was to read those
    variables after filtering process end, but... Suddenly I realized that
    those variables, many times changed while filtering were performed
    ( I checked it ) after filtering gave the same value as in constructor!
    The only one clue and idea about what happened is that class instance
    were cloned and then executed, but thats not a functionality I was
    searching. :/ I made some example of that 'effect'.
    Image file name goes in command line.
    Please pay attention on -3 value on exit: Filtering works, count growing
    ( just uncomment setPixels() method to see it ) but, but...
    import java.awt.*;
    import java.awt.image.*;
    import javax.swing.*;
    class ToForum
         public static void main( String[] args )
              try
                   JFrame frame = new JFrame( "now i beleave in x-files!" );
                   frame.setDefaultCloseOperation( frame.DISPOSE_ON_CLOSE );
                   Toolkit kit = Toolkit.getDefaultToolkit();
                   Image origin = kit.getImage( args[0] );
                   RedBlueSwapFilter filter = new RedBlueSwapFilter();
                   Image filtered = frame.createImage( new FilteredImageSource( origin.getSource(), filter ) );
                   MediaTracker tracker = new MediaTracker( frame );
                   tracker.addImage( filtered, 1 );
                   tracker.waitForAll();
                   System.out.println( "AND WE GOT: "+filter.getCount()+" !!!" );
                   Container content = frame.getContentPane();
                   content.setLayout( new FlowLayout() );
                   JLabel label = new JLabel( new ImageIcon( filtered ) );
                   content.add( label );
                   frame.pack();
                   frame.setVisible( true );
              catch( Exception ex )
                   System.out.println( "Exception in main():\n"+ex );
    class RedBlueSwapFilter extends RGBImageFilter
         private int count=-5;
         public RedBlueSwapFilter()
              count = -3;
              canFilterIndexColorModel = true;
         // uncommenting this function will show that filterRGB method IS calling !!!
         // so, why then AFTER filtering count is still ( or again ??? ) equals to 0 ?
         public void setPixels( int x, int y, int w, int h, ColorModel model, int pixels[], int off, int scansize )
              System.out.println( "on entering in setPixels count="+count );
              super.setPixels( x, y, w, h, model, pixels, off, scansize );
              System.out.println( "on exiting from setPixels count="+count );
         public int filterRGB( int x, int y, int rgb )
              count++;
              return ( (rgb&0xff00ff00) | ((rgb&0xff0000) >> 16) | ((rgb&0xff) << 16) );
         public int getCount()
              return count;

    Cliff, Hi. I'm curious because this can't work. I have no problem synching with the exchange - as long as i accept the message that the certificate of the exchange (which is not the certificate of the exchange but the certificate of dig @reighthandsideofmailadress) is not valid (expired, wrong common name etc).

  • Very strange crash when displaying pdf tumbnails in iBooks 1.5

    Hi,
    Recently, I have experienced a very strange behavior in iBooks. The app opened normally and then, some seconds later, dispaly getts blak and the app closes abruptly.
    I have traced back this behavior: It occurs just when the cover tumbnail of some pdf books is displayed in any iBooks' library view (both in bookshelf view and in Title view)
    I removed the troubesome pdf, but found that some others ( wich worked fine fron a lot of time ago) produce just the same behavior.
    When (using the painfully method of trial, and l, and trial again! And again,... )  i finally deleted all the crash - related pdf's, iBooks worked fine again.
    The most intriging features related this behavior are: 1- It is related only with tumbnails. All the pdf are normally vieved using some other ipad psdf viever (such as Kdan Pdf Reader or Adobe Reader for ipad) 2- If yoy remove the cover as pdf first page ( even if you move such cover and put it as the second page, using software like pdf sam) the pdf works fine in iBooks.
    I suppose this is a (annoying) bug, but,is there any suggestion? Is there any way to disable The tumbnail feature in iBooks?
    Best regards

    Somehow this bug came up on my radar yesterday later in the day: the first two comments indicate different plugins, and the third refers to the Acrobat plugin:
    <blockquote>This seems to happen if Adobe Reader is used for displaying PDF documents (pdfjs.disabled set to true and Preferences > Applications > PDF to "Adobe Reader (in Firefox)").<br><br>Opening two tabs displaying PDFs and closing one crashes the other one.<br><br>Was able to reproduce with Firefox 36.0.1 and Adobe Reader plugin "Adobe Acrobat 11.0.10.32". When I tried to reproduce it later again in the same profile (or on Nightly and Beta), the tab didn't crash.</blockquote>
    https://bugzilla.mozilla.org/show_bug.cgi?id=1113190
    Sounds like your issue, but it's puzzling that they got a tab to crash and in your case only plugin-container.exe crashed.

  • Help with getting values from request. Very Strange!!

    Hello,
    My very strange problem is the following.
    I have created three dynamic list boxes. When the user select
    the first list box, the second becomes populated with stuff
    from a database. The third becomes populated when the second
    is selected. Now, I have used hidden values in order for
    me to get the selected value from the first listbox. The
    following code is my first listbox:
    <SELECT NAME="resources" onChange="document.hiddenform.hiddenObject.value = this.option [this.selectedIndex].value; document.hiddenform.submit();">
    <OPTION VALUE =""> Resource</OPTION>
    <OPTION VALUE ="soil"> Soil </OPTION>
    <OPTION VALUE ="water"> Water </OPTION>
    <OPTION VALUE ="air"> Air </OPTION>
    <OPTION VALUE ="plants"> Plants </OPTION>
    <OPTION VALUE ="animals"> Animals </OPTION>
    </SELECT>
    I use the getRequest method to get the value of hiddenObject.
    At this time I am able to get the value of hiddenObject to populate
    the second list box.
    But, when the user selects an item from the second list box
    and the second form is also submitted,
    I lose the value of hiddenObject. Why is this??
    The code to populate my second listbox is the following:
    <SELECT NAME ="res_categories" onChange="document.hiddenform2.hiddenObject2.value = this.options[this.selectedIndex].value; document.hiddenform2.submit(); ">
    <OPTION VALUE ="" SELECTED> Category</OPTION>
    Here I access a result set to populate the list box.
    Please help!!

    Form parameters are request-scoped, hence the request.getParameter("hiddenObject"); call after the submission of the second form returns a null value because the hiddenObject parameter does not exist within the second request.
    A solution would be to add a hiddenObject field to your second form and alter the onChange event for res_categories to read
    document.hiddenform2.hiddenObject.value=document.1stvisibleformname.resources.option[document.1stvisibleformname.resources.selectedIndex].value;
    document.hiddenform2.hiddenObject2.value = this.options[this.selectedIndex].value;
    document.hiddenform2.submit();You will then come across a similar problem with your third drop-down if indeed you need to resubmit the form...
    A far better approach would be to create a session scoped bean, and a servlet to handle these requests. Then when the servlet is called, it would set the value of the bean property, thus making it available for this request, and all subsequent requests within the current session. This approach would eliminate the need for the clunky javascript, making your application far more stable.

  • Address Book behaves very strange

    Hello members and outside viewers,
    First thing: My Address Book behaves very strange.
    - After startup, the window freezes. Only if I minimize and click again, works OK. I began used to it, BUT
    - Since yesterday, Addresses gone, disappeared from every entry.
    - Under Preferences » Address Format is uneditable, it has "Item3" in it, unclickable drop down menu.
    - Under Preferences »Template » Add Field several options are grey: "Phone", "Email", "Related Names", "Instant Messaging", "Address".
    Please can you help me! I deleted both plist files from Preferences folder and deleted the whole folder under Application Support/AddressBook, also reinstalled Address Book from Leopard DVD, but nothing helped so far.
    Second thing: when I invoke Spotlight, and start typing after 2-3 seconds, it quits and also Dock unusable, restarts automatically. Spotlight is useless, it behaves every time like this. Spotlight in Finder windows are OK, system-wide menubar has this error. Also, it was suddenly gone wrong like Address Book. Can I think of some virus?
    P.S. (off topic), might helpful to share: very frustating, that registering to Discussions took me over an hour.
    - With Safari 4.03 the "Name" and "AppleID" are blank fields on "Create New User Account", therefore impossible to proceed. ( Error: invalid AppleID. Please login with a different AppleID )
    - With Firefox you can actually see them, but "?" instead of accounted letters.
    - After changing My Info, I finally realised that Apple ID should be complete e-mail address.
    - That means my "visionfresh" account is totally different from "[email protected]" (or me.com, whatever..)
    - Not to mention that I created a new Apple ID, that was also not working.
    - Bottom line: my "[email protected]" account is working also in Safari after editing my Name (replace accented characters), but I could not proceed with the nickname "visionfresh", I chose "matyashuszar".

    {quote:title=Console.App shows this when starting Address Book}
    2009.09.03. 18:45:48 Mail[228] SyncServices[ISyncSessionDriver]: Caught top level exception: I/O error for database at /Users/matyashuszar/Library/Mail/AvailableFeeds. SQLite error code:1, 'SQL logic error or missing database' Stack trace: (0x91ffcfeb 0x966c4e3b 0x92071f1a 0x920713f8 0x9206d18b 0x920a2e40 0x92097c2d 0x920977da 0x92077001 0x38767c 0x38758d 0x38751a 0x92061302 0x920a7260 0x920a6ad4 0x920a67ff 0x920633c8 0x92062f99 0x92061ea0 0x387303 0x38748e 0x1627da55 0x94ddd1e8 0x94dc923d 0x94e632cb 0x904d1dfd 0x904d19a4 0x95d56155 0x95d56012)
    2009.09.03. 18:51:27 Address Book[6144] -[ABAddressBook setDefaultCountryCode:] called with unknown country code 'us'
    2009.09.03. 18:51:27 Address Book[6144] NSScanner: nil string argument
    2009.09.03. 18:51:27 Address Book[6144] * -[NSCFArray insertObject:atIndex:]: attempt to insert nil
    {quote}
    Please help what to to do!

  • My iPhone is saying its taking up 10g of photos and I only have 154 pictures. Also when I got my screen fixed I had 2,000 and when I got it back I had 0 but my wallpapers remained.. Very strange. It's as if my phone still has the pictures but I can't see

    My phone is saying all my storage for pictures is taken up when I only have 154 picture.. It happened when I got my screen fixed at a kiosk in a mall and I had 2,000 pictures when I gave it to him and when I got it back I had 0 but my wallpapers remained.. Very strange it's as if my phone still has the pictures on there.. But I can't see them. Anybody know what I should do :( I keep having to delete apps because I have no more storage for no reason :(((

    You may have to try deleting all the music from your phone (by going to Settings>General>Usage>Music, swipping All Music and tapping Delete), then sync it all back on with iTunes in order to fix this.

  • Very strange error: unable to activate any messgae mapping in IR

    very strange error,
    i m unable to activating any message mapping in IR,
    while activating the error thrown was:
    /usr/sap/XID/DVEBMGS00/j2ee/cluster/server0/./temp/classpath_resolver/Mapdddd0cb0100311dca6090012799eddc6/source/com/sap/xi/tf/_MM_sdptestFileToFile_.java (No such file or directory (errno:2))
    My observation:
    On looking at the error, i found that the folder Mapdddd0cb0100311dca6090012799eddc6 is not created at the proper place.....
    Which i assume is created dynamically created on activating a message mapping,
    Now, i saw that the directory in which these Map* folders were created, already contained 32765 folders....... since this machine is UNIX, the max no. of directories that can be inside a directory cannot be more than 32768(not confirm).....
    hence the folder Map* cant be created at the proper place...and hence message mapping cant be activated.........
    ever encountered this problem....................
    pls help

    solved by self,
    solution: delete temporary folders created during any activation of message-mapping in IR, in the classpath_resolver folder of XID HOME directory......
    solution is specific to file system/OS....

  • Files transferred to external HD end up in trash - very strange issue

    Hi,
    I seem to be having a very strange issue, hopefully somebody can help or has seen this before.
    Hardware: MacBook Air, Western Digital Passport external HD, 250gb, formatted NTFS.
    Software: OSX 10.7 Lion, Paragon (allows me to write to an NTFS formatted HD)
    Issue Summary: I copy something to the external HD; I empty trash; the file I copied is deleted from the external HD. It doesn't happen every time.
    I do also seem to have a persistent folder in trash called "WD Sync Data" that won't go away unless I re-delete it as it's also in the root of the drive. Not sure if this is related somehow.
    Recently I copied 3 video files inside a folder to the HD, then disconnected the HD. When I reconnected it a while later and noticed that inside the "WD Sync Data" folder in trash were the 3 files I'd copied. I then looked inside the same folder on the root of the drive and the files were there, instead of inside the folder that I'd copied to the drive, which had vanished. If I hadn't noticed and had emptied the trash, those files would've been deleted.
    It's definitely happened more than once; last time I actually deleted the files from my computer after copying, then emptied trash, and they were gone from the external HD also.
    I've only found one person who seemed to be experiencing a similar problem back in 2010. It sounds similar though it could've been user error: http://www.mac-forums.com/forums/apple-notebooks/188224-weird-external-hard-driv e-trash-problem-help-please.html
    Has anyone experienced this or have any suggestions?

    Quick update: I ran a verify then a repair in Disk Utility as there were a couple of errors. Hopefully this has solved the issue, however it'd still be interesting to know if anyone's come across this before and what caused it?

Maybe you are looking for

  • RH 7 generating invalid html files

    First I should say that this is a foreign language project. The default language has been changed accordingly. When I generate WebHelp, from Single Source Layout, the output view shows that about 10% of my topics are duplicated as invalid html files.

  • Mapping constant values to the target data source columns

    Hi A Target data source has only two columns(RPT_NAME, RPT_LEVEL) and both of them are constants and mapped as follows WITH TEMP1 AS (select 'AS' as A from dual union select 'IS' as A from dual union select 'ED' as A from dual select t.A as RPT_NAME,

  • Cannot sign in my apple id in my iTunes

    I can't sing in my apple id in my iTunes 11. What can i do??? I don't have credit card. how to get in

  • Split Payment Advice in FEBA

    In FEBA, there is functionlity of FEBA. We are planning to use this. We tried in our test system, by clicking the split payment advice, nothing appears but the payment advice locked. Can you please help how to use this Split Payment advice functional

  • I'm having trouble setting-up an e-mail for my niece

    I have talked to comcast and they said that it was a Apple setting problem.  Can anyone help?