Using a database within jspdynpage

Hi Everybody,
i have create a jspdynpage within a portal application project. Now i want to store my data which was inserted by the user into a database like java dictionary, is that possible? How can i use a database in order to save the inserted data from my jspdynpage? Can i use a java dictionary?
regards,
Seed
Edited by: seed_mopo on Apr 3, 2008 6:18 PM

Hi Seed,
I would suggest you to use beans in your portal application.
To adhere MVC (Model View Controller) architecture please do not use your database statements ina  javabean.
Lets your javabean have all your database related statements and ur jsp  dynpage can communicate javabean to fetch data.
It is easy to create a Enterprise Portaljspdynpage project with Java bean.
Thr is an option while creating the EP Application project
You can fetch the bean statement in jsp dynpage file using
JSP code.
You can find the sample applications using javabeans in SDN itself.
Ram

Similar Messages

  • Can I use the database toolset within a fieldpoint vi?

    I want to be able to read and write to a database on our network using the database toolset. My vi works under windows but does not under fieldpoint. (does not run at all). I've included (loaded) the template while building the executable. As well I've include the udl support file to access the database

    Ola,
    If I was designing this system I would use a shared variable which contains the name of the last data file written by the FieldPoint.  The PC would monitor that name and when it changes, use the FTP VIs to download it to the PC.  The PC VI would then parse the text file and insert into the SQL database.
    Using a lock file or a Boolean Data Ready? flag would also be very valid approaches.
    Depending on how fast you are acquiring data you might be able to do away with the intermediate text file.  Another possible approach would be to use the TCP VIs to effectively stream the data from the FieldPoint back to the PC where it can be inserted into the database.
    Regards,
    Simon H

  • Using MS Access database within Servlet

    Hi
    l've been trying since a week to extract data from my database
    within my Servlet, but it doesn't work.
    l get the reply with empty table, yes no data in it !!
    my classes and the database are located in WEB-INF/classes directory
    can someone help me please ?
    thanks

    [i]this is my code
    // first class
    package servletcommercial;
    Class Product
    //Business object for products, note quantity in stock is a string
    public class Product {
    private String productId;
    private String description;
    private String category;
    private String quantityInStock;
    private int price;
    public Product
    (String productId, String description, String category, String quantityInStock, int price)
    this.productId = productId;
    this.description = description;
    this.category = category;
    this.quantityInStock = quantityInStock;
    this.price = price;
    //Setter methods
    public void setProductId(String productId)
    this.productId = productId;
    public void setDescription(String description)
    this.description = description;
    public void setQuantityInStock(String quantityInStock)
    this.quantityInStock = quantityInStock;
    public void setPrice(int price)
    this.price = price;
    public void setCategory(String category)
    this.category = category;
    //Getter methods
    //second class
    package servletcommercial;
    Class ProductCollection
    import java.util.*;
    import java.sql.*;
    public class ProductCollection {
    private Connection cn;
    private String driverName;
    public ProductCollection()
    try
    Class.forName("sun.jdbc.odbc.JdbcOdbcDriver");
    cn =
    DriverManager.getConnection("jdbc:odbc:M360Catalogue", "Darrel", "");
    catch(Exception e){System.out.println("Problem setting up database"+e);};
    public Enumeration getCollectionPrice(int price)
    Vector extractedProducts=new Vector ();
    ResultSet rs;
    Statement query;
    try
    query = cn.createStatement();
    String queryString =
    "Select * from Products where Price > "+price;
    System.out.println(queryString);
    rs = query.executeQuery(queryString);
    while(rs.next())
    Product extractedProduct = new Product
    (rs.getString(1), rs.getString(2), rs.getString(3),
    rs.getString(4), rs.getInt(5));
    extractedProducts.add(extractedProduct);
    rs.close();
    catch (Exception e){System.out.println("Problem with query "+e);}
    return extractedProducts.elements();
    public Enumeration getCollectionCategory(String category)
    Vector extractedProducts=new Vector ();
    ResultSet rs;
    Statement query;
    try
    query = cn.createStatement();
    String queryString =
    "Select * from Products where Category ='"+ category+"'";
    System.out.println(queryString);
    rs = query.executeQuery(queryString);
    while(rs.next())
    Product extractedProduct = new Product
    (rs.getString(1), rs.getString(2), rs.getString(3),
    rs.getString(4), rs.getInt(5));
    extractedProducts.add(extractedProduct);
    rs.close();
    catch (Exception e){System.out.println("Problem with query"+e);}
    return extractedProducts.elements();
    //last class
    M360
    Exercise 7.3
    Class CommServletSolution
    import javax.servlet.*;
    import javax.servlet.http.*;
    import java.io.*;
    import java.util.*;
    public class CommServletSolution extends HttpServlet {
    private static final String CONTENT_TYPE = "text/html";
    private ProductCollection pc = new ProductCollection();
    public void init(ServletConfig config) throws ServletException {
    super.init(config);
    public void doGet(HttpServletRequest request, HttpServletResponse response)
    throws ServletException, IOException {
    public void doPost(HttpServletRequest request, HttpServletResponse response)
    throws ServletException, IOException
    PrintWriter out = response.getWriter();
    response.setContentType(CONTENT_TYPE);
    if((request.getParameter("pulldown")).equals("priceselect"))
    String price = request.getParameter("data");
    String priceInPence = (Integer.parseInt(price)*100)+"";
    Enumeration en = pc.getCollectionPrice(Integer.parseInt(priceInPence));
    //Display table
    out.print("<P>The table of goods for your price query ** price "+" > " +
    price+" ** is shown below</P>");
    displayTable(out, en);
    if((request.getParameter("pulldown")).equals("categoryselect"))
    String category = request.getParameter("data");
    //Get enumeration to retrieved products
    Enumeration en = pc.getCollectionCategory(category);
    //Display table
    out.print("<P>The table of goods for your category query ** category = "+
    category +" ** is shown below</P>");
    displayTable(out, en);
    public static void displayTable(PrintWriter out, Enumeration en)
    //Helper method which displays tables
    //Table header
    out.println("<TABLE BORDER>");
    out.println("<TR>");
    out.println("<TH>Description</TH><TH>Category</TH><TH>Quantity</TH><TH>Price</TH>");
    out.println("</TR>");
    //Table rows
    while(en.hasMoreElements())
    Product chosenProduct = (Product)en.nextElement();
    int penceAmount = chosenProduct.getPrice()%100;
    String pence=""+penceAmount;
    if(penceAmount<10)
    pence = "0"+penceAmount;
    if(penceAmount==0)
    pence ="00";
    out.println("<TR>");
    out.println("<TD>" + chosenProduct.getDescription()+"</TD>"+
    "<TD>" + chosenProduct.getCategory()+ "</TD>"+
    "<TD>" + chosenProduct.getQuantityInStock()+"</TD>"+
    "<TD>" + chosenProduct.getPrice()/100+"."+
    pence+"</TD>"
    out.println("</TR>");
    out.println("</TABLE>");

  • Using APEX_MAIL from within a procedure invoked from DBMS_JOB

    I have done a lot of googling and wasted a couple of days getting nowhere and would appreciate some help. But I do know that in order to use APEX_MAIL from within a DBMS_JOB that I should
    "In order to call the APEX_MAIL package from outside the context of an Application Express application, you must call apex_util.set_security_group_id as in the following example:
    for c1 in (
    select workspace_id
    from apex_applications
    where application_id = p_app_id )
    loop
    apex_util.set_security_group_id(p_security_group_id =>
    c1.workspace_id);
    end loop;
    I have created a procedure that includes the above (look towards the end)
    create or replace procedure VACANCIES_MAILOUT
    (p_application_nbr number,
    p_page_nbr number,
    p_sender varchar2)
    AS
    Purpose: Email all people registerd in MAILMAN [email protected]
    with details of any new vacancies that started listing today.
    Exception
    when no_data_found
    then null;
    when others then raise;
    l_body CLOB;
    l_body_html CLOB;
    l_vacancy_desc VARCHAR2(350);
    to_headline varchar2(200);
    to_org varchar2(100);
    l_vacancies_desc varchar2(2000);
    to_workspace_id number(22);
    CURSOR vacancies_data IS
    select DISTINCT v.headline to_headline,
    ou.org_name to_org
    from VACANCIES v,
    Org_UNITS ou
    where
    ou.org_numb = v.Org_Numb
    and v.public_email_sent_date is Null
    Order by ou.org_name, v.headline;
    BEGIN
    BEGIN
    FOR vacancies_rec in vacancies_data
    -- build a list of vacancies
    loop
    BEGIN
    l_vacancy_desc := '<br><b>' ||
    vacancies_rec.to_org || '<br>' ||
    vacancies_rec.to_headline || '</b><br>';
    -- l_vacancy_desc :=
    -- vacancies_rec.to_org || ' - ' ||
    -- vacancies_rec.to_headline ;
    l_vacancies_desc := l_vacancies_desc || l_vacancy_desc;
    END;
    END LOOP;
    END;
    l_body := 'To view the content of this message, please use an HTML enabled mail client.'||utl_tcp.crlf;
    l_body_html :=
    '<html>
    <head>
    <style type="text/css">
    body{font-family:  Verdana, Arial, sans-serif;
                                   font-size:11pt;
                                   margin:30px;
                                   background-color:white;}
    span.sig{font-style:italic;
    font-weight:bold;
    color:#811919;}
    </style>
    </head>
    <body>'||utl_tcp.crlf;
    l_body_html := l_body_html || l_vacancies_desc
    || '<p>-----------------------------------------------------------------------------------------------------------------</strong></p>'
    ||utl_tcp.crlf
    || '<p>The above new vacancies have been posted on the <strong>Jobs At Murdoch</strong> website.</p>'
    ||utl_tcp.crlf
    ||'<p>For futher information about these vacancies, please select the following link</p>'
    ||utl_tcp.crlf
    ||'<p> Jobs At Murdoch </p>'
    ||utl_tcp.crlf
    ||'<p></p>'
    ||utl_tcp.crlf;
    l_body_html := l_body_html
    ||' Regards
    '||utl_tcp.crlf
    ||' <span class="sig">Office of Human Resources</span>
    '||utl_tcp.crlf;
    for c1 in (
    select workspace_id
    from apex_applications
    where application_id = 1901)
    loop
    apex_util.set_security_group_id(p_security_group_id => c1.workspace_id);
    end loop;
    apex_mail.send(
    p_to => '[email protected]',
    p_from => '[email protected]',
    p_body => l_body,
    p_body_html => l_body_html,
    p_subj => 'Jobs At Murdoch - new vacancy(s) listed');
    update VACANCIES
    set public_email_sent_date = trunc(sysdate,'DDD')
    where public_email_sent_date is null;
    commit;
    END;
    but still get the error
    Oracle Database 11g Enterprise Edition Release 11.2.0.1.0 - 64bit Production
    With the Partitioning, OLAP, Data Mining and Real Application Testing options
    ORACLE_HOME = /oracle
    System name: Linux
    Node name: node
    Release: 2.6.18-194.17.1.el5
    Version: #1 SMP Mon Sep 20 07:12:06 EDT 2010
    Machine: x86_64
    Instance name: instance1
    Redo thread mounted by this instance: 1
    Oracle process number: 25
    Unix process pid: 5092, image: (J000)
    *** 2011-07-12 09:45:03.637
    *** SESSION ID:(125.50849) 2011-07-12 09:45:03.637
    *** CLIENT ID:() 2011-07-12 09:45:03.637
    *** SERVICE NAME:(SYS$USERS) 2011-07-12 09:45:03.637
    *** MODULE NAME:() 2011-07-12 09:45:03.637
    *** ACTION NAME:() 2011-07-12 09:45:03.637
    ORA-12012: error on auto execute of job 19039
    ORA-20001: This procedure must be invoked from within an application session.
    ORA-06512: at "APEX_040000.WWV_FLOW_MAIL", line 290
    ORA-06512: at "APEX_040000.WWV_FLOW_MAIL", line 325
    ORA-06512: at "APEX_040000.WWV_FLOW_MAIL", line 367
    ORA-06512: at "HRSMENU_TEST.VACANCIES_MAILOUT", line 94
    ORA-06512: at line 1
    Can someone please tell me what what stupid thing I am doing wrong? The procedure worked when invokded from SQL Workshop but fails in a DBMS_JOB.
    much thanks Peter

    I think that might help...
    http://www.easyapex.com/index.php?p=502
    Thanks to EasyApex..
    LK

  • Can I use logical databases in a WebDynpro ABAP program?

    can I use logical databases in a WebDynpro ABAP program?
    I need to build a WDA screen that is similar to the SAPDBPNP selection screen (user can find the personnel number based on several criteria, such as last_name/first_name of the employee).  So it seems that the existing logical databases have already many nice features already built (like the selection screens, the logic behind the screens etc). So I was wondering if/how I can use them in my WDA application.

    Hello, Tiberiu.
    You cannot use LDB directly within your WDA programa. BUT, you can fetch results from this LDB by using FM LDB_PROCESS. This function module can be called anytime from any kind of ABAP program. But you will still have to create the screen, as it only processes data, not screens.
    Regards,
    Andre
    PS: Pls reward points if it helps.

  • Using Solution Database (IS01) in SolMan without TREX

    Hi all,
    I just wanted to use the solution database within SolMan, which comes with the standard CRM functionality (IS01). Unfortunately I always receive dumps when creating (SAPSQL_ARRAY_INSERT_DUPREC) and searching (OBJECTS_OBJREF_NOT_ASSIGNED_NO) for problems and solutions.
    Afterwards I found that the installation of the TREX server is required and this is maybe the reason. Is this true?
    How can I run the solution database without the installation of a TREX? Is this possible?
    Please help.
    Thank you very much in advance, and have a nice weekend.
    Stefan Bauert

    Hello Charan,
    Thank you very much for your feedback!
    I went through the wizard of TCode "CRMC_SAF_WZ_SE" and entered requested program, but I was leaving detailed data for http and so on blank.
    After that I went to TCode "CRMC_SAF_ADV_CLIENT" and wanted to enter the recommended description to "Learning Enginge Description". The following 2 entries already exist:
    DEFAULT_ASPR     Spreading Activation
    DEFAULT_PURE     Pure Correlation
    Do I need to enter a new entry, or just paste the program name into one of these entries?
    However the creation of a problem is still failing with dump OBJECTS_OBJREF_NOT_ASSIGNED.
    Finally my question: If I do not want to use the service desk for this, can I use the solution DB without TREX?
    thanks and regards
    stefan

  • CiscoSecure ACS using Novell Database for 802.1x

    I am using user authentication to validate users on the network. I am running ACS 3.2 on a Windows 2000 server. The customer is running Novell 6.1. I have set up an external database within ACS. This is a generic LDAP configuration.
    The problem is that I get a message that states that LDAP Server NOT reachable.
    The LDAP service is running on the Novell box.
    Any ideas?? There is network connectivity between the two servers.
    Thanks,
    Robert Chachere

    The "GroupClass" will be bty default set to "groupOfUniqueNames".Try setting it to "groupOfNames".

  • Could i use another database

    Im wondering if i can use another database for the workflow engine. I mean it comes with a database managment by default i want to know if a can use another one (SQL server)

    Hi,
    We have been using jtds driver , which is free and the fastest and without any bugs until now, we have been using it for 4 months now.
    The part below explain how to set up your mssql server with jtds driver.
    create a db lets call is bpel
    then run these queries on it. basically to create the tables, these files are
    domain_sqlserver.ddl
    server_sqlserver.ddl
    workflow_sqlserver.sql
    sensor_sqlserver.sql
    located at
    /OraBPELPM_1/integration/orabpel/system/database/scripts
    After that download the jtds driver for sql server.
    We do not use the microsofts jdbc driver for mssql, although we have tried it.
    It doesnt work properly, with the bpel process manager, basically it has some problem with select image and blob types from DB.
    Anyways, the best one we found was for jtds, it works great and is the fastest I beleive.
    We used data direct's jdbc driver but its not free and after doing some benchmark tests we found jtds was the fastest.
    mkdir -p jdbc/jTDS/unzip
    cd jdbc/jTDS/unzip
    download the jtds-1.2-dist.zip from
    wget http://surfnet.dl.sourceforge.net/sourceforge/jtds/jtds-1.2-dist.zip
    unzip jtds-1.2-dist.zip
    cd unzip
    cp jtds-1.2.jar OraHome_1/integration/orabpel/system/appserver/oc4j/j2ee/home/applib/
    You will now have to configure MsSQL in your data-sources.xml file.
    Microsoft SQL Server Database Configuration
    Oracle Bpel now needs to be configured to use Microsoft SQL Server, using the JDBC drivers.
    cd OraHome_1/integration/orabpel/system/appserver/oc4j/j2ee/home/config/
    vi data-sources.xml
    You must then place the following xml within the file:
    <data-source class="net.sourceforge.jtds.jdbcx.JtdsDataSource"
    name="BPELServerDataSource"
    location="jdbc/BPELServerDataSourceWorkflow"
    xa-location="BPELServerDataSource"
    ejb-location="jdbc/BPELServerDataSource"
    connection-driver="net.sourceforge.jtds.jdbc.Driver"
    username="BPEL_user"
    password="bpeluser!">
    <property name="serverName" value="server_name"/>
    <property name="databaseName" value="database_name"/>
    <property name="portNumber" value="1433"/>
    </data-source>
    <data-source class="net.sourceforge.jtds.jdbcx.JtdsDataSource"
    name="AdminConsoleDateSource"
    location="jdbc/AdminConsoleDateSource"
    xa-location="AdminConsoleDateSource"
    ejb-location="jdbc/AdminConsoleDateSource"
    connection-driver="net.sourceforge.jtds.jdbc.Driver"
    username="user_name"
    password="password">
    <property name="serverName" value="server_name"/>
    <property name="databaseName" value="database_name"/>
    <property name="portNumber" value="1433"/>
    </data-source>
    <data-source class="net.sourceforge.jtds.jdbcx.JtdsDataSource"
    name="BPELSamplesDataSource"
    location="jdbc/BPELSamplesDataSource"
    xa-location="BPELSamplesDataSource"
    ejb-location="jdbc/BPELSamplesDataSource"
    connection-driver="net.sourceforge.jtds.jdbc.Driver"
    username="user_name"
    password="password">
    <property name="serverName" value="server_name"/>
    <property name="databaseName" value="database_name"/>
    <property name="portNumber" value="1433"/>
    </data-source>
    Run the BPEL server and everything should work fine.

  • How to use Logical database in function module?

    I will create a function module in HR.
    but how to use Logical database  in function module ?  Logical database PNP always show screen.in function (RFC) code , it is a matter.

    You cannot attach the LDB to the main program of the function group.
    - So you may [SUBMIT|https://www.sdn.sap.com/irj/sdn/advancedsearch?cat=sdn_all&query=submit&adv=false&sortby=cm_rnd_rankvalue] a report which use the LDB and get back the data (export/import), by default in the syntax of SUBMIT the selection-screen will not be displayed
    - Use [LDB_PROCESS|https://www.sdn.sap.com/irj/sdn/advancedsearch?query=ldb_process&cat=sdn_all], fill a structured table for selection, and get data back in another table
    - Use [HR function modules to read Infotypes|https://www.sdn.sap.com/irj/sdn/advancedsearch?cat=sdn_all&query=hrfunctionmodulestoread+Infotypes&adv=false&sortby=cm_rnd_rankvalue].
    Regards

  • I want to use Berkely database for my Dissertation

    Hello everyone,
    I am having some doubts regarding Berkely database. Actually, I am using this database for my project. The scenario of the project is, I have developed some business rules depending on the concept of Ripple Down Rules and represented the rules using Conceptual graphs. Now I want to store fire these business rules in to the Berkely database, so that my application can use these business rules from the Berkeley database.
    This is the context of my project. But, I am very new to this Berkely database. I have downloaded the Berkely database from the Oracle website and also installed it. The OS is am using is Windows XP SP2. Can anyone explain me how to store Conceptual graphs in a Berkely database.
    I am really a beginner to Berkely database. i don't even know what to do after installing the Berkely database. Please advise me about this.
    I would be very thankful to you.
    Cheers,
    Phani.

    Hi Phani,
    The simple answer is however you want. Berkeley DB doesn't put any constraints on how you store data in it. Its main purpose is to provide an efficient and scalable key/value storage and retrieval system, upon which you can build your own data storage system.
    More specifically, if you're representing graph data, the simplest way to do so is with the "edge list" paradigm. You could, for example, set up a pair of databases, one to store all your graph nodes (with associated metadata) and one for directed edges. I'm not sure what particular c structures you'll want to use for these, but I'd suggest using record numbers on both the nodes and the edges DBs, unless all your nodes have unique and meaningful names. I'd also allow duplicate records on your edges DB, and have a very simple record structure in it that simply maps from a source node id to a destination node it (the duplicates allow multiple edges from a given node.)
    If you have more specific constraints on your graph and algorithms you'd like to run on it, there are potentially more schemes you could use, such as the nested set representation for trees, and so on.
    Hope this helps,
    Daniel

  • Right way to code an AIR application that uses sqllite database

    I am developing an AIR application that uses sqllite database.I want to know the correct way in which I should create the connections and SQLstatements according to MVC pattern.For example,whether i should have a single SQLStatement object for all my sql operations or I should use separate objects for insert,delete,select etc.I know how to open connection,execute statements and all,but i want to know the professional way of writing it.

    Make a controller for connect to db and save the connection in global varible (in model). Use this connection variable whenever u wanna execute the sql statements. Create seperate dao's for each table. Queries should be executed under the daos. You can call the method under the dao for execute the query from controller and show the result in view.

  • Can we use different Databases (Oracle & SQL Server) in one report?

    Post Author: venki5star
    CA Forum: .NET
    Hi there.
    Can we use different databases (Oracle & SQL Server) in a same report?
    If possible how?
    Another question,
    Can we change the Provider Name at runtime of the given report. If so the above question is useless...
    Thanks in Advance.

    I tried this using Oracle Provider for OLEDB (the one that supplied by Oracle Client) and Crystal Reports 9. you can drag the column into designer but the image does not appear in preview.
    I guess it's because CR does not recognized it as image, and there are no information that the blob data is an image at all.

  • How can I use two database in Dataset in SSRS?

    Hi,
    I am using one query to generate my SSRS report. In that query I am using subquery. Now I am pulling data from multiple tales.
    DB used in sub query is different than the rest of the tables DB.(So total I am using 2 DB(Database))
    So I see that in SSRS, I can connect query(In DataSet Properties) to one DATA_SOURCE only, how can I use other database which is I used in sub-query?
    I have to move this SSRS into PROD and I can't hard code that sub-query's DB name in my query.
    Please give me suggestion. Thanks!!
    Vicky

    In SSRS 2008 R2 you can use the Lookup function (http://technet.microsoft.com/en-us/library/ee210531.aspx ) and LookupSet function (http://technet.microsoft.com/en-us/library/ee240819.aspx
    Depending on your security set up, you can reference a table in a second database on the same server using a three part name:  database.schema.table.  This is more likely to work for you if you wrap your SQL command in a stored procedure.
    Russel Loski, MCT, MCSE Data Platform/Business Intelligence. Twitter: @sqlmovers; blog: www.sqlmovers.com

  • How to host one application using different database connection on OAS?

    Hi,
    Jdeveloper - 10.1.3.4
    Application - ADF/BC
    Oracle Application Server - 10.1.3
    Above our the specifications for our application,
    We have two database schemas different for development and production therfore we have different databse connections for the two,
    we have one application which is in production and enhacements on the same application are done by the development team.
    Since we have two different schemas for developement and prduction we use different database connections for the application on development and production.
    The problem is our Model and View Controller project are same, only the database connection file changes that's why we are able to host only on application at a time on our OAS. This is probably because the URL generated by OAS for developemnt and prodyction application is same.
    Is there a way we can host two instances of the same application with two different database connections on the a single OAS.
    Thanks & Regards,
    Raksha

    Use different deployment profiles each with a different context root for your application?
    See: http://one-size-doesnt-fit-all.blogspot.com/2009/02/configuring-separate-dev-test-prod-urls.html

  • How to use another database schema in Dictionary project

    Problem description:
    1)     I want to use Developer Studio to create my own J2EE project. Then I have to use Dictionary Project to maintain my database.  My database is Oracle.
    2)     I created tables in Dictionary project and deployed to database
    3)     After that I found my tables were deployed into SAPSR3DB schema.
    Question:
          What can I do if I want to deploy my tables into another schema other than SAPSR3DB?  In real cases I want to separate my tables from the WAS system tables.

    Hi Chaoran,
    If you want to use external database with Java dictionary tables..
    Right click on the Java Dictionary Table, from the menu select <b>Create DDL script</b>, then select to which data base you want to generate scripts. It will generate .sql scripts, use this scripts in your database to create tables. But the same time you need to create Data sources in Visual Administrator for your oracle system.
    Regards
    Abhilash

Maybe you are looking for

  • How do I change an Ipad from one ownership to another?

    How do I change an Ipad from one ownership to another? My husband passed away in June, and I can's seem to figure out how to delete his acct. I created a new acct on it in my name, but I can't buy, update, or change anything purchased 7/1/13 Ipad 2 -

  • Automatic creation of Generic Transactions

    Hi colleagues I am thinking about using generic transaction in our TRM implemetation. But I havn't found a way for creating them except manual enter via RCA00. I am sure there must be a kind of user-exit for their automatic creation (a sort of BADi o

  • Not allowed to play movie, an external display is detected (Q1544)

    I'm getting this message on my I-pad 2 while using my Uverse app "Not allowed to play movie, an external display is detected (Q1544). There is no problem using the Netflix app.

  • IPhoto will not play iTunes music in slideshow

    Slideshow I created in iPhoto will only play theme music.  When I select my music from iTunes, the slideshow does not play the music. I have made dozens of slideshows before without this problem.  Seems to be a bug with iPhoto now.  Any suggestions??

  • How to include the ordinary program in the BOR object type program

    Hi Guys, while i am trying to include a program in the BOR object type program. It is showing the following error: "Statement 'INCLUDE Z_ERC_SEARCH_VALOFACT_MACRO .' is not permitted in BOR". then, i tried to add  "<" and ">" to enclose it, but it wa