PrintDataGrid's DataGridColumn - Embedded image not printing when you use TextFlow in the item rende

I'm printing a datagrid using something like  this...
<mx:PrintDataGrid
  id="printDataGrid" 
  width="100%" 
  height="100%"
  showHeaders="false"
  borderVisible="false"
  horizontalGridLines="false"
  variableRowHeight="true"
  dataProvider="{titles}"
  >
  <mx:columns>
   <mx:DataGridColumn 
    itemRenderer="renderer.TitlePrintRenderer" 
    />
  </mx:columns>
</mx:PrintDataGrid>
TitlePrintRenderer.mxml has s:RichText component. I use  RichText's textFlow property to render the text. The approach is working fine  except that if the textFlow has embedded images (<img source=... />), the  images are not printed!
Is this a bug? Is it a limitation? Has anyone come  across this issue?
I'm using Flex SDK 4.5.1

After struggling for 4+ days on using timer / events for printing PrintDataGrid with embedded images in RichText's textFlow, I tried your other suggestion... to convert <img> tags to InlineGraphicElement and give it Bitmap from image loaded from a .gif file. The approach works but the printout skips images in a few rows!
I've this test case in which, every time I print, it skips printing image in the second row! I also implemented this approach in a more complex test case and depending on the total number of rows, it would skip printing image in different number of rows. I'm suspecting that even if you construct InlineGraphicElement from bitmap loaded from an image, PrintDataGrid's renderer still skips printing image intermittently.
I would very much appreciate it if you could create small project from my following code and verify this behavior. I'm at my wit's end in getting this printing to work.
PrintImagesTest.mxml
=================
<?xml version="1.0" encoding="utf-8"?>
<s:Application
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
    xmlns:mx="library://ns.adobe.com/flex/mx"
    minWidth="955" minHeight="600"
    initialize="initData();"
    viewSourceURL="srcview/index.html"
    >
    <s:layout>
        <s:VerticalLayout
            paddingLeft="20" paddingRight="20"
            paddingTop="20" paddingBottom="20"
            />
    </s:layout>
    <mx:Button
        label="Print"
        click="printClickHandler();"
        />
    <fx:Script>
        <![CDATA[
            import flash.utils.setTimeout;
            import flashx.textLayout.elements.InlineGraphicElement;
            import flashx.textLayout.elements.ParagraphElement;
            import flashx.textLayout.elements.SpanElement;
            import flashx.textLayout.elements.TextFlow;
            import mx.collections.ArrayCollection;
            import mx.printing.*;
            import mx.utils.OnDemandEventDispatcher;
            public var contentData:ArrayCollection;
            private var embeddedImages:ArrayCollection;
            private var numberOfImagesLoaded:int;
            public var printJob:FlexPrintJob;
            public var thePrintView:FormPrintView;
            public var lastPage:Boolean;
            private var textFlowNS:Namespace = new Namespace("http://ns.adobe.com/textLayout/2008");
            public function initData():void {
                contentData = new ArrayCollection();
                var page:int = 0;
                for (var z:int=0; z<20; z++)    {
                    var content:Object = new Object();
                    content.srNo = z+1;
                    content.contentText =
                    "<TextFlow whiteSpaceCollapse='preserve' xmlns='http://ns.adobe.com/textLayout/2008'>" +
                    "<span>some text</span>" +
                    "<img width='53' height='49' source='assets/images/formula.gif'/>" +
                    "</TextFlow>";
                    contentData.addItem(content);
            public function printClickHandler():void {
                convertToTextFlow();
            private function convertToTextFlow():void {
                embeddedImages = new ArrayCollection();
                numberOfImagesLoaded = 0;
                for each (var contentElement:Object in contentData) {
                    extractImageInfo(contentElement.contentText);
                if (embeddedImages.length > 0) {
                    loadImage(embeddedImages.getItemAt(0).source);
                } else {
                    printData();
            private function extractImageInfo(contentText:String):void {
                var textXml:XML = new XML(contentText);
                var imageList:XMLList = textXml.textFlowNS::img;
                for each (var img:XML in imageList) {
                    var embeddedImage:Object = new Object();
                    embeddedImage.source = String(img.@source);
                    embeddedImage.width = parseInt(img.@width);
                    embeddedImage.height = parseInt(img.@height);
                    embeddedImages.addItem(embeddedImage);
            private function loadImage(imageSource:String):void {
                var loader:Loader = new Loader();
                var urlRequest:URLRequest = new URLRequest(imageSource);
                loader.load(urlRequest);
                loader.contentLoaderInfo.addEventListener(Event.COMPLETE, imageLoaded);
            private function imageLoaded(e:Event):void {
                embeddedImages.getItemAt(numberOfImagesLoaded).bitmap = (Bitmap)(e.target.content);
                embeddedImages.getItemAt(numberOfImagesLoaded).width = ((Bitmap)(e.target.content)).width;
                embeddedImages.getItemAt(numberOfImagesLoaded).height = ((Bitmap)(e.target.content)).height;
                ++numberOfImagesLoaded;
                if (numberOfImagesLoaded < embeddedImages.length) {
                    loadImage(embeddedImages.getItemAt(numberOfImagesLoaded).source);
                } else {
                    // all the images have been loaded... convert to textflow
                    buildContent();
                    printData();
            private function buildContent():void {
                var contentIndex:int = 0;
                for each (var contentElement:Object in contentData) {
                    if (hasImage(contentElement.contentText)) {
                        buildTextFlow(contentElement, contentIndex);
                        ++contentIndex;
            private function buildTextFlow(content:Object, contentIndex:int):void {
                var textXml:XML = new XML(content.contentText);
                var p:ParagraphElement = new ParagraphElement();
                for each(var child:XML in textXml.children()) {
                    switch (child.localName()) {
                        case "span":
                            var span:SpanElement;
                            span = new SpanElement();
                            span.text = child;
                            span.fontSize = 10;
                            p.addChild(span);
                            break;
                        case "img":
                            var image:InlineGraphicElement;
                            image = new InlineGraphicElement();
                            image.source = embeddedImages.getItemAt(contentIndex).bitmap;
                            image.width = embeddedImages.getItemAt(contentIndex).width;
                            image.height = embeddedImages.getItemAt(contentIndex).height;
                            p.addChild(image);
                            break;
                content.textFlow = new TextFlow();
                content.textFlow.addChild(p);
            private function hasImage(contentText:String):Boolean {
                var textXml:XML = new XML(contentText);
                var imageList:XMLList = textXml.textFlowNS::img;
                if (imageList.length() > 0) {
                    return true;
                } else {
                    return false;
            private function printData():void {
                printJob = new FlexPrintJob();
                lastPage = false;
                if (printJob.start()) {
                    thePrintView = new FormPrintView();
                    addElement(thePrintView);
                    thePrintView.width=printJob.pageWidth;
                    thePrintView.height=printJob.pageHeight;
                    thePrintView.printDataGrid.dataProvider = contentData;
                    thePrintView.showPage("single");
                    if(!thePrintView.printDataGrid.validNextPage) {
                        printJob.addObject(thePrintView);
                    } else {
                        thePrintView.showPage("first");
                        printJob.addObject(thePrintView);
                        while (true) {
                            thePrintView.printDataGrid.nextPage();
                            thePrintView.showPage("last"); 
                            if(!thePrintView.printDataGrid.validNextPage) {
                                printJob.addObject(thePrintView);
                                break;
                            } else {
                                thePrintView.showPage("middle");
                                printJob.addObject(thePrintView);
                    removeElement(thePrintView);
                printJob.send();
        ]]>
    </fx:Script>
</s:Application>
FormPrintView.mxml
===============
<?xml version="1.0"?>
<mx:VBox
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
    xmlns:mx="library://ns.adobe.com/flex/mx"
    xmlns:MyComp="myComponents.*"
    backgroundColor="#FFFFFF"
    paddingTop="50" paddingBottom="50" paddingLeft="50"
    >
    <fx:Script>
        <![CDATA[
            import mx.core.*
                public function showPage(pageType:String):void {
                    validateNow();
        ]]>
    </fx:Script>
    <mx:PrintDataGrid
        id="printDataGrid"
        width="60%"
        height="100%"
        showHeaders="false"
        borderVisible="false"
        horizontalGridLines="false"
        variableRowHeight="true"
        >
        <mx:columns>
            <mx:DataGridColumn
                itemRenderer="MyPrintRenderer"
                />
        </mx:columns>
    </mx:PrintDataGrid>
</mx:VBox>
MyPrintRenderer.mxml
=================
<?xml version="1.0" encoding="utf-8"?>
<s:MXDataGridItemRenderer
    xmlns:fx="http://ns.adobe.com/mxml/2009"
    xmlns:s="library://ns.adobe.com/flex/spark"
    xmlns:mx="library://ns.adobe.com/flex/mx"
    xmlns:bslns="com.knownomy.bsl.view.component.*"
    >
    <s:layout>
        <s:VerticalLayout
            paddingLeft="5"
            paddingRight="5"
            paddingTop="3"
            paddingBottom="3"
            gap="5"
            horizontalAlign="left"
            clipAndEnableScrolling="true"
            />
    </s:layout>
    <fx:Declarations>
    </fx:Declarations>
    <s:HGroup
        width="100%"
        gap="5"
        verticalAlign="middle"
        >
        <s:Label
            text="{data.srNo}"
            color="0x000000"
            fontFamily="Verdana"
            fontSize="10"
            />
        <s:RichText
            id="title"
            width="700"
            textFlow="{myTextFlow}"
            color="0x000000"
            fontFamily="Verdana"
            fontSize="10"
            />
    </s:HGroup>
    <fx:Metadata>
    </fx:Metadata>
    <s:states>
        <s:State name="normal" />
        <s:State name="hovered" />
        <s:State name="selected" />
    </s:states>
    <fx:Script>
        <![CDATA[
            import flashx.textLayout.elements.TextFlow;
            [Bindable]
            private var myTextFlow:TextFlow;
            override public function set data(value:Object) : void {
                if (value != null) {
                    super.data = value;
                    myTextFlow = data.textFlow;
        ]]>
    </fx:Script>
</s:MXDataGridItemRenderer>

Similar Messages

  • When will you make an IPad YouTube app. There is one for iPhone and when you use it for the iPad the quality is bad since you have to zoom in. Please fix

    When will you make an IPad YouTube app. There is one for iPhone and when you use it for the iPad the quality is bad since you have to zoom in. Please fix

    If you lost sounds for keyboard clicks, games or other apps, email notifications and other notifications, system sounds may have been muted.
    System sounds can be muted and controlled two different ways. The screen lock rotation can be controlled in the same manner as well.
    Settings>General>Use Side Switch to: Mute System sounds. If this option is selected, the switch on the side of the iPad above the volume rocker will mute system sounds.
    If you choose Lock Screen Rotation, then the switch locks the screen. If the screen is locked, you will see a lock icon in the upper right corner next to the battery indicator gauge.
    If you have the side switch set to lock screen rotation then the system sound control is in the control center if you are running iOS 7. Swipe up from the bottom of the screen to get to control center . Tap on the bell icon and system sounds will return.
    If you are running iOS 5 or iOS 6, the system sound control is in the task bar at the bottom. Double tap the home button and swipe all the way to the right in the task bar to get to the speaker icon on the left side. Tap on that and the sounds will return.
    If you have the side switch set to mute system sounds, then the screen lock can be accessed in the same manner as described above.
    This support article from Apple explains how the side switch works.
    http://support.apple.com/kb/HT4085

  • My HP L7780 all-in-one officejet pro will not print when inserting an original on the screen.

    When I insert an original document on the copy screen, an error msg appears "original loaded" please re-load and try again. The printer functions properly from the auto feed and from computer commands. How do I remove "Original Loaded"  from the printer screen so it operates correctly?

    Running the diagnostics at http://www.hp.com/go/tools may help resolve the issue, specifically the Print Diagnostic Utility.  
    It may also help to reset the printer as described here.
    Bob Headrick,  HP Expert
    I am not an employee of HP, I am a volunteer posting here on my own time.
    If your problem is solved please click the "Accept as Solution" button ------------V
    If my answer was helpful please click the "Thumbs Up" to say "Thank You"--V

  • Why are the images not printing from InCopy? Why is the relink button in Links panel ghosted?

    I am having a problem with printing from Incopy. All stories are editable and that is working just fine. I am able to view the images although AD has set the graphics to not be editable yet I can still see them of course.
    My problem is upon wanting to print the layout. Getting a message that the image links are missing. I have not moved the original folders (they are all set up on the same level in one main folder). I am working remotely, layout based workflow via dropbox.
    My client would like to have the option to print layouts also initially. How can I relink the images if the "relink" button is ghosted. Can somebody help me please? I have tried doing a restart… Any ideas? 

    the-edmeister, you are a genious. I went to "view" then "toolbars" and de-selected "yahoo toolbar" and then moved the curser over my firefox page and it now works completely including the problem area (the top 3 cm of each screen). Thank you, thank you, thank you, thank you, thank you, thank you. You have no idea how good I feel know on this otherwise cold, windy and rainy day.

  • The font i used in my KEYNOTE presentation is not available when you upload it to the cloud.  So, now my  text boxes are all messed up.  How can I select ALL font boxes of presentation and change (at least) the font style?

    I have a large presentation that I need to access from the cloud THIS SATURDAY.  Now, after uploading from my iMac to Cloud, the font is all messed up because the font I selected on my mac is NOT available on the Keynote Cloud....so capitalization is wrong, inconsistent, etc.
    Is there a quick way to select all text and change the style?  Help..I am running out of time!

    What's the URL of the page?
    In the mean time clear the cache and reload the page.

  • How do i fix my printer when it won't show the print preview for web pages? it worked and now not.

    how do i fix my printer when it won't show the print preview for web pages?  it worked for a while and now it doesn't.  printer is an hp officejet 7310 all-in-one.

    I would suspect this is a hardware issue.  The rollers are probably having issues picking up the relatively smooth thick media.  You might have better results be cleaning the paper pickup rollers with a damp paper towel.  Also make sure the paper is snugly loaded and the paper guides have been correctly positioned.
    Regards,
    Bob Headrick, MS MVP Printing/Imaging
    Bob Headrick,  HP Expert
    I am not an employee of HP, I am a volunteer posting here on my own time.
    If your problem is solved please click the "Accept as Solution" button ------------V
    If my answer was helpful please click the "Thumbs Up" to say "Thank You"--V

  • My hp deskjet 1510 series does not print when connected to my hplap top (windows Vista),

    My hp deskjet 1510 series does not print when connected to my hp lap top (windows Vista), it says the printer is not active, although it is default printer, connected and on. However, it does work when connected to the (also HP) lap top (windows 8) of my husband.  I did everything the hp print and scan doctor advised and also what I could find at HP support (like switch of fire walls, reinstall everything, check printpooler ec etc)... it still does nothing except that I managed to print a diagnostic print which should give information about the condition,  but it only gives numbers and letters like : 11. SN = [Edited for Personal Information] Yr  12 PER = 05YR etc, that does not really help me :-). It won't print any testpages.  H E L P!!!

    Hello Elisabeeth,
    Welcome to the HP Forums!
    I understand you're unable to print using the Deskjet 1510. I will do my best to assist you! When you reinstall the HP software, did the installation state it was complete?
    I would start off by following this HP document on 'Printer is offline' Message Displays on the Computer and the Printer Will Not Print. From this document, please make sure you check the connection type and the ports.
    Please post your results, as I will be looking forward to hearing from you.
    I worked on behalf of HP.

  • I am getting a error IO when trying to upload multiple images within wordpress using the flash uploader. I do not get the error when uploading using explorer. The error only appears if I try uploading using firefox....any ideas?

    I am getting a error IO when trying to upload multiple images within wordpress using the flash uploader. I do not get the error when uploading using explorer. The error only appears if I try uploading using firefox....any ideas?

    Logged the call with SAP who directed me to 'Define settings for attachments' in IMG and setting the 'Deactivate Java Applet' & 'Deactivate Attachment versioning' checkboxes - problem solved.

  • I use floating time zone with all of my iCal entries.  But then the times of the entries do not print when printing month view.  Is there a fix for this?

    I use floating time zone with all of my iCal entries.  But then the times of the entries do not print when printing month view.  Is there a fix for this?

    Sorry to have repeated this question as if I were answering it.  Just a mistake.  I'm just now learning how to use this site.

  • Some paragraph tags are not printing when document is printed from Framemaker 10.

    So this is really odd. I have a situation where I have a document that I am developing in Framemaker 10 several different paragraph tags are intermittently not printing when the document is physically printed. When I go to print the document from Framemaker 10 to a physical piece of paper some tags are printing partially or not at all. What makes this stranger to me is that when I print the document to a PDF, all of the content and tags show up in the PDF. Then when I try to physically print from the PDF, the tags do no print from that document as well.
    Typically the tags that are not printing are those that have been bolded, but are across several different tags. Also the problem is sometimes only to the first line of a tag, where if the tag carries over to a second line in the document, the text on the second line prints. Another quirky instance that shows up is where the text a line will print only parts of the text. The document uses the same type font for the entire document, Helvetica 55 Roman. The font size varies and the coloring varies as well, but this issue is happening for all sizes and colors.
    I'm not sure what additional information is important here, but if you need additional information please request it and I will supply it to the best of my ability. I'm a content developer with an intermediate amount of experience with Framemaker.

    I'm not sure if this is the same problem, and you didn't mention your
    OS, but there was a widespread problem with dropped text in PDF with
    Windows XP. A hotfix was issued to fix it. If on Windows XP, you should
    install it:
    http://blogs.adobe.com/techcomm/2008/07/hotfix_for_framemaker_1.html
    Also, you mentioned that it was "bolded" text that tended to have the
    problem. Bolded text is artificially bold and does not use actual bold
    fonts. (If I recall, text is double printed at a slight offset to give
    the appearance of a bold font.) So there is no bold font to embed. Be
    sure you install and use an actual bold font, rather than using the
    bolded characteristic, or you could see problems.
    This is a stretch, but you also mentioned that some of the problem
    sections have colored text. Check the printer properties of your Adobe
    PDF virtual printer to make sure someone didn't reassign the driver (on
    the Advanced tab). It should be set to use the Adobe PDF Converter
    driver (or Acrobat Distiller in older Acrobat versions). Years ago,
    people sometimes changed this setting to use other drivers for various
    reasons, not realizing that they limited themselves to the capabilities
    of that driver. So, if they chose an HP LaserJet PostScript driver, for
    example, their documents might no longer be able to be 11"x17" or
    color-- because the printer couldn't handle it. The driver was limited
    to 8.5"x14" and black-and-white. Perhaps there is a driver set that is
    choking on the colored text-- though I would think it would merely
    convert it to B&W.
    Okay, I've grasped at enough straws.

  • Why has part of an image not printed from pdf file?

    Hi, I have recently used Indesign to do the layout for a press advertisement. I exported the file as a High Quality pdf file to send to the printer. The logo on the advertisement  has not printed out correctly - the text part of the logo is showing but not the surrounding graphic. When you export and view the pdf file onscreen, everything looks fine. The graphic part of the logo is white - would this have anything to do with why it has not printed? What options should I have checked/unchecked to make sure the pdf prints exactly as it is seen onscreen or is it a problem with the logo file itself?
    I would appreciate any assistance.

    Gopalboopathy wrote:
    Hi
    if the logo is placed in front of the tint/backgrounds, if it's reverse the tint/background same color will be applied and the percentage of the color has been changed to 0%. it will works fine rather than changing the overprint/knockout. hopes it works.
    I'm afraid I don't understand waht you are trying to say here. The white in a logo should generally never be set to overprint. The only way I can think of to get any interaction between a backgorund and a white overprint is to use a blending mode, and that would affect the other colors as well, typically not what you want in a logo situation.
    This is a mistake in the construction of the original art, not a problem at can be fixed directly in ID.

  • FormCentral PDF export: Drop-Down Menu does not print when no choice is made

    FormCentral PDF export: Drop-Down Menu does not print when no choice is made
    I want to be able to print a blank form for the older clients who cannot use a computer. Form has a few drop-down menus and they only appear on the print out if an option is selected. The form was created on FormCentral. Can anybody help?
    Sorry if i'm a noob, not much experience in creating PDF forms yet.
    Thanks for your help,
    Yon

    Hi Perry
    I am using the trial version of Adobe Acrobat and am using the provided FormCentral software to create the form. I find it very limited, but easier to learn. I am creating a financial needs analyser.
    The section of the drop down menu is a selection from 1-5 (rating of importance for financial goals). I want to print out the questions and the empty boxes for people to fill them in by hand (e.g write 1, 2, 3, 4, or 5). When I leave a blank choice, no box is printed out. I write the questions in formatted text and leave the text/caption for the drop-down as blank, as it is difficult to set the margins correctly so various elements align (I pretty much have to estimate).
    As said before, I may have been missing a massive part of the software, but I haven't used any training - just going by instinct so far.
    Do you know if I can do anything about it?
    Thanks,
    Yon

  • While using a drop-down menu i.e. File, edit, image, or even when saving as and choosing the file type; the list appears and I am able to highlight what i want but cannot click on anything.

    While using a drop-down menu i.e. File, edit, image, or even when saving as and choosing the file type; the list appears and I am able to highlight what i want but cannot click on anything. This is becoming incredibly frustrating. It happens at random time and a restart of the computer is all that helps, then with out any notice it starts to do this again.  Mac Book Pro i7 2.2 16 GB 1333 Ram, (2) 450GB SSD both internal to machine. At this point I am losing file because I am unable to save in the file type I need. Does anyone out there know how to solve this issue?
    Thanks
    phil

    I haven't been unify photoshop much in the past month, but I did try your suggestion and it seemed to work for a while. Today when i went to save a document the same thing happened: click on file>save at this point I can not click on save even though it is highlighted. Tryed to use command s that brings up the save dialogue box, but when I try to change file type I again cannot select it from the drop down menu.

  • Can not print with HP LaserJet 6L since the upgrade to Mavericks.

    Can not print with HP LaserJet 6L since the upgrade to Mavericks. Any alternative driver for this printer?

    I have an HP LaserJet 5P and had the same problem. My LaserJet is connected to a D-Link ethernet print server, then to an Airport Express to support wireless printing.
    As recommended in earlier posts, I first downloaded the Gutenprint HP drivers at Sourceforge, version 5.2.9 That did not work. Then found the reference to the Apple kb here: http://support.apple.com/kb/dl907
    Downloaded these drivers. When setting up the printer, I got the autoselect option for Generic Postscript Printer and used that. Printer worked, but printed out garbage. I then deleted the printer, and this time selected the HP LaserJet 5P CUPS + Gutenprint v.5.2.9 THAT WORKED! I don't know if was the combination of downloading the drivers from Sourceforge and the Apple kb, or just the Apple kb that solved the problem, but I'm glad this is now sorted.
    I was a bit surprised when I hit this snag to begin with because the last upgrade I did from Lion to Mountain Lion, I did not have this issue. It was seamless.

  • I have a 17" Macbook pro with flickering red and cyan(blue) lines across the screen. The issue disappears temporarily when I tap on the computer, and the problem does not occur when I use external display or try to screen capture the problem.

    I purchased my Macbook (17") through a certified apple tecnition in August 2012, it was refurbished and the motherboard was completely replaced. I do a lot of photo editing, but I have been unable to do so because of the red vibrating lines that interrupt my screen. The issue disappears temporarily when I tap on the computer, and the problem does not occur when I use external display or try to screen capture the problem. I brought the computer back to the technition I purchased it from and he said that it was a problem with my fan, so I have two new fans but the issue is still occuring. He says he doesnt know whats wrong. Does anyone have any information on this issue?
    Here is an image of the issue
    http://www.flickr.com/photos/67839707@N08/8884847081/

    I recommend having your Mac serviced by someone competent. A force sufficient to "blow apart" the fans was clearly excessive and may have damaged the display cable, as well as any number of other problems.
    Dust is properly cleaned with a vacuum, preferably one designed for computer service, and they are not cheap.
    Compressed air should never be used. It just blows dust everywhere, often into places where it can no longer be removed.

Maybe you are looking for

  • Gaps in charts instead of a zero value for blank entries

    I am making a graph of data taken each day of the month. There are some gaps in the data, and I want those to show on the chart as breaks in the line. Instead, Numbers is assuming those blank entries are zero values, so I'll have a fairly consistant

  • Iphoto diet & iphoto 6 error!! would appreciate any help/feedback

    I recently installed iPhoto 6.0.6. and since then, when I run iPhoto Diet (3.1) an apple script error message comes up. It says: File alias Macintosh HD:Users:michellechin:Pictures:iPhoto Library:Modified: wasn't found. (-43) HELP! what does this mea

  • Java is not free and Hibernate ?

    I get information, that java is not free. I mean that if we develop for our self, it's free, but if we develop or make program and sell it, we must pay to sun. We must pay with what class or jar that we use. Is it true ? What is the meaning of hibern

  • SNC using JCO API

    I am trying to connect to a SAP Server (having SNC enabled) using JCO API. I am using a simple java program. I mentioned the following parameters jco.client.snc_mode=1 jco.client.snc_partnername=p:CN=IDS, OU=IT, O=CSW, C=DE jco.client.snc_qop=1 jco.c

  • Upgrade from 10203 to 10204

    Hi, Need help on issue on upgradation the details are as follows: Currrent DB version : 10203 Upgrade to made to :10204 OS : Solaris 10. Everything is set but the problem is when i check in registry(dba_registry) it shows as : COMP_NAME STATUS VERSIO