Checkbox selected : row not rendering

I am not able to set colors for the row that has checked checkboxes. I want to set red color for the row having
checked checkboxes and green for unchecked.
table.getColumnModel().getColumn(3).setCellEditor(new CustomTableCellRenderer(new JCheckBox(),Name));
table.getColumnModel().getColumn(3).setCellRenderer(new CustomTableCellRenderer3());
setcellEditor:
package moxaclient;
import java.awt.Color;
import java.awt.Component;
import java.awt.event.ItemEvent;
import java.awt.event.ItemListener;
import javax.swing.DefaultCellEditor;
import javax.swing.JCheckBox;
import javax.swing.JTable;
public class CustomTableCellRenderer extends DefaultCellEditor implements ItemListener{
private static final long serialVersionUID = 1L;
private JCheckBox checkBox;
private JTable table1;
private int row;
private int column;
Object abc="null";
private String Name;
Component comm=null;
public CustomTableCellRenderer(JCheckBox checkBox,String name2) {
    super(checkBox);
    this.checkBox = checkBox;
    this.checkBox.addItemListener(this);
    this.Name=name2;  
public Component getTableCellEditorComponent(JTable table, Object value,
        boolean isSelected,int row, int column)
    Component comp = super.getTableCellEditorComponent(table, value, isSelected, row, column);
    this.row = row;
    this.table1=table;
    this.column = column;
    checkBox.setSelected((Boolean)value);
    return super.getTableCellEditorComponent(table, value, isSelected,row, column);
public void itemStateChanged(ItemEvent e)
   this.fireEditingStopped();
    //System.out.println("Item Changed " + row + " value is: " + checkBox.isSelected());
     //System.out.println("Item Changed " + column + " value is: " + checkBox.isSelected());
      String Sensor =(String) table1.getValueAt(row, 0);
      Double Value =(Double) table1.getValueAt(row, 1);
      String Date =(String) table1.getValueAt(row, 2);
      Boolean select=(Boolean) table1.getValueAt(row,3);
       if (Boolean.TRUE.equals(select))
        abc += Sensor+"\t"+Value+"\t"+Name+"\t"+Date+"\t";
        // table1.set Background(Color.black);
        //  checkBox.setBackground(Color.red);
          // comm.setBackground(Color.red);
    Clientthread ct=new Clientthread(abc);
package moxaclient;
import java.awt.Component;
import java.util.EventObject;
import javax.swing.DefaultCellEditor;
import javax.swing.JTable;
import javax.swing.event.CellEditorListener;
import javax.swing.table.DefaultTableCellRenderer;
import javax.swing.table.DefaultTableModel;
import javax.swing.table.TableCellEditor;
import javax.swing.table.TableCellRenderer;
public class CustomTableCellRenderer3 extends DefaultTableCellRenderer {
JTable table1=null;
DefaultTableModel model;
    public CustomTableCellRenderer3() {
        // TODO Auto-generated constructor stub
    public CustomTableCellRenderer3(JTable table,DefaultTableModel model1) {
        this.table1=table;
        this.model=model1;
    @Override
    public Component getTableCellRendererComponent(JTable table, Object value, boolean isSelected, boolean hasFocus, int row, int col)
         Component comp = super.getTableCellRendererComponent(table, value, isSelected, hasFocus, row, col);
         Boolean last=(Boolean)model.getValueAt(row,3);
                   if(last)
                         //setcolor dosent work here
                return null;
}Edited by: 1000637 on Apr 17, 2013 5:29 AM

I suggest first trying to get cell renderers to work as expected before going onto cell editors. See Using Custom Renderers in the Swing tutorial for basic information on how to use cell renderers. That said, subclassing DefaultTableCellRenderer won't do if you want to display a check box, because DTCR is a JLabel but you need to return a JCheckBox as cell renderer component. To get you startet, here is a simple demo for a custom JCheckBox based renderer:import java.awt.Color;
import java.awt.Component;
import java.awt.Dimension;
import java.awt.EventQueue;
import javax.swing.JCheckBox;
import javax.swing.JFrame;
import javax.swing.JScrollPane;
import javax.swing.JTable;
import javax.swing.table.AbstractTableModel;
import javax.swing.table.TableCellRenderer;
* Demonstrates how to create a custom boolean table cell renderer.
public class BooleanRendererDemo {
   * Creates and displays a sample {@link JTable} with a customized boolean
   * table cell renderer.
  private void start() {
    // create a table with sample data
    final JTable jt = new JTable(new MyTableModel());
    // configure the renderer for boolean values
    jt.setDefaultRenderer(Boolean.class, new MyBooleanRenderer());
    // boiler plate code necessary for displaying a Swing GUI
    final JScrollPane jsp = new JScrollPane(jt);
    jsp.setPreferredSize(new Dimension(480, 320));
    final JFrame frame = new JFrame(BooleanRendererDemo.class.getName());
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.getContentPane().add(jsp);
    frame.pack();
    frame.setLocationRelativeTo(null);
    frame.setVisible(true);
  public static void main( String[] args ) {
    EventQueue.invokeLater(new Runnable() {
      public void run() {
        (new BooleanRendererDemo()).start();
   * A customized table cell renderer for boolean values.
  private static final class MyBooleanRenderer implements TableCellRenderer {
    private final JCheckBox jcb;
    MyBooleanRenderer() {
      jcb = new JCheckBox();
      jcb.setHorizontalAlignment(JCheckBox.CENTER);
    public Component getTableCellRendererComponent(
            final JTable table,
            final Object value,
            final boolean isSelected,
            final boolean hasFocus,
            final int row,
            final int column
      final boolean state = value != null && ((Boolean) value).booleanValue();
      if (isSelected) {
        jcb.setForeground(table.getSelectionForeground());
        jcb.setBackground(table.getSelectionBackground());
      } else {
        jcb.setForeground(table.getForeground());
        // check if the renderer should display the last column
        // if so, use custom background colors depending on the cell value
        final boolean last = table.getModel().getColumnCount() == column + 1;
        if (last) {
          jcb.setBackground(state ? Color.GREEN : Color.RED);
        } else {
          jcb.setBackground(table.getBackground());
      jcb.setSelected(state);
      return jcb;
   * Dummy table model with nonsense sample data.
  private static final class MyTableModel extends AbstractTableModel {
    public Class getColumnClass( final int columnIndex ) {
      return columnIndex < 2 ? String.class : Boolean.class;
    public int getColumnCount() {
      return 4;
    public int getRowCount() {
      return 4;
    public Object getValueAt( final int rowIndex, final int columnIndex ) {
      if (columnIndex == 3) {
        return (rowIndex % 2) == 1 ? Boolean.TRUE : Boolean.FALSE;
      } else if (columnIndex == 2) {
        return (rowIndex % 2) == 0 ? Boolean.TRUE : Boolean.FALSE;
      } else {
        return "Dummy";
}To customize cell editors, work through the JTable tutorial (and maybe take a quick look at DefaultCellEditor's OpenJDK sources).

Similar Messages

  • Selected row not becoming active.

    JDev 11
    In a page fragment
    1. I add an af:panelCollection, drag n drop a table from the Data Controls into the collection, enabling filtering, sorting and row selection.
    2. I create an af:popup, add an af:panelWindow, drag n drop the same table from the Data Controls into the panelWindow creating an ADF Form with a submit button.
    3. I add a toolbar button to the collection in 1, then add an af:showPopupBehavior to the button.
    When I select a row, the selected row in the table is highlighted properly.
    When I click the button, the popup displays but it is always displaying the first record in the table.
    I've tried
    making the table both editable and read only.
    setting to triggertype in the popup behavior to different settings.
    adding partial triggers in multiple places.
    setting the button partialsubmit to false.
    several other random settings.
    blowing away the whole thing and starting over a few times.
    I'm pretty sure the problem is related to the row selection in the first table not setting the current row in the data control, but I'm a newb and not sure how to fix it.
    Any thoughts?

    Figured it out.
    There are couple required selectone lists on the popup that were created wrong so the actual value wasnt in the list and I'm guessing since it is in the same screen it wouldnt let the navigation to other records happen.
    Fixed those and it all works fine.

  • Selective footage not rendering!!

    Hi,
    I have a 5 min video and when rendering, it displays a slow preview as it renders, everything looks fine there, but when I look at the rendered .avi, there are two layers which are not rendering, even though they appear in the preview and everything works fine when I view the footage inside AE.
    I have tried several combinations of rendering and none seem to work. The only similarities that share the two sections which wont render properly, are added effects and keyframes to their effects, but there is another layer which has effects too and that one renders fine.
    I will gladly provide any needed information that you may require in order to get more information regarding this issue. As I have stated before, I have tried a lot of combinations, the final one being with everything set to "Current Settings" and with Open GL on anf off.
    Thanks!!
    Windows 7
    After Effects CS5

    **UPDATE**
    The first layer which would not render had a Mask inside which did nothing, I deleted that and it seems to work now.
    The second layer had it's opacity down to 8%                     --__-- '
    What really bugs me is that while I'm playing the video inside AE or even watchig the preview as it renders, it shows differently that how it ACTUALLY looks like!!
    Anyway to fix this, or do I just have to live with it?
    Regards.
    Issue #1: Solved.

  • Multiple Checkbox Selection should not be not be allowed

    Hi,
    I have 4 checkboxes in a region ( based on transient attributes).
    I do not want the user to select more than one at any given time. How can I achieve this ?
    Would I need to write code in each setAttribute method for each attribute to check if the others are checked as well or is there another way ?
    Thank you
    Shanky

    Try Setting PPR for every Checkbox to make the other checkbox to become disable when one checkbox is checked.

  • Pr link Ae not rendering correctly

    Hi,
    I'm relatively new to this type of workflow and will try to communicate the problem the best I can. My main goal is to trouble shoot where the glitch is.
    The Problem:
    I am editing 4K and 5K footage in Pr on a 1080p timeline and sending some clips to Ae for effects. Not sure if I'm pushing the limits on how these two programs communicate, but I'm getting strange problems in the renders. They are glitchy and not representative of how I effected the clip in Ae. The layer will hop around and loose resolution for a couple frames. Very random. Just to be clear "the renders" are from when I select the clip on the Pr timeline and "render selection". Not rendered straight out of Ae to a separate folder.
    Type of effects.
    On my timeline I "set to frame size" for some clips, "scale to frame size" for others. I often "reverse clip" in either Pr or Ae.
    In Ae I use the TimeBlend effect with keyframed accumaltion. I ramp speeds on keyframes as well. Lots of stuff going on and it seems some of it is lost in translation between the two softwares.

    Thanks for that. Another thing I didn't mention is that I changed the duration of the Ae comp settings after sending it to Ae to accommodate a speed ramp. That might have confused it a bit. I may go with a render and replace method though. My source media is a mix between RED 4K files, and image sequences baked into 5K ProRes QT files. So much potential, but unruly to work with. Hard to edit this piece when I spend most of my time waiting for renders just to get a preview. I thought of using proxies which is a new work flow for me.
    Does sending a sequence from Pr to Ae then creating a proxy workflow in Ae present any problems? Just trying to find the best way to edit as close to the speed of thought that I can. I'd love to be able to add a Time blend effect, preview it in the edit, tweak it, preview it again... so on and so forth.
    Thanks.

  • How do you get  the count of number of  checkbox selected?

    hi,
    plz tell me how do you get the count of number of checkbox selected?

    Not sure what you are doing so I will attempt to answer your question. If have one question which can have multiple answers you have will recieve an array so you have to do getParameterValues("name") and move it into an array.
    If you have multiple questions and only value will be selected do a getParameter("name") on each form element.
    HTH, if not provide more detail.
    J.Clancey

  • Getting selected row for command link in af:table

    Hi
    I have a h:commandLink in a column of my af:table. When it is clicked, I need to get the selected row data.
    I know the documentation says use setCurrentRowValue method, but I am not using the Data Control Palette - I get the data fromt the database using code in the BackingBean.
    Is there any other way? Pls help.

    Yes, I got it. But my method gets the data in the selected row, not the rowKey
    First I used af:commandLink instead of h:commandLink and then used af:setActionListener based on an example in the jDeveloper Help. I had to change it a bit since I am not using DCP or bindings.
    This is the sample from Help, hope it helps!
    SF Page Code for a Command Link Using a setActionListener Component <af:commandLink actionListener="#{bindings.setCurrentRowWithKey.execute}"
    action="edit"
    text="#{row.svrId}"
    disabled="#{!bindings.setCurrentRowWithKey.enabled}"
    id="commandLink1">
    <af:setActionListener from="#{row.svrId}"
    to="#{userState.currentSvrId}">
    </af:commandLink>

  • Selected property of checkbox gives property not writable exception

    hi,
    i am facing problem with checkbox!!
    in my page there is one table and in each row there is 12 checkbox
    and i want to set checkbox selected as per database,and i successfully
    completed it with below code <ui:tableRowGroup
    binding="#{Setrights1.right_rowgroup}" id="right_rowgroup" rows="10"
                                    sourceData="#{Setrights1.right_table_provider}" sourceVar="currentRow">
                                    <ui:tableColumn headerText="Module" id="tableColumn1" sort="column1" width="167">
                                        <ui:staticText id="staticText1" text="#{currentRow.value['module_name']}"/>
                                    </ui:tableColumn>
                                    <ui:tableColumn headerText="Rights" id="tableColumn2" sort="column2">
                                        <h:panelGrid columnClasses="" columns="4" id="rightspanel">
                                            <ui:checkbox
    binding="#{Setrights1.create_self}" id="create_self"  label="Create
    Self" selected="#{currentRow.value['create_self']==1}"
    onClick="common_timeoutSubmitForm(this.form,
    'right_table:right_rowgroup:tableColumn2:rightspanel:create_self');"
    rendered="#{currentRow.value['create_self']!= ''}"
    valueChangeListener="#{Setrights1.create_self_processValueChange}"/>
                                   <ui:checkbox
    binding="#{Setrights1.create_level}" id="create_level" immediate="true"
    label="Create Level"  selected="#{currentRow.value['create_level']==1}"
    onClick="common_timeoutSubmitForm(this.form,
    'right_table:right_rowgroup:tableColumn2:rightspanel:create_level');"
    rendered="#{currentRow.value['create_level']!= ''}"
    valueChangeListener="#{Setrights1.create_level_processValueChange}"/>
                                            <ui:checkbox binding="#{Setrights1.add_self}" id="add_self" label="Add Self"
    rendered="#{currentRow.value['add_self']!= ''}"
    selected="#{currentRow.value['add_self']==1}"/></h:panelGrid>
                                    </ui:tableColumn>
                                </ui:tableRowGroup>And in back bean code for dataprovider for populating table.
    it works fine table populated with listbox selected value
    but
    when i select or deselect any checkbox it's processvalue change
    executes and checkbox display error icon with property not writable
    exception i want to set in array rowkeys and changes values of checkbox
    for update operation.
    help me i am really stuck at this point

    The error means what it says: you are trying to read or write
    a value to a non-existing destination.
    Debug this to find out which line is erroring, and thus which
    reference is null.
    Tracy

  • To add new row with the checkbox selected ....

    Hi All,
    In my project I have to create a table with 2 columns, 1 column is checkbox and other column is String type. In the same JFrame one textarea and one add button should be there. When we type text in the textarea and click add button, it should add a new row in the table with the checkbox selected and the 2nd column containing the text.
    I want to use AbstractTableModel.
    Please help me to solve this issue. If you have sample code that will be more helpful.
    Thank you,
    Regards,
    mkumar

    It would be better if you extend from DefaultTableModel rather than from Abstract Table Model. That is because DefaultTableModel provides functionality to add a row. In fact, you can directly use DefaultTableModel .
    In the button's action performed,
    public void actionPerformed(ActionEvent e)
      if(e.getSource() == bAdd)
        Vector newRow = new Vector(2);
        newRow.add(new Boolean(Boolean.TRUE));
        newRow.add(" ");
        DefaultTableModel dm = (DefaultTableModel)yourTable.getModel();
        dm.addRow(newRow);
    }Note : For the above code, Initialize the JTable with a DefaultTableModel parameter than directly with Vectors/ Arrays.
    This is because when we try to cast from TableModel to DefaultTableModel as in the above code, there is a possibility of an
    Exception if the Table is not initialized without a model.
    For the CheckBox in the first column, you need to set an editor and a renderer so that you can manipulate and see your boolean values as the state of the check boxes.
      JCheckBox b = new JCheckBox();
      DefaultTableCellRenderer dr = new DefaultTableCellRenderer(b);
      DefaultTableCellEditor de = new DefaultTableCellEditor(b);
      yourTable.getColumnModel().getColumn(0).setCellEditor(de);
      yourTable.getColumnModel().getColumn(0).setCellRenderer(dr);That should do it !
    Cheers

  • How to select rows in the inner JTable rendered in an outer JTable cell

    I have wrriten the following code for creating cell specific renderer - JTable rendered in a cell of a JTable.
    table=new JTable(data,columnNames)
    public TableCellRenderer getCellRenderer(int row, int column)
    if ((row == 0) && (column == 0))
    return new ColorRenderer();
    else if((row == 1) && (column == 0))
    return new ColorRenderer1();
    else
    return super.getCellRenderer(row, column);
    ColorRenderer and ColorRenderer1 are two inner classes, which implement TableCellRenderer to draw inner JTable on the outer JTable cell, having 2 rows and 1 column each.
    Now what is happening the above code keeps executing continously, that is the classes are being initialised continously, inner JTables are rendered (drawn) continously, and this makes the application slow after some time. It throws java.lang.OutOfMemoryException.
    WHY IS IT SO??? I can't understand where's the bug..
    Any advice please???
    Moreover i want selections in inner tables and not on outer table, how can this be possible.
    I am working on this since a long time but have not yet found a way out...

    With your help i have overcome the problem of continous repeatition.
    The major problem which I am facing is, in selecting rows in the inner rendered JTables.
    I have added listener on outer JTable which select rows on the outer JTable, hence the complete inner JTable which being treated as a row, gets selected.
    The thing is i need to select the rows of inner rendered JTables,not the outer JTable.
    How to go about it??
    I have even added listener to inner rendered JTables, but only first row of every table gets selected.
    Please help....
    Thanks in advance.

  • Select row button not getting displayed in alv grid.

    Hi ,
    As per my requirement I am using tab strip in module pool.
    Each tab strip is containing one ALV.
    And user can change delete or create one record when the alv is displayed.
    The same should be saved in the database and ALV should be refreshed.
    When I am displaying the ALV the left most option of the ALV with which I can select the whole row is not coming.
    Because of which I am unable to call the method to get the selected row and delete or change accordingly.
    Why this button is not coming?
    I am using set_table_for_first_display in my program.
    Please help.

    Hi,
    In the method SET_TABLE_FOR_FIRST_DISPLAY, you will have to change the Selection Mode to 'A'. I guess you are not passing any values to the Layout parameters.
    Once you do that, you will find what your are looking for.
    Data : LA_LAYO type LVC_S_LAYO.
    LS_LAYO_SEL_MODE = 'A'.
    and pass this to the method's layout parameter.
    Cheers,
    SKC,

  • I want to sync my Voice Memos but iTunes 10.5 will not let me even with the "include voice memos" checkbox selected.

    I want to sync my Voice Memos but iTunes 10.5 will not let me even with the "include voice memos" checkbox selected. As well Ive deselected all the music in itunes so when I sync there will be none on my phone but itunes also ignores this request and puts purchased music back on. I do not have autofill selected. Also wondering where the backup of my iphone 4s is located on my hard disk. Any help greatly appreciated.

    Sorry thats itunes 11.5

  • Delete operation is not working to delete selected row from ADF table

    Hi All,
    We are working on jdev 11.1.1.5.3. We have one ADF table as shown below. My requirement is to delete a selected row from table, but it is deleting the first row only.
    <af:table value="#{bindings.EventCalendarVO.collectionModel}" var="row"
    rows="#{bindings.EventCalendarVO.rangeSize}"
    emptyText="#{bindings.EventCalendarVO.viewable ? applcoreBundle.TABLE_EMPTY_TEXT_NO_ROWS_YET : applcoreBundle.TABLE_EMPTY_TEXT_ACCESS_DENIED}"
    fetchSize="#{bindings.EventCalendarVO.rangeSize}"
    rowBandingInterval="0"
    selectedRowKeys="#{bindings.EventCalendarVO.collectionModel.selectedRow}"
    selectionListener="#{bindings.EventCalendarVO.collectionModel.makeCurrent}"
    rowSelection="single" id="t2" partialTriggers="::ctb1 ::ctb3"
    >
    To perform delete operation i have one delete button.
    <af:commandToolbarButton
    text="Delete"
    disabled="#{!bindings.Delete.enabled}"
    id="ctb3" accessKey="d"
    actionListener="#{AddNewEventBean. *deleteCurrentRow* }"/>
    As normal delete operation is not working i am using programatic approach from bean method. This approach works with jdev 11.1.1.5.0 but fails on ver 11.1.1.5.3
    public void deleteCurrentRow (ActionEvent actionEvent) *{*               DCBindingContainer bindings =
    (DCBindingContainer)BindingContext.getCurrent().getCurrentBindingsEntry();
    DCIteratorBinding dcItteratorBindings =
    bindings.findIteratorBinding("EventCalendarVOIterator");
    // Get an object representing the table and what may be selected within it
    ViewObject eventCalVO = dcItteratorBindings.getViewObject();
    // Remove selected row
    eventCalVO.removeCurrentRow();
    it is removing first row from table still. Main problem is not giving the selected row as current row. Any one point out where is the mistake?
    We have tried the below code as well in deleteCurrentRow() method
    RowKeySet rowKeySet = (RowKeySet)this.getT1().getSelectedRowKeys();
    CollectionModel cm = (CollectionModel)this.getT1().ggetValue();
    for (Object facesTreeRowKey : rowKeySet) {
    cm.setRowKey(facesTreeRowKey);
    JUCtrlHierNodeBinding rowData = (JUCtrlHierNodeBinding)cm.getRowData();
    rowData.getRow().remove();
    The same behavior still.
    Thanks in advance.
    Rechin
    Edited by: 900997 on Mar 7, 2012 3:56 AM
    Edited by: 900997 on Mar 7, 2012 4:01 AM
    Edited by: 900997 on Mar 7, 2012 4:03 AM

    JDev 11.1.1.5.3 sounds like you are using oracle apps as this not a normal jdev version.
    as it works in 11.1.1.5.0 you probably hit a bug which you should file with support.oracle.com...
    Somehow you get the first row instead of the current row (i guess). You should debug your code and make sure you get the current selected row in your bean code and not the first row.
    This might be a problem with the bean scope too. Do you have the button (or table) inside a region? Wich scope does the bean have?
    Anyway you can try to remove the iterator row you get
    public void deleteCurrentRow (ActionEvent actionEvent) { DCBindingContainer bindings =
    (DCBindingContainer)BindingContext.getCurrent().getCurrentBindingsEntry();
    DCIteratorBinding dcItteratorBindings =
    bindings.findIteratorBinding("EventCalendarVOIterator");
    dcItteratorBindings.removeCurrentRow();Timo

  • A selected row in af:table does not get sorted.

    Hi,
    When a table supports single selection and the table contains quantity of rows gt it can fit into its viewport, then, on sorting, selected row gets out of the sorting process. But when you move to the end of the table, select a row there and then sort the table, then all rows sorted correctly. The selected row, after sorting, always set as a first row in the current viewport, doesn't matter whether it is in the order or out of it.
    Noteworthy, when number of rows is lt the viewport allows:
    1. sorting works as it should to;
    2. on sorting/PPR'ing, as it gets some time, one can see how the viewport updates in two steps and in the first step the first row is the selected one.
    JDev's version is 11.1.1.3.0.
    VO, iterator and tree bindings, af:table all the props related to data retrieving, fetching and row displaying have default values.
    What can cause that?
    Thx,
    Y.

    Hi,
    so what you are saying is that the selected table row is not sorted but added on top. I tried to reproduce this with 11.1.1.3 but can't see the issue. I tried with editable and read-only tables
    Frank

  • Inserting new row in Table in 11.1.2 from 11.1.1.3 not rendering table!!!!!

    Hey Guys, my status might say noob but i am well seasoned in ADF. We migrated from 11.1.1.3 to the new JDEV 11.1.2. We are doing a test run before we commit to it.
    I noticed the following:
    We have master detail forms that work flawlessly in 11.1.1.3 when we ran the app under 11.1.2 we noticed that any time you try to add a new row to a table the table does not render. The server logs show the action going through and the count goes up one but the table is not rendered anymore it disappears!!!!!!!!!!!!!!
    Now all of this was imported from the 11.1.1.3. all of our tables that have createInsert actions on them are doing this.
    If i drag the tables again and set them up from scratch it seems to work fine. Our issue is we have a good 300 of these tables in different panels and panel collections. we have to do all of that work all over again.
    No errors show in the log. IS THIS A BUG???????????????
    UPDATE: REFRESHING THE PAGE using the Browser Refresh Button Will show the new ROW....... THIS IS NOT GOOOD!!!
    Edited by: user8333408 on Jul 7, 2011 9:23 AM
    Edited by: user8333408 on Jul 7, 2011 9:24 AM
    Edited by: user8333408 on Jul 7, 2011 10:08 AM

    Thanks for the reply.
    The Project was in version 11.1.3 before I migrated. I had the issue above so I migrated to 11.1.1.4 then to 11.1.1.5 then to the New GREAT 11.1.2 to go by the matrix of support The issue is still there.
    Basic Page layout:
    SEARCH-MASTER-PANELTABBED LAYOUT (Hold all the CHILDREN RECORDS)
    PANEL TAB is made of ; SHOW DETAIL ITEM- PANEL COLLECTION- TABLE.
    the panel collection has a toolbar with 2 buttons in it.
    My issue varies:
    Hit create insert==> record count goes up one but the table does not render (it goes all blank even if records existed in it)
    Hit undo budo ==>table still not rendering. (click next on master record then click previous to come back, the table renders correctly.)
    other tables do the following:
    Hit Create insert == > table shows normally and I can enter new record.
    Hit undo ==> table count goes down but table does not render at all anymore.
    for this issue i noticed if i set cache results to false the table works after hitting undo
    IF I CREATE A NEW SHOW DETAIL ITEM and put exactly what the other tabs have in them and use the same layouts and buttons the new table works great!!!!!!!!!!!!???????????????????? WTF?!?!?!?!
    NO ERROR MESSAGES even at finest level are thrown.
    I HAD NO ISSUES IN THE PREVIOUS VERSIONS OF JDEV IS THIS A JSF 2.0 BUG????
    BY THE WAY JDEV 11.1.2 sometimes CRASHES or Hangs when viewing the Binding of Page when you click on Binding straight from the Design view. I have to open the Binding Page separate to view it. FYI
    Edited by: Nottallah on Jul 11, 2011 9:48 AM
    Edited by: Nottallah on Jul 11, 2011 9:51 AM

Maybe you are looking for

  • Formatting output of execute plan in sqlplus

    My execution plan looks ugly: Execution Plan    0      SELECT STATEMENT Optimizer=ALL_ROWS (Cost=535 Card=1 Bytes=3           46)    1    0   SORT (ORDER BY) (Cost=535 Card=1 Bytes=346)    2    1     NESTED LOOPS (Cost=534 Card=1 Bytes=346)    3    2

  • Ipad calendar list

    My iPad calendar day, week and month views are correct (synced with google) but when I go to the list view the days are time shifted back 3 days. Anybody have insight regarding this?

  • Stoping notification: A new Bid for a Bid Invitation has been Received, once a response is submitted

    Dear SRM experts, I need your help in stopping one notification completely. Once a Rfx response is submitted by bidde against a Rfxr, automatically system is sending a below notification to purchaser: A new Bid for a Bid Invitation has been Received

  • NiScope_InitiateAcquisition error for a second 5132 USB scope

    I have 2 NI5132 USB digitizers.  Either one alone works fine.  But if I plug both into the USB bus, then the last one connected produces the error message "Error BFFA666A   NI Platform Services: No transfer is in progress because the transfer was abo

  • Initialize Jtable in Edit Mode without clicking mouse

    I am writing an inventory software where I need JTable to start in edit mode in my invoicing dialogue. Here is the code I tried (which is not working): ProductsGrid.setRowSelectionInterval(0, 0); ProductsGrid.setColumnSelectionInterval(0,0); Products