Error inserting data into database

Hello I am having error inserting data into database through a servlet.Please I am very new to Java Technology and need your immediate help. beloww is the codea nd the error
Apache Tomcat/4.0.3
ERROR: Problems with adding new entry
java.sql.SQLException: [Microsoft][ODBC SQL Server Driver][SQL Server]There are more columns in the INSERT statement than values specified in the VALUES clause. The number of values in the VALUES clause must match the number of columns specified in the INSERT statement.
     at sun.jdbc.odbc.JdbcOdbc.createSQLException(JdbcOdbc.java:6106)
     at sun.jdbc.odbc.JdbcOdbc.standardError(JdbcOdbc.java:6263)
     at sun.jdbc.odbc.JdbcOdbc.SQLExecDirect(JdbcOdbc.java:2525)
     at sun.jdbc.odbc.JdbcOdbcStatement.execute(JdbcOdbcStatement.java:337)
     at Register.insertIntoDB(Register.java:71)
     at Register.doPost(Register.java:53)
     at javax.servlet.http.HttpServlet.service(HttpServlet.java:760)
     at javax.servlet.http.HttpServlet.service(HttpServlet.java:853)
     at org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:247)
     at org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:193)
     at org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:243)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:566)
     at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:472)
     at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:943)
     at org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:190)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:566)
     at org.apache.catalina.valves.CertificatesValve.invoke(CertificatesValve.java:246)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:564)
     at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:472)
     at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:943)
     at org.apache.catalina.core.StandardContext.invoke(StandardContext.java:2343)
     at org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:180)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:566)
     at org.apache.catalina.valves.ErrorDispatcherValve.invoke(ErrorDispatcherValve.java:170)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:564)
     at org.apache.catalina.valves.ErrorReportValve.invoke(ErrorReportValve.java:170)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:564)
     at org.apache.catalina.valves.AccessLogValve.invoke(AccessLogValve.java:468)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:564)
     at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:472)
     at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:943)
     at org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:174)
     at org.apache.catalina.core.StandardPipeline.invokeNext(StandardPipeline.java:566)
     at org.apache.catalina.core.StandardPipeline.invoke(StandardPipeline.java:472)
     at org.apache.catalina.core.ContainerBase.invoke(ContainerBase.java:943)
     at org.apache.catalina.connector.http.HttpProcessor.process(HttpProcessor.java:1012)
     at org.apache.catalina.connector.http.HttpProcessor.run(HttpProcessor.java:1107)
     at java.lang.Thread.run(Thread.java:536)
COde:
import java.util.*;
import javax.servlet.*;
import javax.servlet.http.*;
import java.io.*;
import java.sql.*;
public class Register extends HttpServlet
     public static Statement statement;
     private Connection DBConn;
     public void init(ServletConfig config) throws ServletException
          super.init(config);
          try {
               Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
               DBConn=DriverManager.getConnection("jdbc:odbc:Challenge");
          catch(Exception e) {
               e.printStackTrace();
               DBConn=null;
     public void doPost(HttpServletRequest req, HttpServletResponse res)
          throws ServletException, IOException
               String user_id,FirstName,LastName, Email, Login, Password;
          FirstName = req.getParameter("FirstName");
          LastName = req.getParameter("LastName");
          Email = req.getParameter("Email");
          Login = req.getParameter("Login");
          Password = req.getParameter("Password");
          PrintWriter output = res.getWriter();
          res.setContentType("text/html");
          if (user_id.equals("")||
          FirstName.equals("") ||
               LastName.equals("") ||
               Email.equals("") ||
               Login.equals("") ||
               Password.equals(""))
                    output.println("<H3>Please click back " + "button and fill in all " + "fileds.</H3>");
                    output.close();
                    return;
               boolean success = insertIntoDB("'" + FirstName + "','" + LastName + "','" + Email + "','" + Login + "','" + Password + "'");
               if (success)
                    output.print("<H2>Thank You " + FirstName + " for registering.</H2>");
                    res.sendRedirect("file:///Register.html");
               else
                    output.print("<H2>An error occured. " + "Please try again later.</H2>");
                    output.close();
          private boolean insertIntoDB(String stringtoinsert)
               try
                    statement = DBConn.createStatement();
                    statement.execute("INSERT INTO Users(user_id,FirstName,LastName,Email,Login,Password) values (" + stringtoinsert + ");");
                    statement.close();
               catch (Exception e)
                    System.err.println("ERROR: Problems with adding new entry");
                    e.printStackTrace();
                    return false;
               return true;
          public void destroy()
               try
                    DBConn.close();
               catch(Exception e)
                    System.err.println("Problem closing the database");
Your Help will be very much appreciate.I am using SQL Server database

The error concerns these two lines:
boolean success = insertIntoDB("'" + FirstName + "','" + LastName + "','" + Email + "','" + Login + "','" + Password + "'");
statement.execute("INSERT INTO Users(user_id,FirstName,LastName,Email,Login,Password) values (" + stringtoinsert + ");");
In the first line above, you have a string which represents the VALUES which you are inserting. There are 5 values. However in the second line above this is your actual SQL execution you are specifying 6 columns of data. If the column "user_id" is an identity or auto-incrementing field in the database, just remove it from this line. If not then you need to supply the "UserID" into the VALUES.
This should fix the problem.

Similar Messages

  • Its very urgent:how to insert data into database tables

    Hi All,
    I am very new to oaf.
    I have one requirement data insert into database tables.
    here createPG having data that data insert into one custom table.
    but i dont know how to insert data into database tables.
    i wrote the code in am,co as follows.
    in am i wrote the code:
    public void NewoperationManagerLogic()
    ManagerCustomTableVOImpl vo1=getManagerCustomTableVO1();
    OADBTransaction oadbt=getOADBTransaction();
    if(!vo1.isPreparedForExecution())
    vo1.executeQuery();
    Row row=vo1.createRow();
    vo1.insertRow(row);
    in createPG processrequest co:
    public void processRequest(OAPageContext pageContext, OAWebBean webBean)
    super.processRequest(pageContext, webBean);
    ManagerInformationAMImpl am=(ManagerInformationAMImpl)pageContext.getApplicationModule(webBean);
    am.NewoperationManagerLogic();
    process form request:
    public void processFormRequest(OAPageContext pageContext, OAWebBean webBean)
    super.processFormRequest(pageContext, webBean);
    if(pageContext.getParameter("Submit")!=null)
    ManagerInformationAMImpl am=(ManagerInformationAMImpl)pageContext.getApplicationModule(webBean);
    am.getOADBTransaction().commit();
    please help with an example(sample code).
    its very urgent.
    thanks in advance
    Seshu
    Edited by: its urgent on Dec 25, 2011 9:31 PM

    Hi ,
    1.)You must have to create a EO based on custom table and then VO based on this EO eventually to save the values in DB
    2.) the row.setNewRowState(Row.STATUS_INITIALIZED); is used to set the the status of row as inialized ,this is must required.
    3.) When u will create the VO based on EO the viewattributes will be created in VO which will be assigned to the fields to take care the db handling .
    You must go thtough the lab excercise shipped with you Jdeveloper ,there is a example of Create Employee page ,that will solve your number of doubts.
    Thanks
    Pratap

  • Inserting data into database using service callout

    Hi,
    Im using 3 service callout for calling 3 database projects in osb. Im getting output from first two service call outs. In last service callout i have to insert data into data base which is output from service callout. im getting fault while inserting data. Can any body help me with any samples for inserting data into data base which is output from another service callout
    BEA-382513: OSB Replace action failed updating variable "body": com.bea.wli.common.xquery.XQueryException: Error parsing XML: {err}XP0006: "element {http://www.w3.org/2003/05/soap-envelope}Body { {http://www.w3.org/2004/07/xpath-datatypes}untypedAny }": bad value for type element {http://xmlns.oracle.com/pcbpel/adapter/db/POC/NRICHMENT/}OutputParameters { {http://www.w3.org/2001/XMLSchema}anyType }

    Hi prabu,
    I tried with several inputs but im getting same error. How to map to data base input of third service call out with output values of second service call out?
    Any sample blogs

  • Problem inserting data into database (increment problem)

    I have a servlet page that gets various data from a bean and executes multiple SQL statements to store this data. Beacuase i want to insert data into a number of tables that are related with a one to many relationship I am not using the auto increment function in mySQL. Instead i have created a counter bean that increments each time the servlet is involked. I am using this counter to set the primary key ID in the quesiton table that i insert data into and I am alos inserting it into another table as a foreign key which relates a number or records in the outcomes table to one record in the question table. I am havin a few problems getting it to work.
    Firstly the bean counter works but when the tomcat server is shutdown the counter is reset which will cause conflicts in the database no doubt and secondly even though i have not shut my server down i seem to be getting the following error saying there is a duplicate key even though there is no data in the database.
    Here is the exception.
    javax.servlet.ServletException: Duplicate entry '4' for key 1     org.apache.jasper.runtime.PageContextImpl.doHandlePageException(PageContextImpl.java:825)     org.apache.jasper.runtime.PageContextImpl.handlePageException(PageContextImpl.java:758)
    org.apache.jsp.authoring.question_005fmanager.process_005fquestion_jsp._jspService(process_005fquestion_jsp.java:469)
    org.apache.jasper.runtime.HttpJspBase.service(HttpJspBase.java:94)
    javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
    org.apache.jasper.servlet.JspServletWrapper.service(JspServletWrapper.java:324)
    org.apache.jasper.servlet.JspServlet.serviceJspFile(JspServlet.java:292)
    org.apache.jasper.servlet.JspServlet.service(JspServlet.java:236)
    javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
    root cause
    java.sql.SQLException: Duplicate entry '4' for key 1
    com.mysql.jdbc.MysqlIO.checkErrorPacket(MysqlIO.java:2851)
    com.mysql.jdbc.MysqlIO.sendCommand(MysqlIO.java:1531)     com.mysql.jdbc.ServerPreparedStatement.serverExecute(ServerPreparedStatement.java:1366)     com.mysql.jdbc.ServerPreparedStatement.executeInternal(ServerPreparedStatement.java:952)     com.mysql.jdbc.PreparedStatement.executeUpdate(PreparedStatement.java:1974)     com.mysql.jdbc.PreparedStatement.executeUpdate(PreparedStatement.java:1897)     com.mysql.jdbc.PreparedStatement.executeUpdate(PreparedStatement.java:1758)     org.apache.jsp.authoring.question_005fmanager.process_005fquestion_jsp._jspService(process_005fquestion_jsp.java:140)
    org.apache.jasper.runtime.HttpJspBase.service(HttpJspBase.java:94)
    javax.servlet.http.HttpServlet.service(HttpServlet.java:802)     org.apache.jasper.servlet.JspServletWrapper.service(JspServletWrapper.java:324)
    org.apache.jasper.servlet.JspServlet.serviceJspFile(JspServlet.java:292)
    org.apache.jasper.servlet.JspServlet.service(JspServlet.java:236)
    javax.servlet.http.HttpServlet.service(HttpServlet.java:802)
    My code is here
    // gets the feedback string parameters
         if(request.getParameterValues("feedbackBox") != null)
                   String[] feedbackList = request.getParameterValues("feedbackBox");
                   questionData.feedback = feedbackList;
         //gets the session username variable
         String insertQuestion1__username = null;
         if(session.getValue("MM_Username") != null){ insertQuestion1__username = (String)session.getValue("MM_Username");}
         //Creates a new mySQL date
         java.sql.Date currentDate = new java.sql.Date((new java.util.Date()).getTime());
         //goes thorugh each element of the scores array and calculates maxScore 
         questionData.maxScore = 0;
         for (int i = 0; i < questionData.scores.length; i++) {
                   questionData.maxScore = questionData.maxScore + questionData.scores;
         //increments count;
         synchronized(page) {
    appCounter.increaseCount();
         int counter = appCounter.count;
         Driver DriverinsertQuestion = (Driver)Class.forName(MM_connQuestion_DRIVER).newInstance();
         Connection ConninsertQuestion1 = DriverManager.getConnection(MM_connQuestion_STRING,MM_connQuestion_USERNAME,MM_connQuestion_PASSWORD);
         questionData.numOutcomes = questionData.choices.length;
         while (counter != 0)
              int questionID = counter;
              PreparedStatement insertQuestion1 = ConninsertQuestion1.prepareStatement("INSERT INTO Question.question (Question_ID, Topic_ID, Description, Image, Author, Created_Date, Max_Score, Question_Type) VALUES (" + questionID + ", '" + questionData.topicID + "', '" + questionData.questionText + "', '" + questionData.questionImage + "', '" insertQuestion1__username "', '" + currentDate + "', " + questionData.maxScore + ", '" + questionData.questionType + "') ");
              insertQuestion1.executeUpdate();          
         Driver DriverinsertQuestion2 = (Driver)Class.forName(MM_connAnswer_DRIVER).newInstance();
         Connection ConninsertQuestion2 = DriverManager.getConnection(MM_connAnswer_STRING,MM_connAnswer_USERNAME,MM_connAnswer_PASSWORD);
         PreparedStatement insertQuestion2 = ConninsertQuestion2.prepareStatement("INSERT INTO Answer.question (Question_ID, Question_Description, Question_Type, Topic, Number_Outcomes, Question_Wording) VALUES ('" counter "', '" questionData.questionLabel "', '" questionData.questionType "', '" questionData.questionType "', '" questionData.topicID "', '" questionData.numOutcomes "', '" questionData.questionText "' ) ");
         insertQuestion2.executeUpdate();
         Driver DriverinsertOutcomes = (Driver)Class.forName(MM_connAnswer_DRIVER).newInstance();
         Connection ConninsertOutcomes = DriverManager.getConnection(MM_connAnswer_STRING,MM_connAnswer_USERNAME,MM_connAnswer_PASSWORD);
         for (int i=0; i < questionData.numOutcomes; i ++)
         PreparedStatement insertOutcomes = ConninsertOutcomes.prepareStatement("INSERT INTO Answer.outcome (Question_ID, Outcome_Number, Outcome_Text, Score, Feedback) VALUES ( '" counter "', '" i "', '" +questionData.choices[i]+ "', '" +questionData.scores[i]+ "', '" +questionData.feedback[i]+ "' ) ");
         insertOutcomes.executeUpdate();
    Does anyone know where i am going wrong or how to fix this problem. I would like to know wheter i am doing this the right way. Is thjis the most practical way to use a counter bean or is there a better safer way to do it.
    Suggestions would be mcuh appreciated
    Thanks

    hi Narendran,
        i declared itab as follows
    DATA:      tb_final TYPE STANDARD TABLE OF ztable,
                       wa_final TYPE ztable.    "work area
    i am populating tb_final as follows:
                 wa_final-vkorg = wa_ycostctr_kunwe-vkorg.
                  wa_final-vtweg = wa_ycostctr_kunwe-vtweg.
                  wa_final-spart = wa_ycostctr_kunwe-spart.
                  wa_final-kunwe = wa_ycostctr_kunwe-kunwe.
                  wa_final-kondm = wa_ycostctr_kunwe-kondm.
                  wa_final-kschl = wa_ycostctr_2-kschl.
                  wa_final-hkont = wa_ycostctr_2-saknr.
                  wa_final-kostl = wa_ycostctr_kunwe-kostl.
            APPEND wa_final TO tb_final.
                  CLEAR wa_final.
    here i am not populating Mandt field.
    finally in tb_final am not getting the proper data .
    kindly help me.
    Thanks,
    Praveena

  • Help! Inserting data  into database

    Hi,
    I have problem in inserting new data into database.
    This is my code used.
    PROCEDURE insert_contact IS
    BEGIN
    GO_BLOCK('BLOCK3');
    first_record;
    LOOP
    insert into LIMS_JOB_LEVEL
         (JOB_LEVEL_CODE,JOB_LEVEL_DESC,LAST_UPD_ID,LAST_UPD_DATE)
         values
         ('FAF','FDSAFS','FDSAF','1-1-01');
         EXIT WHEN :SYSTEM.LAST_RECORD = 'TRUE';
         next_record;
    END LOOP;
    END;
    And I cannot insert the data.Can anyone help me to solve this
    problem of mine.
    Thanks a lot.

    I belive this got to do with the date format. There is another
    posting about this after your posting and there are couple of
    good solutions in there for the date formating. Please refer.

  • Invoking  Servlet to insert  data  into database

    I have written a compose page in html which on clicking SEND button has to call a servlet which inserts the values entered in htmlpage int to database .
    Can any one suggest me how it is done.
    thanks....:)

    for inserting data into the database u need to do the following
    1)write the servlet doGet method.Inside it use the object of the HttpServletRequest to retrieve the values entered in the html page.The method getParameter is used for that.If it is going to be a name written in textbox it should be like
    req.getParameter("txtname");
    req being the object of the HttpServletRequest object and txtname the name of the textbox.
    2)Load the driver
    3)Fix the connection
    4)Write a preparedstatement or statement which would insert the value which is requested above
    5)Execute the query.
    thats it
    All the best
    VaijayanthiBalaraman

  • Inserting data into database error

    for your information, i'm using jsp to create my web page. i am inserting sequence number into the database. When first data in insert into database it will show number 1 in the database. when second data in insert in database, it will show number 2 in the database. the data are inserted when user click submit button from the web page.
    i am creating a page name main.jsp. when the user select option from the list bar, it will link to new page. the option value in the list bar are 'sentul view' and 'cityview'. if the user choose 'cityview', it will link to new page that allows user to key in their information. the problem is sequence number was enter wrongly into database. when the first user click submit after selected "city view', sequence in 'cityview' database will increase. then when the other user register 'sentul view', the database sequence will start from number 2 in 'sentul view' database. how to avoid the problem...
    i enclosed some part of the code:
    <%     
         String sql_selectMax = "SELECT max(smb_regr_seq_no) as maxNo "+
                                  "FROM smbyer ";
         Statement stmt_selectMax = conn.createStatement();
         ResultSet rset_selectMax = stmt_selectMax.executeQuery(sql_selectMax);
         while(rset_selectMax.next()){
              reqNo = rset_selectMax.getInt("maxNo");
              out.print (reqNo);
         reqNo = reqNo + 1;
         %>     

    Note: Sequences are a feature provided by the Oracle database.
    That code will not work in MySQL, Access or MS SQL Server.
    And yeah, like the guy said, you need to keep track of a sequence number for each individual table you want to add records to.
    There are a huge number of resources on the internet discussing issues of IDs. Google is your friend:
    http://www.google.com/search?hl=en&ie=UTF-8&oe=UTF-8&q=database+unique+ids+java
    Cheers,
    evnafets

  • Inserting Data into Database in Popup - Reflecting in a parent panel

    Hi,
    I have a popup. The popup has a display table. The table is populated with rows (from a proxy ws operation, data control). Each row has a ADF link on a column that inserts that particular row into a database table, the popup remains popped, if you will, until you click an ok button.
    Question:
    I wanted to display all the inserted rows into a panel on the parent window once ok is clicked.
    Any ideas?
    I have been reading variants of popup tutorials, yet to implement, thought I would ask..
    Thanks,
    VJ

    Ok. After trial & error, I am able to refresh parent window panel display table with rows that were inserted in popup window.
    As I started with empty database table initially, the rows inserted into database table in popup window, all of them showed up in parent window panel display table.
    However, if there are say 10 rows that have been already added before, how can one bind only the fresh rows inserted in a particular session?
    I am thinking:
    1. Capture the (database) keys for added rows in a say processScope (I read some significance of it) for that request
    2. Iterate in the parent window panel for these keys only....
    Any examples/advice?
    Thank you,
    VJ
    Edited by: VJ on Apr 13, 2011 9:15 AM

  • How to insert Date into Database from workbench.

    Hi
    I have requirement where  I need to  insert the currentDate and Time to the database.   Here I am using  as
    At SQL Statement Info Editor ,have like these :
    Type     value
    Date     parse-dateTime(current-dateTime())
    At DB I have Datatype  as DateTime( Using MySQL). Here i am getting error like :
    Caused by: com.adobe.idp.dsc.jdbc.exception.JDBCIllegalParameterException: Type mismatch is found when preparing SQL statement. Expecting type 'date', but got type 'String'.
    Could  any one tell me where I can find  detailed log say hibernate type... where exatly we are  getting error.(Expect jboss's server log).
    Please tell how to  insert the date into the DB ASAP.
    Thanks
    Praveen

    Thanks for   all replies.
    Eventually I  got  the solution  the post
    From the Form (Using DatePicker) , we will get the DateTime  datatype to the Workbench. All  we need to  do is assign the  same to DateTime variable in the workbench and inserting the data to the DB.
    It works.
    Thanks
    Praveen.

  • How to insert data into database. Please help me(Struggling Very much)

    Hi i am having a jsp page which contains some textfields and one button. I have a database table and i have added to my page. The first column of Database table is ID which is of NUMERIC type and it has been set into primary key. And rest of fields are CHAR type. I am using SQL Server 2000. I have to enter the data into text fields and when i submit the add button it must add to the database table. But i am getting error like
    Exception Details: java.lang.IllegalArgumentException SRNI.TABLE1.NAME
    Please i am trying this one from two months. but it is not getting. I have tried alot by studying all tutorials in Java Studio Creator. I have posted many times but i have followed everyones suggestion. Please give me some instances of writing code to the corresponding requirements i have mentioned above.Please explain step by step including simple one also.
    Thanking You in Advance.

    Hi Srinivasan,
    Please check out the Database projects available at:
    http://blogs.sun.com/sakthi/entry/flavors_of_crud_tutorial_projects
    These have been exercised using this tutorial against different databases:
    http://developers.sun.com/prodtech/javatools/jscreator/learning/tutorials/2/inserts_updates_deletes.html
    HTH,
    Sakthi

  • How to insert date into database table

    Hi,
    i used date navigator in htmlb. i want toupdate date into the database table ystudetn_inf. and also please tell me how to insert that date into table.give me small example in stepby step.

    Hi,
      I am sure you have used htmlb:dateNavigator as follows
    <htmlb:dateNavigator id             = "myDateNavigator"
                               monthsPerRow    = "1"
                               onNavigate      = "myOnNavigate"
                               onDayClick      = "myOnDayClick"
                               onWeekClick     = "myOnWeekClick"
                               onMonthClick    = "myOnMonthClick">
          </htmlb:dateNavigator>
    Trap the onDayClick event in oninputprocessing
    date_event ?= cl_htmlb_manager=>get_data(
                                        request = runtime->server->request
                                             name     = 'inputField'
                                             id       = 'mydate'  ).
    date = datenavigator_event->day.
    and use date value to update your table.
    If found helpfull rewards points.
    Regards,
    Albert

  • Inserting  data into database

    HI
    im creating an web application using jsp, oracle 8i and tomcat , where 1 page is a registration page for users. (register.html)
    the flow of the program is tht when the user clicks on submit button of register.html , it calls Insertdata.jsp which takes the data from the fields and sends them 2 a bean,CustDataBean.java ,at the same time Insertdata.jsp will call another jsp Accessdata.jsp which has code to call another bean which inserts the data from 1st Bean to database.
    but i am getting error as soon as i click Submit button
    the error is as follows:
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:64: ')' expected.
    request.getParameter(\"fname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:64: Invalid character in input.
    request.getParameter(\"fname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:71: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "lname","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:72: Invalid character in input.
    request.getParameter(\"lname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:79: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "street","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:80: Invalid character in input.
    request.getParameter(\"street\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:87: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "city","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:88: Invalid character in input.
    request.getParameter(\"city\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:95: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "zip","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:96: Invalid character in input.
    request.getParameter(\"zip\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:103: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "country","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:104: Invalid character in input.
    request.getParameter(\"country\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:111: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "usrname","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:112: Invalid character in input.
    request.getParameter(\"usrname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:119: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "pwd","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:120: Invalid character in input.
    request.getParameter(\"pwd\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:127: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "bdate","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:128: Invalid character in input.
    request.getParameter(\"bdate\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:135: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "month","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:136: Invalid character in input.
    request.getParameter(\"month\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:143: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "year","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:144: Invalid character in input.
    request.getParameter(\"year\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:151: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "question","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:152: Invalid character in input.
    request.getParameter(\"question\")%> ",null,null, false)
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:159: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "answer","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:160: Invalid character in input.
    request.getParameter(\"answer\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:184: Unbalanced parentheses.
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:184: '}' expected.
    ^
    29 errors, 1 warning
    at org.apache.tomcat.facade.JasperLiaison.javac(JspInterceptor.java:898)
    at org.apache.tomcat.facade.JasperLiaison.processJspFile(JspInterceptor.
    java:733)
    at org.apache.tomcat.facade.JspInterceptor.requestMap(JspInterceptor.jav
    a:506)
    at org.apache.tomcat.core.ContextManager.processRequest(ContextManager.j
    ava:968)
    at org.apache.tomcat.core.ContextManager.internalService(ContextManager.
    java:875)
    at org.apache.tomcat.core.ContextManager.service(ContextManager.java:833
    at org.apache.tomcat.modules.server.Http10Interceptor.processConnection(
    Http10Interceptor.java:176)
    at org.apache.tomcat.util.net.TcpWorkerThread.runIt(PoolTcpEndpoint.java
    :494)
    at org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadP
    ool.java:516)
    at java.lang.Thread.run(Thread.java:534)
    2004-03-10 15:33:36 - Ctx() : Exception in R( + /Insertdata.jsp + null) - org.a
    pache.jasper.JasperException: Unable to compile Note: sun.tools.javac.Main has b
    een deprecated.
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:63: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "fname","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:64: ')' expected.
    request.getParameter(\"fname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:64: Invalid character in input.
    request.getParameter(\"fname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:71: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "lname","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:72: Invalid character in input.
    request.getParameter(\"lname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:79: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "street","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:80: Invalid character in input.
    request.getParameter(\"street\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:87: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "city","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:88: Invalid character in input.
    request.getParameter(\"city\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:95: String not terminated at end o
    f line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "zip","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:96: Invalid character in input.
    request.getParameter(\"zip\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:103: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "country","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:104: Invalid character in input.
    request.getParameter(\"country\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:111: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "usrname","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:112: Invalid character in input.
    request.getParameter(\"usrname\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:119: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "pwd","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:120: Invalid character in input.
    request.getParameter(\"pwd\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:127: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "bdate","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:128: Invalid character in input.
    request.getParameter(\"bdate\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:135: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "month","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:136: Invalid character in input.
    request.getParameter(\"month\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:143: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "year","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:144: Invalid character in input.
    request.getParameter(\"year\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:151: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "question","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:152: Invalid character in input.
    request.getParameter(\"question\")%> ",null,null, false)
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:159: String not terminated at end
    of line.
    org.apache.jasper.runtime.JspRuntimeLibrary.introspecthelper
    (pageContext.findAttribute("custdatabean"), "answer","<%=
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:160: Invalid character in input.
    request.getParameter(\"answer\")%> ",null,null, false);
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:184: Unbalanced parentheses.
    ^
    C:\Tomcat\work\DEFAULT\ROOT\Insertdata_1.java:184: '}' expected.
    ^
    29 errors, 1 warning
    at org.apache.tomcat.facade.JasperLiaison.javac(JspInterceptor.java:898)
    at org.apache.tomcat.facade.JasperLiaison.processJspFile(JspInterceptor.
    java:733)
    at org.apache.tomcat.facade.JspInterceptor.requestMap(JspInterceptor.jav
    a:506)
    at org.apache.tomcat.core.ContextManager.processRequest(ContextManager.j
    ava:968)
    at org.apache.tomcat.core.ContextManager.internalService(ContextManager.
    java:875)
    at org.apache.tomcat.core.ContextManager.service(ContextManager.java:833
    at org.apache.tomcat.modules.server.Http10Interceptor.processConnection(
    Http10Interceptor.java:176)
    at org.apache.tomcat.util.net.TcpWorkerThread.runIt(PoolTcpEndpoint.java
    :494)
    at org.apache.tomcat.util.threads.ThreadPool$ControlRunnable.run(ThreadP
    ool.java:516)
    at java.lang.Thread.run(Thread.java:534)
    code for register.html
    <html              
            <head>
            <head>
              <title>
                   Help Desk Support
              </title>
    </head>
    <body>
    <center>
                   <b><h1>
                        <font color = blue>
                             Help Desk Support
                        </font>
                   </h1></b>
    </center>
    <form name = "loginform" method = "POST" action = "http://localhost:8080/Insertdata.jsp">
      <p><i>First Name <font color="#FF0000">*: <input type="text" name="fname" size="15"> 
      </font>Last Name<font color="#FF0000">* <input type="text" name="lname" size="15"><br>
      </font>
      Street:<font color="#FF0000">          
      <input type="text" name="street" size="15">  </font>City:<font color="#FF0000">            
      <input type="text" name="city" size="15"><br>
      </font>
      Zip:   <font color="#FF0000">           
      <input type="text" name="zip" size="5">           </font>  
      Country:  <font color="#FF0000">     <input type="text" name="country" size="25"><br>
      </font>
      <p>Username(max 9)<font color="#FF0000">*</font>: <font color="#FF0000"> <input type="text" name="usrname" size="9"><br>
      </font>Password(max 9)<font color="#FF0000">*</font>:<font color="#FF0000"> 
      <input type="password" name="pwd" size="9"></p>
      </font>
      <p>------------------------------------------------------------------------------------------------------------------------------<font color="#FF0000"><br>
      </font>
      BirthDate<font color="#FF0000">*</font>:<font color="#FF0000"> <select size="1" name="bdate">
      <option selected>1
        <option>2
          <option>3
            <option>4
              <option>5
                <option>6
                  <option>7
                    <option>8
        <option>9
          <option>10
            <option>11
              <option>12
                <option>13
                  <option>14
                    <option>15
                      <option>16
                        <option>17
                          <option>18
                            <option>19
                              <option>20
                                <option>21
                                  <option>22
                                    <option>23
                                      <option>24
                                        <option>25
                                          <option>26
                                            <option>27
                                              <option>28
                                                <option>29
                                                  <option>30
                                                    <option>31
      </select>  </font> Month<font color="#FF0000">*</font>:<font color="#FF0000"> <select size="1" name="month">
        <option selected>Jan
          <option>Feb
            <option>Mar
              <option>Apr
                <option>May
                  <option>Jun
                    <option>Jul
                      <option>Aug
                        <option>Sep
                          <option>Oct
                            <option>Nov
                              <option>Dec
      </select>  </font>Year<font color="#FF0000">*</font>: <font color="#FF0000"> <input type="text" name="year" size="10"></p>
      </font>
      <p>Secret Question<font color="#FF0000">*</font>:<font color="#FF0000"> <select size="1" name="question"><option value="Favorite pet's name?"  selected  > Favorite pet's name?<option value="Favorite movie?"  > Favorite movie?<option value="Anniversary [mm/dd/yy]?"  > Anniversary [mm/dd/yy]?<option value="Father's middle name?"  > Father's middle name?<option value="Spouse's middle name?"  > Spouse's middle name?<option value="First child's middle name?"  > First child's middle name?<option value="High school name?"  > High school name?<option value="Favorite teacher's name?"  > Favorite teacher's name?<option value="Favorite sports team?"  > Favorite sports team?  </select><br>
      </font>
      Answer<font color="#FF0000">*</font>:<font color="#FF0000">            
      <input type="text" name="answer" size="35"></p>
      <p>                                                                           
      <input type="reset" value="Reset" name="reset"> <input type="submit" value="LOGIN" name="submit"></p>
    </form>
    </body>-----------------------------------------
    Insertdata.jsp
    <html>
         <head>
              <title>
                   Redirecting to .... Successful registration !
              </title>
                   Thank You for the Registration.
         </head>
         <body>
              <%@ page session = "true" %>
    <% managerservlets.CustDataBean custdatabean = new managerservlets.CustDataBean(); %>
              /* wot abt unum which is a sequence */
              <jsp:setProperty name = "custdatabean" property = "fname" value = '<%=
                   request.getParameter("fname")%> ' />          
              <jsp:setProperty name = "custdatabean" property = "lname" value = '<%=
                   request.getParameter("lname")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "street" value = '<%=
                   request.getParameter("street")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "city" value = '<%=
                   request.getParameter("city")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "zip" value = '<%=
                   request.getParameter("zip")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "country" value = '<%=
                   request.getParameter("country")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "usrname" value = '<%=
                   request.getParameter("usrname")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "pwd" value = '<%=
                   request.getParameter("pwd")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "bdate" value = '<%=
                   request.getParameter("bdate")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "month" value = '<%=
                   request.getParameter("month")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "year" value = '<%=
                   request.getParameter("year")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "question" value = '<%=
                   request.getParameter("question")%> ' />     
              <jsp:setProperty name = "custdatabean" property = "answer" value = '<%=
                   request.getParameter("answer")%> ' />
              ThankYou
         </body>
    </html>-------------------------------
    Custdatabean.java has only setProperty and getProperty methods
    can somebody tell me how to rectify this error?
    thanks
    tej_jay

    Couple of things:
    1 - You really should be using a jsp:useBean tag rather than just declaring your variable in a scriptlet.
    2 - Get rid of the space between the %> and the '
    ie :<jsp:setProperty name = "custdatabean" property = "fname" value = '<%= request.getParameter("fname")%>' />

  • Inserting date into database column automatically

    This may be a silly question. But how to add a date(system date) in to the database column automatically when a user submit a form.???
    thanks
    san

    Hi,
    Use default values?
    SQL>create table t
    2  (
    3  a number,
    4  constraint def_val_b b date default sysdate
    5  );
    Table created.
    SQL>insert into t (a) values (1);
    1 row created.
    SQL>select * from t;
             A B
             1 22/11/05
    1 row selected.Regards,
    Yoann.

  • How to insert data into database table from a servlet? Help please.

    From a servlet I want to insert a message with some servlet parameters into an oracle database table by writing 'insert into tablename'. How shall I write the sql statement?

    simple suppose u wanned to insert user name and password into table user_info then this is a simple example .....
    Best Regds
    bondzoro
    [email protected]
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.sql.*;
    public class tester extends HttpServlet {
    Connection con = null;
    public void init(ServletConfig sc){
    super.int(sc);
    Class.forName("oracle.jdbc.driver.OracleDriver");
    public void service(HttpServletRequest req,HttpServletResponse res) throws ServletException,IOE
    try {
    con=DriverManager.getConnection("jdbc:oracle:thin:@database_URL:1521:ORA8","username","pa
    String user = req.getParameter("username");
    String pass = req.getParameter("pass");
    PreparedStatement pst = con.prepareStatement("insert into user_info values(?,?)");
    pst.setString(1,user);
    pst.setString(2,pass);
    pst.executeQuery();
    pst.close();
    con.close();
    }catch(Exception _e){
    _e.printStackTrace(System.err);
    ~

  • Problem to insert data into database

    hi all ,
    I had the two following xmls.
    SELECT XMLELEMENT("PUR_ORDER_INFO",
    XMLFOREST (PUR_ORDER_ID ,PUR_ORDER_STATTUS ))
    FROM T_PUR_ORDER
    WHERE PUR_ORDER_ID = 2 ;
    and
    SELECT XMLELEMENT("PRTCPNT_INFO",
    XMLFOREST(PRTCPNT_ID,PRTCPNT_NAME,PRTCPNT_ADDRESS))
    FROM T_PRTCPNT
    WHERE PRTCPNT_ID = 2 ;
    i need to CONCAT these two outputs and put in one xml column(XML_HIST) in another table (t_pur_hist).
    SQL> desc t_pur_hist
    Name Null? Type
    HIST_ID NOT NULL NUMBER
    HIST_DT DATE
    XML_HIST XMLTYPE
    PUR_ORDER_ID NUMBER
    i am new to xml.
    could anyone please help me.
    thanks
    rampa.

    Be aware that XML needs a root (=starting) tag to be well formed.
    <this><is><a><valid><xml_document>!</xml_document></valid></a></is></this>
    <here><is><another><valid><xml_document>!</xml_document></valid></another></is></here>
    Now we union both XMLs...
    <this><is><a><valid><xml_document>!</xml_document></valid></a></is></this>
    <here><is><another><valid><xml_document>!</xml_document></valid></another></is></here>
    => not valid!
    <documenthistory>
       <this><is><a><valid><xml_document>!</xml_document></valid></a></is></this>
       <here><is><another><valid><xml_document>!</xml_document></valid></another></is></here>
    </documenthistory>
    Valid!AS for your select problem.
    You can add both selects into one.
    select xmlelement("Documenthistory",
                      (select xml1 from table1),
                      (select xml2 from table2)
    from dual;Message was edited by:
    Sven W.

Maybe you are looking for

  • Motion 4 crashes on start after Lion upgrade

    Just upgraded from SL to the new Lion, upgraded FCS2 to FCS3 on my MBP 15 (relativley new, i7) and can't get Motion to start, it keeps crashing at the same Thread; Crashed Thread:  7  com.apple.CFSocket.private (All other FCS 3 start ok after the upg

  • Queries related to ABAP Programs migration to SAP ECC 6.0

    We are planning to re-implement SAP using SAP ECC 6.0 We are currently using SAP R3 Version 4.7 Regarding migration of existing ABAP Programs and data, I have some queries which may kindly be answered by any of the experts of this forum. 1. I have he

  • Trex installation error FSL-00001  System call failed. Error 3

    I am installing trex on multiple hosts for a Production setup. Trex is version 7.0 patch level 40. All hosts are Windows servers running on "Windows Server 2003 R2 Enterprise x64 Edition, Service Pack 2" Distribution of trex instances are as follows,

  • Regarding B2B 11g Channels

    Hi Everyone, I am new to B2B and it would be great if some one can clarify on the following questions . 1) Can a internal Delivery channel be inbound to B2B where in B2B is given the data by the backend application and B2B need not fetch it through a

  • CRM customer  fact sheet with Business Objects reports

    Hi, We want to show business objects reports at customer fact sheet area. Is it technically possible? Do you have any ideas? Thanks Ozge