JComboBox items not showing up properly ?

I have the following program :
import java.awt.*;
import javax.swing.*;
import java.awt.event.*;
import java.util.*;
public class Java_Test extends JPanel
  static JTabbedPane Tabbed_Pane=new JTabbedPane();
  JComboBox Contacts_ComboBox;
  Customer_Info_Panel A_Customer_Info_Panel=new Customer_Info_Panel();
  Java_Test()
    JPanel A_Tab_Panel=new JPanel();
    A_Tab_Panel.setPreferredSize(new Dimension(300,200));
    A_Tab_Panel.add(A_Customer_Info_Panel);
    JPanel B_Tab_Panel=new JPanel();
    B_Tab_Panel.setPreferredSize(new Dimension(300,200));
    Contacts_ComboBox=new JComboBox(A_Customer_Info_Panel.Contacts_Id_Vector);
//    Contacts_ComboBox=new JComboBox(A_Customer_Info_Panel.Contacts_Id_ComboBox.getModel());
    Contacts_ComboBox.setMaximumRowCount(30);
    Contacts_ComboBox.setSelectedIndex(-1);
    Contacts_ComboBox.setPreferredSize(new Dimension(129,22));
    B_Tab_Panel.add(new JLabel("Select Customer Info From List :"));
    B_Tab_Panel.add(Contacts_ComboBox);
    Tabbed_Pane.addTab("A : Enter Customer Info",null,A_Tab_Panel,null);
    Tabbed_Pane.addTab("B : Use Entered Info",null,B_Tab_Panel,null);
    add(Tabbed_Pane);
    setPreferredSize(new Dimension(500,300));
  static void Out(String message) { System.out.println(message); }   
  public static void main(String[] args)
    final Java_Test demo=new Java_Test();
    Dimension Screen_Size=Toolkit.getDefaultToolkit().getScreenSize();
    final JFrame frame=new JFrame("JComboBox Test");
    frame.add(demo);
    frame.addWindowListener(new WindowAdapter()
      public void windowClosing(WindowEvent e)  { System.exit(0); }
      public void windowDeiconified(WindowEvent e)  { demo.repaint(); }
      public void windowGainedFocus(WindowEvent e)  { demo.repaint(); }
      public void windowOpening(WindowEvent e) { demo.repaint(); }
      public void windowResized(WindowEvent e) { demo.repaint(); } 
      public void windowStateChanged(WindowEvent e) { demo.repaint(); }
    frame.pack();
    frame.setBounds((Screen_Size.width-demo.getWidth())/2,(Screen_Size.height-demo.getHeight())/2-10,demo.getWidth(),demo.getHeight()+38);
    frame.setVisible(true);
class Customer_Info_Panel extends JPanel
  Vector<String> Contacts_Id_Vector=new Vector<String>();
  JComboBox Contacts_Id_ComboBox=new JComboBox(Contacts_Id_Vector);
  Customer_Info_Panel()
    Contacts_Id_ComboBox=new JComboBox(Contacts_Id_Vector);
    Contacts_Id_ComboBox.setMaximumRowCount(30);
    Contacts_Id_ComboBox.setSelectedIndex(-1);
    Contacts_Id_ComboBox.setEditable(true);
    Contacts_Id_ComboBox.setPreferredSize(new Dimension(129,22));
    Contacts_Id_ComboBox.addActionListener(new ActionListener()
      public void actionPerformed(ActionEvent evt)
        String New_Item=Contacts_Id_ComboBox.getSelectedItem()==null?"":Contacts_Id_ComboBox.getSelectedItem().toString().trim();
        if (!Contacts_Id_Vector.contains(New_Item)) Contacts_Id_Vector.add(New_Item);
//        Contacts_Id_ComboBox.firePopupMenuWillBecomeVisible();
    add(new JLabel("Please Enter Customer Info Below :"));
    add(Contacts_Id_ComboBox);
    setPreferredSize(new Dimension(270,170));
}It complies and demonstrates the problem detailed below :
<1> In Tab A, enter "123" into the JComboBox and hit the "Enter" key, now I have one item in the drop down list
<2> In Tab A again, enter "ABC" and hit the "Enter" key again, now I have both "123" and "ABC" in Tab A's drop down list
<3> Now in Tab B you can see both items you entered in Tab A, try select one of them, it seems to work fine
<4> Goto Tab A and enter "111" and hit the "Enter" key, now if you click on the drop down list, they are all gone, you can't see any of them, but if you look at Tab B, they are all there, sometimes Tab B shows an empty list, but if you click in the empty list, they will show up correctly. But in Tab A no matter how you click, you can't see any item.
I tried to enter all three items in Tab A one after another : 123[Enter key] + ABC[Enter key] + 111[Enter key] then look them up in Tab B, they are all there, but if I go back to Tab A and try to enter "333"+[Enter key], all items in A will be gone again.
I found this problem a year ago, but I am now running Java 1.6.0_03 on Windows XP, the problem is still there.
Maybe it's my program's problem, but how to fix it ? I need a JComboBox in Tab A that user can enter info and in Tab B I need another JComboBox that user can use the entered info from Tab A, any time the info in Tab A gets changed, it needs to be reflected in Tab B's JComboBox, am I doing it the wrong way ? If so, what's the right way ?
The above program will compile and run to show you the problem.
Frank

petes1234, I tried your program, it works great, exactly as I expected, I also tried to add a delete button next to the check button, it can delete items in Tab A, but not in Tab B or C, works correctly, because only in Tab A do I expect users to modify data, the data in Tab B is read only, so this satisfies my needs, the modifies program looks like this now :
import java.awt.BorderLayout;
import java.awt.Dimension;
import java.awt.GridLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Vector;
import javax.swing.BorderFactory;
import javax.swing.ComboBoxModel;
import javax.swing.DefaultComboBoxModel;
import javax.swing.JButton;
import javax.swing.JComboBox;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JTabbedPane;
import javax.swing.MutableComboBoxModel;
public class ComboFoo extends JPanel
    private static final int MAX_ROW_COUNT = 30;
    private JComboBox comboA;
    private JComboBox comboB;
    private JComboBox comboC;
//    private Vector<String> sharedComboData;
    MutableComboBoxModel sharedComboData;
    public ComboFoo()
        int ebGap = 8;
        int glGap = 5;
        setBorder(BorderFactory.createEmptyBorder(ebGap, ebGap, ebGap, ebGap));
        setLayout(new GridLayout(0, 1, glGap, glGap));
        JTabbedPane tabbedPane = new JTabbedPane();
        tabbedPane.setPreferredSize(new Dimension(300, 200));
        add(tabbedPane);
        //sharedComboData = new Vector<String>();
        sharedComboData = new DefaultComboBoxModel();
        comboA = new JComboBox(sharedComboData);
        comboB = new JComboBox(sharedComboData);
        comboC = new JComboBox(sharedComboData);
        comboA.setEditable(true);
        comboB.setEditable(false);
        comboC.setEditable(false);
        comboA.setMaximumRowCount(MAX_ROW_COUNT);
        comboA.setSelectedIndex(-1);
        comboA.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent event)
            {   comboAAction(event); }
        tabbedPane.addTab("Tab A", createPanel(comboA, "Master ComboBox: comboA"));
        tabbedPane.addTab("Tab B", createPanel(comboB, "Slave ComboBox: comboB"));
        JPanel lowerPanel = createPanel(comboC, "Slave ComboBox: comboC");
        add(lowerPanel);
    private void comboAAction(ActionEvent event)
        String newItem = (String)comboA.getSelectedItem();
        newItem = (newItem == null) ? "" : newItem.trim();
        MutableComboBoxModel comboAModel = (MutableComboBoxModel)comboA.getModel();
        int comboAModelSize = comboAModel.getSize();
        boolean hasItem = false;
        for (int i = 0; i < comboAModelSize; i++)
            if (newItem.equals(comboAModel.getElementAt(i)))
                hasItem = true;
        if (!hasItem)
            comboAModel.addElement(newItem);
        if (!sharedComboData.contains(newItem))
            sharedComboData.add(newItem);
        //sharedComboData.addElement(newItem);
    private JPanel createPanel(JComboBox combo, String text)
        JPanel comboPanel = new JPanel(new BorderLayout());
        int ebGap = 10;
        comboPanel.setBorder(BorderFactory.createEmptyBorder(ebGap, ebGap, ebGap, ebGap));
        comboPanel.add(combo, BorderLayout.NORTH);
        final JComboBox jpCombo = combo; // so I can check in actionlistener
        comboPanel.add(new JLabel(text), BorderLayout.CENTER);
        // checks the contents and state of the current combobox
        // and prints the information in the Console.
        JPanel btnPanel = new JPanel();
        JButton checkComboBtn = new JButton("Check Combo");
        checkComboBtn.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent event)
                if (jpCombo == comboA)
                    System.out.println("comboA");
                else if (jpCombo == comboB)
                    System.out.println("comboB");
                else if (jpCombo == comboC)
                    System.out.println("comboC");
                int itemCount = jpCombo.getItemCount();
                System.out.println("item count = " + itemCount);
                System.out.println("selected index = " + jpCombo.getSelectedIndex());
                System.out.println("selected item = " + jpCombo.getSelectedItem());
                System.out.println("List Items:");
                for (int i = 0; i < itemCount; i++)
                    System.out.println("  " + jpCombo.getItemAt(i).toString());
                System.out.println();
        btnPanel.add(checkComboBtn);
        JButton deleteComboBtn = new JButton("Delete Item");
        deleteComboBtn.addActionListener(new ActionListener()
            public void actionPerformed(ActionEvent event)
                if (jpCombo == comboA)
                    System.out.println("comboA");
                    sharedComboData.removeElementAt(jpCombo.getSelectedIndex());
                else if (jpCombo == comboB)
                    System.out.println("comboB");
                else if (jpCombo == comboC)
                    System.out.println("comboC");
                int itemCount = jpCombo.getItemCount();
                System.out.println("item count = " + itemCount);
                System.out.println("selected index = " + jpCombo.getSelectedIndex());
                System.out.println("selected item = " + jpCombo.getSelectedItem());
                System.out.println("List Items:");
                for (int i = 0; i < itemCount; i++)
                    System.out.println("  " + jpCombo.getItemAt(i).toString());
                System.out.println();
        btnPanel.add(deleteComboBtn);
        comboPanel.add(btnPanel, BorderLayout.SOUTH);
        return comboPanel;
    private static void createAndShowGUI()
        JFrame frame = new JFrame("ComboFoo Application");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.getContentPane().add(new ComboFoo());
        frame.setLocationRelativeTo(null);
        frame.pack();
        frame.setVisible(true);
    public static void main(String[] args)
        javax.swing.SwingUtilities.invokeLater(new Runnable()
            public void run()
                createAndShowGUI();
}Thanks petes1234 for the help ! But is there a down side for using MutableComboBoxModel instead of Vector, such as "thread safe" issue ? When is MutableComboBoxModel more suitable than Vector and vise versa ? Especially in this situation.

Similar Messages

  • SRM 7.0 - Unconfirmed PO limit items not showing up when creating Invoice

    Hi Guys,
    For PO standard items, when creating an invoice and is unconfirmed, these items still show up in the invoice screen and the invoice gets created with the status 'Waiting for preceding document'. For unconfirmed limit items, these items do not show up at all in the creation of the invoice and displays an error. My question is how will I make the unconfirmed limit items scenario work just like the standard items scenario whereby instead of the unconfirmed limit items not showing up and generating an error, they will show up and have the invoice created with the status 'Waiting for preceding document'?
    Thanks in advance!

    Is this thread still valid? If not, please close the thread.
    If so, as no response has been submitted, please rephrase your question and/or provide further information to describe your requirement.
    Thanks
    Jason
    SDN SRM Moderator Team

  • In web console Attestation menu item not showing,after OIM 9.1.0.1 install

    In web console Attestationmenu item not showing,after OIM 9.1.0.1 installation
    Version: 9.1.0.1860.16
    Build 1860.16
    thanks.

    Choose option Oracle Identity Manager with Audit and Compliance Module during installation.
    INIYA.

  • ScrollBars not showing up properly

    I am displaying a JTree in a JScrollPane with default settings ie. both horizontal and vertical scroll bars will show up when the contents can not fit in to the scroll pane.In this case when i expand the tree nodes the scroll bars are not showing up properly.It looks like the foreground is not painted properly.The background color is white here.We are using custom look and feel, not the standard one. Any idea why it is so?
    Thanx in advance
    Ashok

    This is the MetalTheme i am using.
    public class SSBCMetalTheme extends javax.swing.plaf.metal.MetalTheme
    //     private final ColorUIResource primary1 = new ColorUIResource(102,102,153);
         private final ColorUIResource primary1 = new ColorUIResource(0,0,0);
    //     private final ColorUIResource primary2 = new ColorUIResource(153,153,204);
         private final ColorUIResource primary2 = new ColorUIResource(153,153,153);
    //     private final ColorUIResource primary3 = new ColorUIResource(204,204,255);
         private final ColorUIResource primary3 = new ColorUIResource(204,204,204);
    private final ColorUIResource windowBackground = new ColorUIResource(Color.white);
    private final ColorUIResource textHighlight = new ColorUIResource(Color.blue);
         private final ColorUIResource secondary1 = new ColorUIResource(102,102,102);
         private final ColorUIResource secondary2 = new ColorUIResource(153,153,153);
         private final ColorUIResource secondary3 = new ColorUIResource(204,204,204);
    //     private FontUIResource controlFont = new FontUIResource("Dialog",Font.BOLD,12);
         private FontUIResource controlFont = new FontUIResource("Dialog",Font.BOLD,11);
    //     private FontUIResource systemFont = new FontUIResource("Dialog",Font.PLAIN,12);
         private FontUIResource systemFont = new FontUIResource("Dialog",Font.PLAIN,11);
    //     private FontUIResource userFont = new FontUIResource("Dialog",Font.PLAIN,12);
         private FontUIResource userFont = new FontUIResource("Dialog",Font.PLAIN,11);
         private FontUIResource smallFont = new FontUIResource("Dialog",Font.PLAIN,10);
         public String getName() { return "SSBC"; }
         protected ColorUIResource getPrimary1() { return primary1; }
         protected ColorUIResource getPrimary2() { return primary2; }
         protected ColorUIResource getPrimary3() { return primary3; }
         protected ColorUIResource getSecondary1() { return secondary1; }
         protected ColorUIResource getSecondary2() { return secondary2; }
         protected ColorUIResource getSecondary3() { return secondary3; }
         //public ColorUIResource getWindowBackground() { return (primary3); };
         public ColorUIResource getWindowBackground() { return windowBackground; };
         public ColorUIResource getDesktopColor() { return (primary3); };
         public ColorUIResource getTextHighlightColor(){ return primary3;}
    //public ColorUIResource getControlDisabled(){ return primary3;}
    //public ColorUIResource getControlHighlight(){ return windowBackground;}
         public FontUIResource getControlTextFont() { return controlFont;}
         public FontUIResource getSystemTextFont() { return systemFont;}
         public FontUIResource getUserTextFont() { return userFont;}
         public FontUIResource getMenuTextFont() { return controlFont;}
         public FontUIResource getWindowTitleFont() { return controlFont;}
         public FontUIResource getSubTextFont() { return smallFont;}
    I can't use windows look and feel as i am using the above look and feel.Any idea what is the problem?
    Thanx
    Ashok

  • Partial Quantity and Line item not showing in MIGO

    HI All,
    My User create STO and after save it is automatically created OBD and PGI through BARCODE now problem is at the time MIGO it is take partially quantity.when i going to do manually rest quantity it is not showing all line items.
    Issue 1. It is showing only one line item instead of two line item Qty.
             2. When i am going to select purchaseorder at migo instead of OBD its showing two line item.
    Please suggest what to do.

    HI Please check i am sending screen shot

  • How do I fix a problem with .eps files not showing up properly in icon view

    Actually my .eps files are not showing properly in any of the views but icon view is most important to me.  I am using OSX.8.5 on a mac mini and mac book air.  Almost all of my .eps files are conversions of .wmf files converted to .eps by WMF Converter software.  All of these files used to be on a PC running windows Vista using ST Thumbnails explorer to be able to view thumbnails.  For background info: I had to use a program to view the WMF files becasue hackers could put viruses into the thumbnail for WMF fies so instead of fixing the problem Microsoft disabled the thumbnail view for all WMF files. 
    A few of my .eps files are conversions of files created in CorelDraw 3x and converted to .eps in CorelDraw 3x.  Both types of .eps files misbehave the same.
    I downloaded one .eps file today from the internet to see if it would misbehave the same way (it does).
    Here is the problem: After a reboot when I first view a folder that contains .eps files in icon view I can see the file contents fine.  If I use the resize slider at the bottom of the window or resize the window itself then some or all of my .eps files revert to displaying the "generic icon" of a Loupe with a picture behind it.  If i can manage to put the resize slider to exactly where it was then my icons display the file contents as they did before I messed with the slider.  There seems to be no rhyme or reason as to when an icon will display as the file contents or when the generic icon comes up.  In some folders all the icons display correctly at the smallest icon size and in other folders the icons may display correctly or as only generic or a mix of generic and file contents.  Icons to files that came from the same source will not necessarily display the same way.  Icons to files that came from the same source and were converted by WMF Converter at the same minute do not necessarily display the same way.  If I display "info" for the files sometimes the previev pane of the info box will display the generic icon or sometimes it will show the file contents.  If I take an .eps icon that displays properly and drop it into a folder where all .eps icons are displayed as generic then that icon displays generic.  When I move that same icon out of that folder then it will display properly.  Icon view, list view, column view and cover flow view all display differently with no discernable pattern.  Sometimes I can see file contents in column view and not icon view.  Sometimes in cover flow and not in icon view.  It makes no difference if I have a handful of .eps files in a folder or hundereds of files in a folder.  After an undetermined amount of time the icons might display properly again or maybe not.
    What I have done so far:  exhaustive search of the internet did not find anyone else with the same issue.  I checked and fixed all disk permission errors that disk utilities would fix.  I know that icon view and quick look are two different things, but, I did however, download and install an eps quicklook plugin that did not seem to make a difference for my issue.  BTW Quick look sometimes works and sometimes not (no discernable pattern to this behavior either).  I tried the cnet download fix for quicklook just for grins.  It had me force QL to reload plugins and it's cache then I cleared out the QL configuration files.  This did not seem to make a difference in the behavior of icon view or Quicklook.  The only two things I have found to be consistant are 1)  The "open with preview" always works but I know this is different because this preview actually generates a pdf view of the file. 2) When the icon does display the file contents it always displays correctly.
    When you read this please be mindful of:  I am a Microsoft refugee not yet familiar with the Apple world so you may have to tell me how to do "simple" things.  I have no idea what is the difference between a "thumbnail" or a "preview" or the behind the scenes way that apple generates the icon appearance for the 4 different views. 
    Any assistance would be greatly appreciated.  I tried to insert a screen shot but got an error message when I did it.

    Was the error number really 0XE8....
    iPhone, iPad, iPod touch: Unknown error containing '0xE' when connecting

  • Calendar items not showing ONLY in list view on iPhone

    Weird: My Calendar items are not showing in the list view only, on iPhone.
    They show when I search, they show in month, they show in Day views--just NOT in list view.
    Ideas?

    I just had the same problem (calendar information--for eight different calendars--OK on laptop and on Mobile me; on the iPhone only 3 of my calendars were displaying in "List" view, but all eight were appearing in "Day" view); first time I've encountered this problem (and immediately after installing the 11-February-2010 iPhone software update, so I'm suspicious that this might have been the cause).
    Solution described in posting immediately above seems to have worked. I.e.,:
    1. shut OFF MobileMe syncing for calendars on the iPhone (from Settings menu);
    2. wait for calendar entries to be removed;
    3. shut off iPhone, and wait 2 minutes;
    4. restart iPhone;
    5. turn ON MobileMe syncing for calendars on the iPhone (again, from Settings menu).
    All eight calendars now appear in List view (and still appear in Day view).

  • Downloaded items not showing up in Purchased List

    I have found that often items that appear to have been downloaded do NOT show up in the purchased list. I will stop using this release. it *****. Plus one cannot view downloads, and one cannot easily sleect a song and see genius suggestions as before.Things are not looking good for Apple these days.

    Try: Store | Check for Available Downloads

  • GL line item not show reverse indicator

    Hi Guru !
    I have problem about GL account that assign account management to be line item so when post entry and reverse entry by use this GL account ,when I see report on t.code FBL3N-GL line item ,they did not show indicator of reverse entry so it difficult to check so I would like this report to reverse indicator or there are some report that can show it . thank you very much.
    Bluesky

    Hi,
    Please check the document type which is used for posting the document. For the document type, the check "Negative posting Allowed" might have been ticked. as a result new line item is not posted. The original line item itself is reversed. May be this is the reason why you are not getting the reversal document.
    Thanks,
    Aman

  • GL Line item not show reverse document

    Hi Guru !
    I have problem about GL account that assign account management to be line item  so when post entry and reverse entry by use this GL account ,when I see report on t.code FBL3N-GL line item ,they did not show indicator of reverse entry so it difficult to check so I would like this report to reverse indicator or there are some report that can show it . thank you very much.
    Bluesky

    Hi,
    Check the Layout of FBL3N Report
    1. Change Layout Ctrl+F8)
    2. Add the Reversal Indicator field
    3. Save the Lay out settings
    Check the Reversal Indicator. If any Key is there It means Reversal document.
    Hope. Your problem solved.
    Regards,
    Kishore K

  • Podcast items not showing on Podcast Page in iTunes App

    The Podcast items of the following Podcast are not showing when I choose to see the Podcast page within iTunes App: https://itunes.apple.com/ch/podcast/uzh-news-video-und-audio/id626789977?l=en
    It's possible to subscribe to the podcast, and all items are being shown in the library as well, but not in iTunes Store View within iTunes App.
    Please help : )
    Devices: Desktop (iTunes 11.02), iPad 2 & iPhone 4S (both with latest iOS) - same problem everywhere

    Hi Roger
    Many thanks for your very fast answer! : )
    In the meantime, we scanned the XMLfrom the RSS-Source (http://www.uzh.ch/news/topics/multimedia.rss) but we could not confirm any missing </image> closing tag.. : /
    You're speaking of 21 instances of 'image' tags while there are only 20 items available in this feed - maybe the 21st might be the <itunes:image... />-tag (for the podcast art) which is not in need of a closing tag?
    We know that iTunes doesn't like our image tag on item level. However, we do need this tags for other usage of this video-article-feed (f.ex. normal RSS feed subscribing) which is why we cannot remove it. But: do you know of any «trick» of specifically blocking that element for iTunes store since its troubling the latter so much?
    Many thanks again, and our kindest regards to you and beautiful Londontown : )
    Martina

  • Line Item not showing in MB02

    Hi,
    In ML81N, there are 7 line items showing against 1 Purchase Order. and when we saw in MB02, then only 1 line item shows.
    How it's possible that in ML81N showing 7 line items but not showing in MB02.
    please clear...

    Hi,
    it might be that all services you see in ml81n are considered in one item in the PO.
    did you check that?
    regards, Paul.

  • Variance Line items not showing in KOB3 - Previous Orders.

    Hello CO Experts,
    Because of not selecting 'Write Line items' check box in Variance key (OKV1), KOB3 is not showing any line items even though variance posting exist.
    After selecting  'Write Line items' check box in Variance key (OKV1), any variance posting there on will be recorded to display as line items in KOB3.
    But my question is how to make this line item display effective for variances posted before selecting 'Write Line items' check box in Variance key (OKV1).
    Thanks in Advance
    -Sahas

    Hello Declan,
    thank you for confirmaiton.
    I think SAP would have provided some solution (may be a program) to make this line item display effective for variances posted before selecting 'Write Line items' check box in Variance key (OKV1).
    -Regards
    Sahas

  • Purchased item not showing in iTunes

    I purchased a song on iTunes the other day and it's not showing in my iTunes now. I've searched by title, artist, genre, I've tried looking in recently purchased items and it's not there. It shows in my purchase history and if I try to download it again I'm told I've already downloaded and would I like to "download it again?" Any ideas?

    Either (1) it did not download in the first place, or (2) it did download but then got deleted, moved, or renamed. If you have done enough searching to determine that it is not number 2, then use the Contact page to report to Apple that it did not download correctly. They will arrange a replacement or refund.

  • Item not showing in Shop

    Hi,
    We have iProc all setup and working correctly. However we have a few items that don't show up when we search for them under Shop tab.
    The items that don't show up are the ones that don't have any BPA or ASL associated. For the items to show do we need to have already a supplier associated by adding the items to a BPA ou ASL?
    Thanks,
    André

    Hi Andre,
    Under Shop tab of iProcurement, you can only search Items which are linked/associated to a BPA/Quote only... Items which are not linked to a BPA or quote will not appear in this page of iProcurement. This screen should not be used as a screen to search Items.
    Hope this helps.
    Kind Regards,
    S.P DASH

Maybe you are looking for

  • "ITunes has Stopped Working" message at sign in

    I try to log in and it takes about two minutes and then I get a box that says it has stopped working.  It gives two options, to check online for solutions and close or to just close program.  I tried the solutions and it gives me nothing.  The messag

  • Heirarchical Tree Issue

    Hi, I am trying to build a tree in a table. I have built that and now am enhancing the application as per my needs. What i want to achieve is the following: The child rows each have a field namely Quantity which the user can change. For that i first

  • Itunes songs cut off

    Recently, some of the songs in my itunes library cut off at approximately 2:30 minutes into the song.  I thought it was a problem with my old ipod, but the same thing happens on a second ipod and on my iphone.  The problem does not happen on my PC. 

  • Forward issue

    When I receive a forwarded message, it sends it to everyone the sender has sent it too.. How do I fix this issue?

  • Logging out of a Contribute site from D/W

    I created a template based site for a client for them to edit using Contribute. I just uploaded some new pages for them adn theyre getting a message saying that I'm still in the site. Do I have to check in *all * of the files in order for me to be lo