Getting ClassCastException When Trying To Color JTable Row?

hi there
i'm trying to set color for JTable Rows Using the method prepareRenderer
and get the values of the second column which contains integer values
and if it contain 0 integer value set the color row as red
its already works and the row with 0 is set to red but when i try to select any cell in the table
i'm getting
java.lang.ClassCastException: java.lang.String cannot be cast to java.lang.Integerat prepareRenderer
although the second row which i'm trying to test it's values is Integer not String????????????
here's the code:
import javax.swing.border.*;
import java.awt.*;
import javax.swing.*;
import javax.swing.table.*;
import java.awt.event.*;
import javax.swing.JFrame;
public class Column_Filter {
  static JTable table;
static DefaultTableModel dtm;  
    public static void main(String[] args) {
         String[]columns={"Name","Number","Price"};
         Object[][]data={  {"a",new Integer(5),new Integer(200)}
         ,{"b",new Integer(7),new Integer(400)}
         ,{"c",new Integer(0),new Integer(100)}
         ,{"d",new Integer(8),new Integer(800)}
         ,{"e",new Integer(3),new Integer(300)}         
         dtm=new DefaultTableModel(data,columns);
                    table=new JTable(dtm){
                  public Class getColumnClass(int column)
                    return getValueAt(0, column).getClass();
                         public Component prepareRenderer(TableCellRenderer renderer, int row, int column)
                    Component c = super.prepareRenderer(renderer, row, column);
                    if (!c.getBackground().equals(getSelectionBackground()))
                         Integer type = (Integer)getModel().getValueAt(row, 1);
                         if(type!=null)                                                            
                         c.setBackground(type==0 ? Color.RED : Color.WHITE );
                    else
                    c.setBackground(Color.white);
                    return c;
         TableColumnModel columnModel = table.getColumnModel();
         TableColumn col1 = columnModel.getColumn(1);         
         col1.setCellEditor(new TableEditor());
         TableColumn col2 = columnModel.getColumn(2);
         col2.setCellEditor(new TableEditor());
         table.setPreferredScrollableViewportSize(new Dimension(280,160));
         JScrollPane scroll=new JScrollPane(table);
         JLabel label=new JLabel("Column Stuff",JLabel.CENTER);
         JPanel panel=new JPanel();
         panel.add(scroll);
        JFrame frame=new JFrame("Column Stuff");
        frame.add(label,BorderLayout.NORTH);
        frame.add(panel,BorderLayout.CENTER);
        frame.setSize(300,300);
        frame.setResizable(false);
        frame.setVisible(true);
        frame.setLocationRelativeTo(null);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
             table=new JTable();     
               table.setModel(new DefaultTableModel(new Object [][][] {},new String [] {"Name", "Number","Price"}) {
            Class[] types = new Class [] {
                java.lang.String.class, java.lang.String.class,java.lang.String.class
            public Class getColumnClass(int columnIndex) {
                return types [columnIndex];
      class TableEditor extends DefaultCellEditor
          TableEditor()
               super( new JTextField() );               
            setClickCountToStart(0);
          public boolean stopCellEditing()
                    String editingValue = (String)getCellEditorValue();
                if(!editingValue.equals("")){
             try
            int i = Integer.parseInt(editingValue);
            catch(NumberFormatException nfe)
            ((JComponent)getComponent()).setBorder(new LineBorder(Color.red));       
            getComponent().requestFocusInWindow();      
            JOptionPane.showMessageDialog(null,"Data Input Error","Error",JOptionPane.ERROR_MESSAGE);
            return false;          
                else{                                             
                 getComponent().requestFocusInWindow();
                 fireEditingCanceled();
                 JOptionPane.showMessageDialog(null,"Data Input Error","Error",JOptionPane.ERROR_MESSAGE);
              return false;              
               return super.stopCellEditing();
               public Component getTableCellEditorComponent(
               JTable table, Object value, boolean isSelected, int row, int column)
               Component c = super.getTableCellEditorComponent(table, value, isSelected, row, column);
               ((JComponent)c).setBorder(new LineBorder(Color.BLACK));
               return c;
     }

hi again camickr
i changed the stopCellEditing as you mentioned
changed the getCellEditorValue to return an integer
and give exception and error message if the value can't be converted into integer(non numeric)
but the problem is when i run the program and change the value in any cell with numeric values
or with non numeric or not changing the value and press enter
it give the error message meaning it cannot convert the value to integer
even if enter an int or don't change the value ????????
here's what i did
import javax.swing.border.*;
import java.awt.*;
import javax.swing.*;
import javax.swing.table.*;
import java.awt.event.*;
import javax.swing.JFrame;
public class Column_Filter {
  static JTable table;
static DefaultTableModel dtm;  
    public static void main(String[] args) {
         String[]columns={"Name","Number","Price"};
         Object[][]data={  {"a",new Integer(5),new Integer(200)}
         ,{"b",new Integer(7),new Integer(400)}
         ,{"c",new Integer(0),new Integer(100)}
         ,{"d",new Integer(8),new Integer(800)}
         ,{"e",new Integer(3),new Integer(300)}         
         dtm=new DefaultTableModel(data,columns);
                    table=new JTable(dtm){
                  public Class getColumnClass(int column)
                    return getValueAt(0, column).getClass();
                         public Component prepareRenderer(TableCellRenderer renderer, int row, int column)
                    Component c = super.prepareRenderer(renderer, row, column);
                    if (!c.getBackground().equals(getSelectionBackground()))
                         Integer type = (Integer)getModel().getValueAt(row, 1);                                                            
                         c.setBackground(type==0 ? Color.RED : Color.WHITE );
                    return c;
         TableColumnModel columnModel = table.getColumnModel();
         TableColumn col1 = columnModel.getColumn(1);         
         col1.setCellEditor(new TableEditor());
         TableColumn col2 = columnModel.getColumn(2);
         col2.setCellEditor(new TableEditor());
         table.setPreferredScrollableViewportSize(new Dimension(280,160));
         JScrollPane scroll=new JScrollPane(table);
         JLabel label=new JLabel("Column Stuff",JLabel.CENTER);
         JPanel panel=new JPanel();
         panel.add(scroll);
        JFrame frame=new JFrame("Column Stuff");
        frame.add(label,BorderLayout.NORTH);
        frame.add(panel,BorderLayout.CENTER);
        frame.setSize(300,300);
        frame.setResizable(false);
        frame.setVisible(true);
        frame.setLocationRelativeTo(null);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
             table=new JTable();     
               table.setModel(new DefaultTableModel(new Object [][][] {},new String [] {"Name", "Number","Price"}) {
            Class[] types = new Class [] {
                java.lang.String.class, java.lang.Integer.class,java.lang.Integer.class
            public Class getColumnClass(int columnIndex) {
                return types [columnIndex];
      class TableEditor extends DefaultCellEditor
          TableEditor()
               super( new JTextField() );               
            setClickCountToStart(0);
          public boolean stopCellEditing()
               try
                    Integer editingValue = (Integer)getCellEditorValue();
               catch(ClassCastException exception)
           //when i enter any value in any cell this code is executed even i enter an int or don't change the value
            ((JComponent)getComponent()).setBorder(new LineBorder(Color.red));       
            getComponent().requestFocusInWindow();      
            JOptionPane.showMessageDialog(null,"Data Input Error","Error",JOptionPane.ERROR_MESSAGE);
            return false;
               return super.stopCellEditing();
               public Component getTableCellEditorComponent(
               JTable table, Object value, boolean isSelected, int row, int column)
               Component c = super.getTableCellEditorComponent(table, value, isSelected, row, column);
               ((JComponent)c).setBorder(new LineBorder(Color.BLACK));
               return c;
     }

Similar Messages

  • Getting error when trying to create Exchange Connector in System Center Service Manager 2012

    Getting error when trying to create Exchange Connector in System Center Service Manager 2012
    The connection to the server was unsuccessful. Please check the server name and/or credentials entered.
    Additional Information: The server URL is not accessible or the user does not have permission to access it (message: The request failed. The remote server returned an error: (401) Unauthorized.
    Warm Regards, Pramod Kumar Singh Manager-IT

    Someone sorted out this issue by installing API 1.2 and copying the dll files to the service manager server ,service folder and replacing it with API 2.0 dll files.
    Also, your question is related to SCSM, please post at SCSM forum if you have further question.
    Juke Chou
    TechNet Community Support

  • My daughter has just bought me an iPad 2 from Dubai and set it all up for me but unfortunately the iMessage function doesn't seem to work. We keep getting messages,when trying to activate it, that there is a network connection problem - help!

    My daughter has just bought me an iPad 2 from Dubai and set it all up for me but unfortunately the iMessage function doesn't seem to work. We keep getting messages,when trying to activate it, that there is a network connection problem - help!

    Thank you both for your responses but my daughter was reassured by the salesman in the iStyle store (official Apple store in the UAE) that iMessages would work but conceded that FaceTime wouldn't. My iTunes account is registered in the uk and my daughter's iPhone has iMessages even though she bought it (and uses it) in Dubai. Can anyone else throw any light on this?

  • Java.lang.ClassCastException when trying to retrive a jdbc/OracleDS

    Hello friends, I'm experiencing a rare problem, "java.lang.ClassCastException" when trying to retrive the jdbc/OracleDS datasource using JNDI lookup, the exception is there, either, when running in the embebed OC4J from JDev 10.1.3.3 or when deploying (the War) to my OracleIAS (10.1.2). Actualy we are programing the DataSource and changing the URL each time we update the application (in both environment: Developer and Production), it is just a temporary "work around" while we find the real solution.
    We can't Cast a Oracle Object (oracle.jdbc.pool.OracleDataSource) to the java DataSource. Why?
    Here you have the story:
    The application wa started in Eclipse 3.2 with Tomcat 5, and we are using Struts 1.1 and Hibernate 3, in this environment we don't have problems. the problem happens during deploying the application to our Orace AS 10g (10.1.2). When googling for solution we found related problems in some forums, so we tried all the solutions explained in that post, including this. Finaly, we failed to find the solution.
    After that, we migrate the application to JDeveloper 10.1.3.3, and then try the JNDI lookup and the problem STAY, then we did everything again into JDev:
    - Changed the default jdk from 1.5 to 1.4.2_06, for the projects, the embebed OC4J and the Java Compiler....
    - Configuring the DataSource manualy in the xml.
    - Testing with several jdk version, trying on embebed oc4j, standalone oc4j, Oracle IAS, and so on.
    - We have tried everything we found in the posts.
    But .... the problem still :'(.
    We have found that some guys have solved the problems with the change of the jdk and other small stuff, but all that were not enough for us.
    Have somebody found other solution for this problem or we have some alien problem here?.
    Thanks in advance.

    Fer Domin, thanks by your replay.
    The answer for your question is, YES. We have tried with several DataSource types in the Oracle side (app server,embebed oc4j, standalone oc4j) and the app side (java). Also, all jdbc datasource extend the javax.sql.DataSource .. so it's rare to have this error when doing a simple jndi lookup.
    We tried deploying a small app (from Oracle) to test the DataSource in the app server (10.1.2.0.2) and it was working well. But we don't know which jdk was used to package that ear/war (I mean the TestDS small app).
    So, everything look like we are having a jdk compatibility problem ... but we don't know which it's or where it's.... because we configure JDeveloper 10.1.3.3 to use the same jdk, even for compiling and running the embebed oc4j and the problem still.
    Thanks again.

  • I keep getting this when trying to open Time machine:   An unexpected error occurred (error code -6584).

    I keep getting this when trying to open Time machine:   An unexpected error occurred (error code -6584). time machine wont even open up. My Time capsule has a green lite and appears fine
    Thaks,

    This often means the backup is corrupted.
    First of all reboot the network.. turn everything off and restart in order.. modem.. TC.. clients.
    If you still have issues, hold the option key when you click the Time Machine icon on the top menu and it will bring up verify backups.
    Do that.
    Read this thread if you need more..
    https://discussions.apple.com/thread/3123920?tstart=0
    It seems to be a fairly complex problem if the above don't work.

  • Currently using Flash Pro CS5,  getting error when trying to open CS4 file.  Error is "Slides and Forms documents are not supported in this version of Flash. Please open in previous version.

    Currently using Flash Pro CS5,  getting error when trying to open CS4 file.  Error is "Slides and Forms documents are not supported in this version of Flash. Please open in previous version.  Has there been a fix or patch to this issue or do I have to convert back to CS4 to open the file?

    Having the same problem in CS6.  I can tell you that converting back to CS4 will NOT solve the problem.  It seems when support for backward compatibility is discontinued, there's just no way to get
    any help at all?  Absolute failure to provide any user support so far...

  • Keep getting message when trying to sync my ipod (could not synced because the sync session failed to start) how do i resolve this

    Keep getting message when trying to sync my ipod (could not synced because the sync session failed to start)

    Have you seen this Apple support document?
    http://support.apple.com/kb/TS3221
    B-rock

  • Getting exception when trying to get taskdetails url using BPM worklist api

    Getting exception when trying to get taskdetails url using BPM worklist api method :
    String url = WorklistUtil.getTaskDisplayURL(
    wfSvcClient,
    ctx,
    task,
    null,
    "worklist",
    parameters);
    Jul 21, 2011 11:24:40 AM oracle.bpel.services.common.ServicesLogger __log
    WARNING: <oracle.bpel.services.workflow.client.worklist.util.TaskFlowPropsUtil.getServerPropertiesFromMbean()> Exception while loading install config file in standalone Error : javax.management.InstanceNotFoundException: com.bea:Name=RuntimeService,Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean: com.bea:Name=RuntimeService,Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean
    oracle.fabric.common.FabricException: javax.management.InstanceNotFoundException: com.bea:Name=RuntimeService,Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean: com.bea:Name=RuntimeService,Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean
    at oracle.soa.common.util.PlatformUtils.getServerInfo(PlatformUtils.java:184)
    at oracle.bpel.services.workflow.client.worklist.util.TaskFlowPropsUtil.getServerPropertiesFromMbean(TaskFlowPropsUtil.java:319)
    at oracle.bpel.services.workflow.client.worklist.util.TaskFlowPropsUtil.getServerInfoForWeblogicServer(TaskFlowPropsUtil.java:491)
    at oracle.bpel.services.workflow.client.worklist.util.TaskFlowPropsUtil.getServerInfo(TaskFlowPropsUtil.java:363)
    at oracle.bpel.services.workflow.worklist.api.util.WorklistUtil.getDefaultURLPrefix(WorklistUtil.java:264)
    at oracle.bpel.services.workflow.worklist.api.util.WorklistUtil.getTaskDisplayURL(WorklistUtil.java:353)
    at oracle.bpel.services.workflow.worklist.api.util.WorklistUtil.getTaskDisplayURL(WorklistUtil.java:293)
    at com.test.WorflowServiceClient.main(WorflowServiceClient.java:198)
    Caused by: javax.management.InstanceNotFoundException: com.bea:Name=RuntimeService,Type=weblogic.management.mbeanservers.runtime.RuntimeServiceMBean
    at com.sun.jmx.interceptor.DefaultMBeanServerInterceptor.getMBean(DefaultMBeanServerInterceptor.java:1094)
    at com.sun.jmx.interceptor.DefaultMBeanServerInterceptor.getAttribute(DefaultMBeanServerInterceptor.java:662)
    at com.sun.jmx.mbeanserver.JmxMBeanServer.getAttribute(JmxMBeanServer.java:638)
    at oracle.as.jmx.framework.config.session.ConfigurationMBeanServerImpl.getAttribute(ConfigurationMBeanServerImpl.java:210)
    at oracle.soa.common.util.PlatformUtils.getServerInfo(PlatformUtils.java:78)
    ... 7 more
    Caught workflow exception: null
    Process exited with exit code 0.
    Can anyone please help me

    Actually i'm using Jdeveloper 11.1.1.4 and our requirement is to show list of BPM worklist tasks for the logged in user on the first page and onclick of each task task details page should be opened. I can use Webcenter PS3 worklist taskflow. But i'm not able to customize that taskflow. So, i'm going for Worklist client api.
    I'm able to retrive the taskId,task title and few other details like task payload. But i don't know why the below method is giving exception.
    String url =
    WorklistUtil.getTaskDisplayURL(wfSvcClient,
    ctx, task, null,
    "worklist", parameters);
    And i observed that you have also used the same code for getting Taskdetails url. And one more thing is i'm trying to access BPM worklist which is installed on remote machine.
    Can you tell me what could be the reason for the exception?

  • Why do I get the message  "cannot get mail" when trying to connect to microsoft exchange server.

    Why do I get the message "cannot get mail" when trying to connect to ms exchange server?

    Hard to say. Has it ever worked? Maybe your account has mobile e-mail disabled. Maybe ActiveSync isn't set up properly on the server. maybe the correct ports are not open on the corporate firewall.
    You will have to talk to your IT department.

  • I keep getting nsinternalinconsistencyexception when trying to download maverick osx 10.9

    I keep getting nsinternalinconsistencyexception when trying to download maverick osx 10.9

    What is the error message that you receive?
    Have you tried using a different web browser?

  • Getting error when trying to add authorzation in ERM (AC 5.3_SP,)

    Hi Experts,
    I have created a role in ERM and successfully saved it, when trying to add authorization by selecting the functional area->selected the functional are(procurement dept.) -> next i clicked on the authorization data-> aded one row ->when searching for the function id from the description field, it's searching for some time and after that, getting the follwing error .
    "Service call exception; nested exception is: com.sap.engine.services.webservices.jaxrpc.exceptions.InvalidResponseCodeException: Invalid Response Code: (503) Service Unavailable. The requested URL was:"http://xiserver.ep.in:50000/VirsaCCFunction5_0Service/Config1?wsdl&style=document"
    Please do help.
    Best Reagrds,
    Gurugobinda
    Edited by: gurugobinda harichandan parida on Sep 10, 2009 6:29 PM

    Hi Alpesh and Zaher,
    Thanks a lot for all your help and support.
    After applying the note 1279722 my error got resolved, but after that when I am going to the next step to maintain PFCG it is giving me the error as: "Unhandled error; Function template PRGN_CHECK_ROLE_EXISTScould not be retrieved from CPD".
    Please do suggest.
    Regards,
    Gurugobinda

  • Getting error while trying to delete multiple rows

    Hi Experts,
    Working in jdev 11.1.1.3.0 with ADF BC and rich faces.
    i am trying to delete multiple records from the table, everything is working fine if i use filter or not using horizontal scroll bar of the table. if i try to delete last records on the table and the records are deleting from UI and from the DB also, but i am getting error like
    ADFv:Count not find row:_$<to-calc>$_with key:oracle.jbo.key[2333] inside parent: XxwfsAvcardXXXXXXXVO1Iterator with key:null
    I have changed my method with the below link
    Re: JDev 11g-Multiple Row Selection Table-Ctrl+A error
    but till i am getting the same error:
    Method:
    public void deleteRec(ActionEvent actionEvent) {
    // Add event code here...
    RowKeySet rowKeySet = (RowKeySet)this.embossTB.getSelectedRowKeys();
    CollectionModel cm = (CollectionModel)this.embossTB.getValue();
    Row specRow = null;
    ArrayList rowList = new ArrayList();
    int listLength = 0;
    ArrayList<Number> printReqLST=new ArrayList<Number>();
    ViewObject vo1=null;
    boolean flag=false;
    for (Object facesTreeRowKey : rowKeySet) {
    cm.setRowKey(facesTreeRowKey);
    JUCtrlHierNodeBinding rowData = (JUCtrlHierNodeBinding)cm.getRowData();
    specRow = rowData.getRow();
    rowList.add(specRow);
    listLength++;
    for (int index = 0; index < listLength; index++){
    specRow = (Row)rowList.get(index);
    Number printReqID = (Number)specRow.getAttribute("PrintRequestId");
    String PrintState = specRow.getAttribute("PrintState").toString();
    if (PrintState.equalsIgnoreCase("PRINTED")) {
    System.out.println("cann't delete");
    FacesContext fctx = FacesContext.getCurrentInstance();
    FacesMessage message =
    new FacesMessage("Cann't Delete the selected row:" + printReqID);
    message.setSeverity(FacesMessage.SEVERITY_ERROR);
    fctx.addMessage(null, message);
    } else {
    System.out.println("delete");
    flag=true;
    specRow.remove();
    if(flag){
    System.out.println("before commit");
    commitRows();
    Can any one help me....

    Can any one help me...
    i written logic in AM but still i am facing the same issue.
    can any one help me, is this is bug or coding issue.
    If i am not doing scroll down and trying to delete rows then there is no error.... only error is coming when i scroll down and try to delete.
    Method:
    public void deleteRec(ActionEvent actionEvent) {
    // Add event code here...
    RowKeySet rowKeySet = (RowKeySet)this.embossTB.getSelectedRowKeys();
    CollectionModel cm = (CollectionModel)this.embossTB.getValue();
    List<Row> rowsToDelete = new ArrayList<Row>();
    for (Object facesTreeRowKey : rowKeySet) {
    cm.setRowKey(facesTreeRowKey);
    JUCtrlHierNodeBinding rowData = (JUCtrlHierNodeBinding)cm.getRowData();
    Number printReqID = (Number)rowData.getAttribute("PrintRequestId");
    String PrintState=rowData.getAttribute("PrintState").toString();
    if (PrintState.equalsIgnoreCase("PRINTED")){
    System.out.println("cann't delete");
    FacesContext fctx = FacesContext.getCurrentInstance();
    FacesMessage message =
    new FacesMessage("Cann't Delete the selected row:" + printReqID);
    message.setSeverity(FacesMessage.SEVERITY_ERROR);
    fctx.addMessage(null, message);
    } else{
    System.out.println("delete");
    Row row1 = rowData.getRow();
    rowsToDelete.add(row1);
    // deletePrintRecords(printReqID);
    for (Row row : rowsToDelete){
    System.out.println("inside deleting rows");
    row.remove();
    //commitRows();
    System.out.println("After commit from am");
    public void commitRows(){
    // System.out.println("commit");
    DCIteratorBinding embossIter =
    ADFUtils.findIterator("XxwfsAvcardEmbossInterfaceVO1Iterator");
    ADFUtils.invokeEL("#{bindings.Commit.execute}");
    embossIter.getViewObject().executeQuery();
    AdfFacesContext.getCurrentInstance().addPartialTarget(embossTB);
    Edited by: user5802014 on Sep 3, 2010 11:47 AM
    Edited by: user5802014 on Sep 3, 2010 1:07 PM

  • Getting Error when trying to connect to the Primavera database. PPM V7 SP3

    Hi Guys,
    Caused by: org.springframework.beans.factory.BeanCreationException: Error creating bean with name 'mailService' defined in class path resource [com/primavera/bre//com/primavera/bre/integration/intgconf.xml]: Invalid destruction signature; nested exception is org.springframework.beans.factory.support.BeanDefinitionValidationException: Couldn't find a destroy method named 'destroy' on bean with name 'mailService'
    I have looked into the intgserver.jar under P6IntegrationAPI/lib and looked the com.primavera.infr.srvcs.MailServiceImpl.java and can see that there is no destroy method whereas it is defined in the com.primavera.bre.intergration.intgconf.xml as below
    <!-- provides mail services -->
    <bean id="mailService" class="com.primavera.infr.srvcs.MailServiceImpl" init-method="init" scope="singleton" destroy-method="destroy"*+>
    <property name="adminManager"><ref bean="adminManager"/></property>
    <property name="threadPool"><ref bean="threadPool"/></property>
    <property name="settingsManager"><ref bean="settingsManager"/></property>
    </bean>
    I get the above error when trying to connect to the Primavera database. I use PPMV7 SP3 and I have installed the Integration API from EPPMV7 bundle.
    My demo's are working fine.
    Any help would be appreciated.
    Thanks,
    Kajal.

    Hi Marc,
    I am using a userid (is an admin)
    Using global login method and provided userid & password in integration settings.
    In the machine profiles, provided userid, password and domin.
    Not providing domain in weblogin.
    With all the above I am still getting error "Could not authenticate the specified user. %0" for HFM application
    And with the same settings I am not getting any error to connect to essbase cube.
    Any suggestions?
    Thanks
    Krishna

  • Getting error when trying to download deployed software package

    Hello all,  I have been struggling with this for almost two weeks and am about to give up.  The error I'm getting is when a client tries to download a deployed software package.  The software shows up in IE browser (servername\cmapplicationcatalog),
    but when I click install it errors out saying can't install or request software.  I am not a network guru and did not setup SCCM but need a little (maybe a lot) guidance.  I have looked at log files till my eyes are ready to fall out but just not
    sure what I am looking for.
    In ccmmessaging.log, I see this error "No reply message from Server. Server may be temporarily down or a transient network error"  and this after "http://servername/ccm_system/request failed
    with 0x8000000a"
    Here comes the weird part, I had this working, successfully deployed twice to two clients.  The next day I came in to work and it was broke.  I have no clue what could have changed over night to cause
    this issue.  If someone could maybe lend a hand troubleshooting, I would be most grateful. 
    Many thanks in advance!!
    Rob

    Hi,
    Please review the link below, here is a useful article for you.
    Tips and Tricks for Deploying the Application Catalog in System Center 2012 Configuration Manager
    http://blogs.technet.com/b/configmgrteam/archive/2012/07/05/tips-and-tricks-for-deploying-the-application-catalog-in-system-center-2012-configuration-manager.aspx
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.

  • Integration Directory is getting hanged when trying to  do some changes

    Hello All,
    Ours is PRD XI 3.0 env...and when we try to do any changes(editing , activating , rejecting the changes) it gets hangs up with out throwing any error.
    At the same time other java tools(IR,RWB,SLD) are properly accessible .
    Some points to be taken into notice:
    1>Even we tried to do a CACHE refresh SXI_CACHE , which is success with out any problems.
    2>After entering into ID , when trying to do "clear SLD cache " also it gets hangup.
    Can any one help us to fix this issue.
    Best Regards
    Rakesh

    try the following;
    1. close IR/ID.
    2. open java web start
    3. Preferences -> advanced -> clear folder
    then try to open IR and ID.
    this should do the trick
    else;
    XI start page -> Administration -> Java™ Web Start Administration -> Re-initialization

Maybe you are looking for

  • Nokia 5800 Xpress Call Waiting notification

    Hello all I have problem with my nokia 5800 xpress. the problem about call wating. when i call someone he call to another we usually see in all other models a notification "call waiting" to be know the person we are calling to is busy talking with an

  • Widget Browser "There was an error downloading the widget, error 2032"

    Hello, I ve a problem with the Adobe Widget Browser! Months ago it works fine and I ve installed some widgets without any trouble, but now I´ve this error: "There was an error downloading the widget, error 2032" already in the widget preview! I reins

  • PRA Not Importing Costs

    When I open an XER file from P6 7 service pack 3 in PRA, the costs are not importing. The resources and units seem to import fine but no costs. I can't figure out what is going on. Any ideas? In most cases the default price/unit is set at 0 and the C

  • I have a macbook with retina display and when i use it, it gets hot on the bottom is this normal?

    When i use my macbook it gets hot on the bottom is this normal?

  • My middle button is stuck

    The middle button on my U2 iPod is seemingly stuck and it won't click. It still functions properly, but now, alot of times when I press another button on the wheel like menu or next, they will act as if they were the middle button. It remains this wa