Display JTree in browser using JSP

i have a program that converts xml file in to tree structure(using Swing). When i run this using eclipse then it is working. Swing is an extension of applet , right. I want to embed this in an HTML page(JSP). so that i can display the tree structure. Its gives class not foung error.
It is not posiible to embed it. I think if it extends an Applet then it will display. But i don't know how to convert that. It gives error if i convert.
pls help
CODE:
package TreeGen;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import org.xml.sax.SAXException;
import java.io.IOException;
import org.w3c.dom.Document;
// Basic GUI components
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.JScrollPane;
import javax.swing.JTree;
// GUI components for right-hand side
import javax.swing.JSplitPane;
import javax.swing.JEditorPane;
// GUI support classes
import java.awt.BorderLayout;
import java.awt.Dimension;
import java.awt.Toolkit;
import java.awt.event.WindowEvent;
import java.awt.event.WindowAdapter;
// For creating borders
import javax.swing.border.EmptyBorder;
import javax.swing.border.BevelBorder;
import javax.swing.border.CompoundBorder;
// For creating a TreeModel
import javax.swing.tree.*;
import javax.swing.event.*;
import java.util.*;
public class TreeGen extends JPanel
     static Document document;
     boolean compress = false;
     static final int windowHeight = 660;
     static final int leftWidth = 300;
     static final int rightWidth = 640;
     static final int windowWidth = leftWidth + rightWidth;
     public TreeGen()
     EmptyBorder eb = new EmptyBorder(5,5,5,5);
     BevelBorder bb = new BevelBorder(BevelBorder.LOWERED);
     CompoundBorder cb = new CompoundBorder(eb,bb);
     this.setBorder(new CompoundBorder(cb,eb));
     JTree tree = new JTree(new DomToTreeModelAdapter());
     JScrollPane treeView = new JScrollPane(tree);
     treeView.setPreferredSize(
          new Dimension( leftWidth, windowHeight ));
     final
     JEditorPane htmlPane = new JEditorPane("text/html","");
     htmlPane.setEditable(true);
     JScrollPane htmlView = new JScrollPane(htmlPane);
     htmlView.setPreferredSize(
          new Dimension( rightWidth, windowHeight ));
     tree.addTreeSelectionListener(
          new TreeSelectionListener()
          public void valueChanged(TreeSelectionEvent e)
               TreePath p = e.getNewLeadSelectionPath();
               if (p != null)
               AdapterNode adpNode =
                    (AdapterNode) p.getLastPathComponent();
               htmlPane.setText(adpNode.content());
     JSplitPane splitPane =
          new JSplitPane( JSplitPane.HORIZONTAL_SPLIT,
                              treeView,
                              htmlView );
     splitPane.setContinuousLayout( false );
     splitPane.setDividerLocation( leftWidth );
     splitPane.setDividerSize(1);
     splitPane.setPreferredSize(
               new Dimension( windowWidth + 10, windowHeight+10 ));
     this.setLayout(new BorderLayout());
     this.add("Center", splitPane );
     //return menuBar;
     } // constructor
     public static void main(String argv[])
          DocumentBuilderFactory factory =
               DocumentBuilderFactory.newInstance();
          try {
          DocumentBuilder builder = factory.newDocumentBuilder();
          document = builder.parse("C:/Program Files/Apache Software Foundation/Tomcat 5.0/webapps/parser1/sample.xml");
               makeFrame();
          } catch (SAXException sxe){
               System.out.println("ERROR");
          Exception x = sxe;
          if (sxe.getException() != null)
               x = sxe.getException();
          x.printStackTrace();
          } catch (ParserConfigurationException pce) {
               pce.printStackTrace();
          } catch (IOException ioe) {
          ioe.printStackTrace();
     } // main
     public static void makeFrame()
          JFrame frame = new JFrame("DOM Echo");
          frame.addWindowListener(
          new WindowAdapter() {
               public void windowClosing(WindowEvent e) {System.exit(0);}
          final TreeGen echoPanel =
          new TreeGen();
          frame.getContentPane().add("Center", echoPanel );
          frame.pack();
          Dimension screenSize =
          Toolkit.getDefaultToolkit().getScreenSize();
          int w = windowWidth + 10;
          int h = windowHeight + 10;
          frame.setSize(w, h);
          frame.setVisible(true);
     } // makeFrame
     static final String[] typeName = {
          "none",
          "Element",
          "Attr",
          "Text",
          "CDATA",
          "EntityRef",
          "Entity",
          "ProcInstr",
          "Comment",
          "Document",
          "DocType",
          "DocFragment",
          "Notation",
     static final int ELEMENT_TYPE = 1;
     static final int ATTR_TYPE = 2;
     static final int TEXT_TYPE = 3;
     static final int CDATA_TYPE = 4;
     static final int ENTITYREF_TYPE = 5;
     static final int ENTITY_TYPE = 6;
     static final int PROCINSTR_TYPE = 7;
     static final int COMMENT_TYPE = 8;
     static final int DOCUMENT_TYPE = 9;
     static final int DOCTYPE_TYPE = 10;
     static final int DOCFRAG_TYPE = 11;
     static final int NOTATION_TYPE = 12;
static String[] treeElementNames = {
          "slideshow",
          "slide",
          "title", // For slideshow #1
          "slide-title", // For slideshow #10
          "item",
     boolean treeElement(String elementName) {
     for (int i=0; i<treeElementNames.length; i++) {
          //System.out.println(treeElementNames);
          if ( elementName.equals(treeElementNames[i]) )
          return true;
     return false;
     public class AdapterNode
     org.w3c.dom.Node domNode;
     public AdapterNode(org.w3c.dom.Node node)
          domNode = node;
     public String toString()
          String s = typeName[domNode.getNodeType()];
          String nodeName = domNode.getNodeName();
          if (! nodeName.startsWith("#"))
          s += ": " + nodeName;
          if (compress)
          String t = content().trim();
          int x = t.indexOf("\n");
          if (x >= 0) t = t.substring(0, x);
          s += " " + t;
          return s;
          if (domNode.getNodeValue() != null)
          if (s.startsWith("ProcInstr"))
               s += ", ";
          else
               s += ": ";
          // Trim the value to get rid of NL's at the front
          String t = domNode.getNodeValue().trim();
          int x = t.indexOf("\n");
          if (x >= 0) t = t.substring(0, x);
          s += t;
          return s;
     public String content()
          String s = "";
          org.w3c.dom.NodeList nodeList = domNode.getChildNodes();
          for (int i=0; i<nodeList.getLength(); i++)
          org.w3c.dom.Node node = nodeList.item(i);
          int type = node.getNodeType();
          //System.out.println(type);
          AdapterNode adpNode = new AdapterNode(node); //inefficient, but works
          if (type == ELEMENT_TYPE)
               if ( treeElement(node.getNodeName()) ) continue;
               s += "<" + node.getNodeName() + ">";
               s += adpNode.content();
               s += "</" + node.getNodeName() + ">";
          else if (type == TEXT_TYPE)
               s += node.getNodeValue();
          else if (type == ENTITYREF_TYPE)
               s += adpNode.content();
          else if (type == CDATA_TYPE)
               StringBuffer sb = new StringBuffer( node.getNodeValue() );
               for (int j=0; j<sb.length(); j++)
               if (sb.charAt(j) == '<')
                    sb.setCharAt(j, '&');
                    sb.insert(j+1, "lt;");
                    j += 3;
               else if (sb.charAt(j) == '&')
                    sb.setCharAt(j, '&');
                    sb.insert(j+1, "amp;");
                    j += 4;
               s += "<pre>" + sb + "\n</pre>";
          return s;
     public int index(AdapterNode child)
          int count = childCount();
          for (int i=0; i<count; i++)
          AdapterNode n = this.child(i);
          if (child.domNode == n.domNode) return i;
          return -1; // Should never get here.
     public AdapterNode child(int searchIndex)
          org.w3c.dom.Node node =
               domNode.getChildNodes().item(searchIndex);
          if (compress)
          int elementNodeIndex = 0;
          for (int i=0; i<domNode.getChildNodes().getLength(); i++)
               node = domNode.getChildNodes().item(i);
               if (node.getNodeType() == ELEMENT_TYPE
               && treeElement( node.getNodeName() )
               && elementNodeIndex++ == searchIndex)
               break;
          return new AdapterNode(node);
     public int childCount()
          if (!compress)
          return domNode.getChildNodes().getLength();
          int count = 0;
          for (int i=0; i<domNode.getChildNodes().getLength(); i++)
          org.w3c.dom.Node node = domNode.getChildNodes().item(i);
          if (node.getNodeType() == ELEMENT_TYPE
          && treeElement( node.getNodeName() ))
               ++count;
          return count;
     public class DomToTreeModelAdapter
     implements javax.swing.tree.TreeModel
     public Object getRoot()
          return new AdapterNode(document);
     public boolean isLeaf(Object aNode)
          AdapterNode node = (AdapterNode) aNode;
          if (node.childCount() > 0) return false;
          return true;
     public int getChildCount(Object parent)
          AdapterNode node = (AdapterNode) parent;
          return node.childCount();
     public Object getChild(Object parent, int index)
          AdapterNode node = (AdapterNode) parent;
          return node.child(index);
     public int getIndexOfChild(Object parent, Object child)
          AdapterNode node = (AdapterNode) parent;
          return node.index((AdapterNode) child);
     public void valueForPathChanged(TreePath path, Object newValue)
     private Vector listenerList = new Vector();
     public void addTreeModelListener(TreeModelListener listener)
          if ( listener != null
          && ! listenerList.contains( listener ) )
          listenerList.addElement( listener );
     public void removeTreeModelListener(TreeModelListener listener)
          if ( listener != null )
          listenerList.removeElement( listener );
     public void fireTreeNodesChanged( TreeModelEvent e )
          Enumeration listeners = listenerList.elements();
          while ( listeners.hasMoreElements() )
          TreeModelListener listener =
               (TreeModelListener) listeners.nextElement();
          listener.treeNodesChanged( e );
     public void fireTreeNodesInserted( TreeModelEvent e )
          Enumeration listeners = listenerList.elements();
          while ( listeners.hasMoreElements() )
          TreeModelListener listener =
               (TreeModelListener) listeners.nextElement();
          listener.treeNodesInserted( e );
     public void fireTreeNodesRemoved( TreeModelEvent e )
          Enumeration listeners = listenerList.elements();
          while ( listeners.hasMoreElements() )
          TreeModelListener listener =
               (TreeModelListener) listeners.nextElement();
          listener.treeNodesRemoved( e );
     public void fireTreeStructureChanged( TreeModelEvent e )
          Enumeration listeners = listenerList.elements();
          while ( listeners.hasMoreElements() )
          TreeModelListener listener =
               (TreeModelListener) listeners.nextElement();
          listener.treeStructureChanged( e );

I actually had to do this a few months ago. There are ways to perform this kind display using various distributed object (i.e., using MS Word OLE objects to "interpret" the byte for you, etc.). But this soon got extremely difficult to manage (and I actually had to use Perl/CGI for the majority of it).
The solution I went with was to implement a "cache" directory on the web server. Basically, the JSP/Servlet can simply check the cache and if file not there, create it from the database. Then send a redirect back to the browser to this newly-created file. The browser will then appropriately open the document. I tested this with both Netscape and IE browsers and common MIME types such as text files, MS Office docs, zip files, PDFs, RTFs.
Not ideal, but unfortunately the best I came up with.

Similar Messages

  • How to open a pdf file in a web browser using jsp

    Hi,
    I have a problem opening pdf file in browser using jsp.the following is my code.Can anyone help me.Thanks
    response.setContentType("application/pdf");
    String filename="C:\\FictPos\\mypdf.pdf";
    File file = new File(filename);
    FileInputStream in = new FileInputStream(file);
    OutputStream out1=response.getOutputStream();
    byte[] buf = new byte[4096];
    int count = 0;
    while ((count = in.read(buf)) >= 0)
    out1.write(buf, 0, count);
    in.close();
    out1.close();
    }

    Don't know the problem specifically, but here are some suggestions to investigate:
    Does it show anything in the page when you view source on it?
    I would recommend using a servlet rather than a JSP page for this, if only for the fact the JSPs can insert carriage returns into places where you might not want them to. This might screw up the PDF file format?
    Try setting the a link to the jsp, right-click and "save target as..." just to see if it gets any response at all - ie bypass the browser display.
    Good luck,
    evnafets

  • Trouble Setting "Display PDF in browser using" by MCX

    I want to force the PDF viewer in Safari to Mac OS X v10.6 built-in Preview Application instead of Adobe Acrobat Pro (9.4.0).
    I found that unchecking "Display PDF in browser using:" in Acrobat's Preferences, sets the viewer in Safari to Preview. It seems unchecking this box modifies ~/Library/Preferences/com.adobe.Acrobat.Pro_x86_9.0.plist. by creating the entry root => Originals (dictionary) => BrowserIntegration (array) => item 0 as number with value 0, item 1 as boolean with value 0.
    With that in mind I tried creating a MCX setting in my OD to apply root => Originals (dictionary) => BrowserIntegration (array) => item 0 as number with value 0, item 1 as boolean with value 0. Witch resulted in a grayed out, but checked settings for  "Display PDF in browser using:"
    I was wondering if any one has successfully figured out how to set this setting?

    Hi,
    Firstly during the installation of Reader X, there is an option of Customize Install. You can uncheck the Safari browser plugin from there. But this was possible before install. Now since you have installed in default mode (with above option checked during install) the method to disable plugin is as follows:
    To disable the plugin-
    1. Go to Library > Internet Plug-Ins
    2. You will see AdobePDFViewer.plugin in the list of plugins
    3. Create a new folder called Disabled Plug-Ins
    4. Move the AdobePDFViewer plugin into the Disabled Plug-Ins folder
    5. Restart  Safari
    In future if you want to re-enable this then you can put this plugin back to its original location or Reinstall Reader X (if you have permanently deleted the plug-in from your system). Reinstallation works as installing in repair mode.
    AcrobatX/ReaderX uses MANAGED installation method on Mac(as compared to MANUAL installation method used in earlier versions). In case of manual installation method installation and repair was dependent on "Self heal" mechanism that required the admin privileges each time it was invoked. This raised a bit of concern so to remove this Adobe now uses Managed installation method and discontinued Self Heal mechanism.
    You can check out this link for more information or if you want to track this discussion -
    http://acrobatusers.com/forum/deployment-installation/acrobat-x-installation-installed-saf ari-plugin-without-asking
    Thanks,
    Karan

  • Can't uncheck 'display PDF in browser using' on mac

    Reader 10.0.0
    'display PDF in browser using' in the Internet preferences is stuck on to Adobe Reader. The checkbox is checked/disabled, and cannot be unchecked.
    Also, viewing a PDF in the browser via FTP sticks the entire browser (hence my reason for noticing/disabling this plugin)
    Had to remove the plugin file from file:///Library/Internet%20Plug-Ins/ to remove.

    Hi,
    Firstly during the installation of Reader X, there is an option of Customize Install. You can uncheck the Safari browser plugin from there. But this was possible before install. Now since you have installed in default mode (with above option checked during install) the method to disable plugin is as follows:
    To disable the plugin-
    1. Go to Library > Internet Plug-Ins
    2. You will see AdobePDFViewer.plugin in the list of plugins
    3. Create a new folder called Disabled Plug-Ins
    4. Move the AdobePDFViewer plugin into the Disabled Plug-Ins folder
    5. Restart  Safari
    In future if you want to re-enable this then you can put this plugin back to its original location or Reinstall Reader X (if you have permanently deleted the plug-in from your system). Reinstallation works as installing in repair mode.
    AcrobatX/ReaderX uses MANAGED installation method on Mac(as compared to MANUAL installation method used in earlier versions). In case of manual installation method installation and repair was dependent on "Self heal" mechanism that required the admin privileges each time it was invoked. This raised a bit of concern so to remove this Adobe now uses Managed installation method and discontinued Self Heal mechanism.
    You can check out this link for more information or if you want to track this discussion -
    http://acrobatusers.com/forum/deployment-installation/acrobat-x-installation-installed-saf ari-plugin-without-asking
    Thanks,
    Karan

  • How to upload the image and diplay the image in the browser using jsp

    How to upload the image and diplay the image in the browser using jsp
    thanks
    shan

    i'll suggest looking for sample code or tutorial with a relevant query in google, which as far more time than us to answer this type of reccurent question

  • Can I get information regarding the client browser using JSP

    can I get information regarding the client browser using JSP. like.. name, screen resolutions, font type, screen width and height of the browser etc.,
    if possible then please give me the samples..
    thanks,

    can I get information regarding the client browser using JSP. like.. name, screen resolutions, font type, screen width and height of the browser etc.,
    if possible then please give me the samples..
    thanks,

  • Display binary data from DB in browser using JSP

    Hello everyone:
    I uploaded some files from browser and stored the files in bytes in the database, but later on I could not display the files in browser without saving them to a local storage first. Is there any way I can send the bytes to the browser in the right format using JSP?
    I tried the following:
    response.setContentType(..)
    response.getOutputStream().write(bytes);
    I can see that the browser can get the right contentType, but with a bunch of weird symbols in the browser. Please help.
    Thank you very much for your time.
    Heather

    I actually had to do this a few months ago. There are ways to perform this kind display using various distributed object (i.e., using MS Word OLE objects to "interpret" the byte for you, etc.). But this soon got extremely difficult to manage (and I actually had to use Perl/CGI for the majority of it).
    The solution I went with was to implement a "cache" directory on the web server. Basically, the JSP/Servlet can simply check the cache and if file not there, create it from the database. Then send a redirect back to the browser to this newly-created file. The browser will then appropriately open the document. I tested this with both Netscape and IE browsers and common MIME types such as text files, MS Office docs, zip files, PDFs, RTFs.
    Not ideal, but unfortunately the best I came up with.

  • Diaplay  Word file stored in blob into a browser using JSP

    Dear All
    I have files stored in oracle table in a blob field.I store the files using forms 10g and webutil. I can upload the files and display them successfully in forms, however when i use JSP to retrieve the files and display them in Internet Explorer, I'm able to display the pdf files, bmp , jpg and video but I'm getting junk characters when I try displaying (word , excel , access or powerpoint files which might contain arabic Characters )
    the code I use to display the files is as follows :
    <%
    try
    Connection conn = null;
    String username=session.getAttribute("username").toString().toUpperCase();
    String password=session.getAttribute("password").toString().toUpperCase();
    String ip = "*****************";
    String sid = "***************";
    Class.forName("oracle.jdbc.driver.OracleDriver");
    conn = DriverManager.getConnection("jdbc:oracle:thin:@"+ip+":1521:"+sid,username,password);
    String par = request.getParameter("LETTER");
    String par1 = request.getParameter("SERIAL");
    Statement stmt = conn.createStatement();
    ResultSet rs = stmt.executeQuery("select * from TableName where PK1 like '"+par+"'"+" and PK2 like '"+par1+"'" );
    if (rs.next())
    Blob pic = null;
    byte[] blobBytesArray = null;
    OutputStream stream = response.getOutputStream();
    pic = rs.getBlob("BLOBFIELD");
    int len = new Integer( new Long( pic.length()).toString() ).intValue();
    blobBytesArray = pic.getBytes(1,len);
    if (blobBytesArray != null)
    if (blobBytesArray.length > 0 )
    stream.write(blobBytesArray) ;
    catch(Exception e)
    System.out.println("Exception: " + e.getMessage() + "<BR>");
    %>
    can you please guide me of how to display other file types.
    Best Regards.

    Hello,
    Ideally when you store the document put the content-type in a column and set the content type in your JSP. This will indicate to the browser what is the type of file and you should not have any issue with any type.
    Regards
    Tugdual Grall

  • Displaying data in xml using jsp

    how do we display data in database from jsp using xlst format in xml browser view

    how do we display data in database from jsp using xlst
    format in xml browser viewRefer this Post
    http://forum.java.sun.com/thread.jsp?forum=45&thread=482077&tstart=0&trange=15
    -Regards
    Manikantan

  • How to detect Browser using JSP ?

    Hi friends,
    I wanna to put some code to detect browser and
    Other than IE6+ i have to block other browser to display login.
    How do i check that ? Using JSP.
    e.g.
    If i open IE6+ login page should be displayed. Else on other browsers
    it will check brower and deny to display login page.
    How Do i check it ? please Help me.

    this code works for me in IE,Safari and firefox but i could not check in netscape as i dont have.
    String userAgent = request.getHeader("User-Agent");
          System.out.println("UserAgent:"+userAgent);
          userAgent=userAgent.toLowerCase(); //convert to lowercase and then check
          if(userAgent.indexOf("netscape6") != -1)
         System.out.println("Netscape");
          else if(userAgent.indexOf("msie") != -1)
              System.out.println("IE");
         else if(userAgent.indexOf("firefox") != -1)
         System.out.println("Firefox");
         else if(userAgent.indexOf("safari") != -1)
         System.out.println("Safari");
         else
              System.out.println("Else");
        

  • Uploading the file to server from the browser using JSP

    I have facing difficulty while uploading the file from the browser using user interface to the server or to the database. As previousy i was working in coldfusion, i find it very easy there with cffile command, but i am confused how to do that in JSP
    please reply soon, as i am stuck in my project because of that
    Sarosh

    Check out http://www.jspsmart.com , They have a nice free upload api that can be used w/ JSPs or Servlets. I hear O'Reilly has a nice one too. May as well use someone elses if they've done it already.

  • Diasble Address/Menu Bars of a Browser using JSP

    HI,
    Is there a way to disable or hide Menu Bar/Address Bar of a Browser i.e. Internet Explorer and Netscape using JSP. Don't want to use Javascript as what if JavaScript is disabled in the browser. Can someone please help me how to hide the Browser Bars using JSP.
    Thanks

    Can't be done. JSP is SERVER-SIDE execution, not CLIENT-SIDE.
    JavaScript is your only bet here. If it is VITALLY important to you, have your main window launch another window using JavaScript. If javaScript is disabled, post a little warning that JavaScript must be enabled to use this site.

  • How can I display a confirm box using JSP?

    Dear All,
    I am new to the Java language; please help!
    What I'd like to do is to prompt the user, within a loop, to click OK to continue the loop or CANCEL to exit the loop. I've tried to use JavaScript in conjunction w/ Form submittion to handle the parameter passing ('true'/'false') of the confirm box to a JSP. Yet, every form submission will cause the JSP page to re-load from the top which is the incident I'd like to avoid.
    Is there anyway I can have a confirm box written using JSP? Please help!!
    Thanks,Wing.

    if you do any modifications in the jsp page the whole page will be refreshed to show the latest result after modification.
    if you dont want the whole page to be refreshed
    you can pass the control to another page after the confirm box or you can use frames to your interest.

  • Printing a web  page from the browser using JSP

    Hi sir,
    I want to know how to print a webpage that contains some
    report data where the web page contains a button as well when i click the button only the webpage contents(report data) should be send to the printer and should be printed.Here i should not use any javascript.By using pure java code in Jsp i need to do this.Pls.provide the code for this so that i will be grateful to u.Where it is very Urgent.I will be waiting for ur reply.
    Thanx,
    m.ananthu

    If you are reasonable sure that the user will be using a newer browser you could use the <LINK> tag to set an alternative print page. When the user clicks on the print button it calls a javascript funtion that does a window.print function call. The browser will then request the alternative print page and print this page instead of what is in teh browser.
    This will require two JSP pages but with proper use of includes you can reuse the code.
    Sorry I don't have any examples handy so you'll have to search the web but I know it works because I've done it for an intranet site.

  • Streaming large text/html data to browser using JSP.

    Current Implementation of my code using JRUN:
    JSP program on request from browser does the following:
         i)calls legacy system function that writes output to socket
         ii) calls a java bean function which
              1) collect data from socket and
              2) writes data to "OutputStream" object
    Problem: Data that is being painted in the browser is incomplete.
    Note : I even tried to write to a file, after receiving data from
    socket, instead of writing to browser which resulted the same i.e incomplete
    data
    Questions:
    Why incomplete data is being sent to browser ?
    Any other way to stream data to browser ?
    Thanks
    Madhavi

    some ideas:
    - maybe you simple forgot a call to flush() on the output stream or a flushBuffer() on the response
    - maybe you accidentally set the result size to a value smaller than the transmitted data
    - maybe there is a timeout
    some hints:
    - get you a copy of wget for testing. this is a command line tool that can retrieve urls. there is an option for printing of the HTTP headers
    robert

Maybe you are looking for

  • Facebook Video Chat for 10.8.2

    I have tried downloading facebook videochat on all the different servers but NONE will work! Everytime I try to download it a window pops up saying ""FacebookVideoCalling_v1.6.jar" can't be opened because it is from an unidentified developer". Why is

  • Populating a PDF File from ColdFusion

    I wanted to populate a pfd file from coldfusion and I found this online: http://www.school-for-champions.com/coldfusion/cftopdf.htm When I submit the form.. I then show a link [view pdf].. only when I click on that lick I get a message saying Adobe a

  • How to return the result ( fields ) form using the BDC in background mode ?

    hi, I am now having to develop a sub routines for executing the transaction COR1 using BDC ( transaction SHDB ) , in the FORM i pass the 4 params for the fields of the screens of the transaction ( COR1 is used for creating the process order ) , and a

  • Downgrade from iTunes 7

    I have been very unhappy with iTunes 7 on my Dual 1.25 PPC G4 and would like to know what version of iTunes shipped with Panther, 10.3.9. How can I find out and how can I find the download? This site is impenetrable for me. Many, many thanks. G4   Ma

  • Publication Service available in template VM?

    Hello, We have installed the patch Patch 8919063 (Oracle Product Hub for Communications, Release 12.1.1) on the applications tier VM. Afterwards we have followed the post installation steps of the patch (Document ID 885359.1). This document refers to