Understanding the Stage object and it's content property.

Hi all,
I'm trying to understand why this doesn't work:
* Main.fx
* Created on Nov 22, 2008, 12:18:01 PM
package ssns;
import javafx.application.Frame;
import javafx.application.Stage;
import java.util.HashMap;
import javafx.scene.Node;
import javafx.scene.image.ImageView;
import javafx.scene.image.Image;
import javafx.ui.Canvas;
import java.lang.*;
* @author elberry
var mapData = [
    "WWWWWWWWWWWWWWWWWWWWWWWWWWW",
    "WWWWWWWWWWWWWWWWWWWWWWWWWWW",
    "WSSSSSWWSSSSSSSSSSSSSSSSSWW",
    "WSGGGSWWSGGGGGGGGGGGGGGGSWW",
    "WSGGGSWWSSSSSSSGGSSSSSGGSWW",
    "WSGGGSWWWWWSDDSGGSDDDSGGSWW",
    "WSGGGSWWWWWSDDSGGSDDDSGGSWW",
    "WSGGGSWWWWWSDDSGGSDDDSGGSWW",
    "WSGGGSSSSSSSSSSGGSSSSSGGSWW",
    "WSGGGGGGGGGGGGGGGGGGGGGGSWW",
    "WSSSSSSSSSSSSSSSSSSSSSSSSWW",
    "WWWWWWWWWWWWWWWWWWWWWWWWWWW",
    "WWWWWWWWWWWWWWWWWWWWWWWWWWW"
var mapImages = new HashMap();
mapImages.put("W", Image {url: "".getClass().getResource("/images/planet_cute/Water Block.png").toString()});
mapImages.put("S", Image {url: "".getClass().getResource("/images/planet_cute/Stone Block.png").toString()});
mapImages.put("G", Image {url: "".getClass().getResource("/images/planet_cute/Grass Block.png").toString()});
mapImages.put("D", Image {url: "".getClass().getResource("/images/planet_cute/Dirt Block.png").toString()});
var mapNodes: ImageView[];
for(row in mapData) {
    for(tileType in row) {
        var image = ImageView {
            image: mapImages.get(tileType) as Image
        insert image into mapNodes;
Frame {
    title: "Tile Map"
    width: 800
    height: 600
    closeAction: function() {
        java.lang.System.exit( 0 );
    visible: true
    stage: Stage {
        content: [
            mapNodes
}When I run this code, I get no errors, but I get a completely blank frame.
I tried switching out the content array for just the mapNodes to no avail.
    stage: Stage {
        content: mapNodes
    }However, if I add just a single ImageView to the content array I can see it.
    stage: Stage {
        content: [
            ImageView {
                image: Image {
                    url: "".getClass().getResource("/images/planet_cute/Water Block.png").toString()
    }As a side note, anyone know why the decision to make the "url" property take a file path, and not a URL?
Any help on this would be greatly appreciated.
Thanks,
Eric

I resolved the issue. The for loops were not doing what I thought they were doing. The second loop didn't loop through each character in the String. To solve the issue I changed the mapData sequence into a sequence of sequences.
* Main.fx
* Created on Nov 22, 2008, 12:18:01 PM
package ssns;
import javafx.application.Frame;
import javafx.application.Stage;
import java.util.HashMap;
import javafx.scene.Node;
import javafx.scene.image.ImageView;
import javafx.scene.image.Image;
import javafx.ui.Canvas;
import java.lang.*;
* @author elberry
var mapData = [
    ["W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W"],
    ["W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W"],
    ["W","S","S","S","S","S","W","W","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","W","W"],
    ["W","S","G","G","G","S","W","W","S","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","S","W","W"],
    ["W","S","G","G","G","S","W","W","S","S","S","S","S","S","S","G","G","S","S","S","S","S","G","G","S","W","W"],
    ["W","S","G","G","G","S","W","W","W","W","W","S","D","D","S","G","G","S","D","D","D","S","G","G","S","W","W"],
    ["W","S","G","G","G","S","W","W","W","W","W","S","D","D","S","G","G","S","D","D","D","S","G","G","S","W","W"],
    ["W","S","G","G","G","S","W","W","W","W","W","S","D","D","S","G","G","S","D","D","D","S","G","G","S","W","W"],
    ["W","S","G","G","G","S","S","S","S","S","S","S","S","S","S","G","G","S","S","S","S","S","G","G","S","W","W"],
    ["W","S","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","G","S","W","W"],
    ["W","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","S","W","W"],
    ["W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W"],
    ["W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W","W"]
var mapImages = new HashMap();
mapImages.put("W", Image {url: "".getClass().getResource("/images/planet_cute/Water Block.png").toString()});
mapImages.put("S", Image {url: "".getClass().getResource("/images/planet_cute/Stone Block.png").toString()});
mapImages.put("G", Image {url: "".getClass().getResource("/images/planet_cute/Grass Block.png").toString()});
mapImages.put("D", Image {url: "".getClass().getResource("/images/planet_cute/Dirt Block.png").toString()});
var mapNodes: ImageView[];
for(row in mapData) {
    for(tileType in row) {
        var imageView = ImageView {
            image: mapImages.get(tileType) as Image
        insert imageView into mapNodes;
Frame {
    title: "Tile Map"
    width: 800
    height: 600
    closeAction: function() {
        java.lang.System.exit( 0 );
    visible: true
    stage: Stage {
        content: [
            mapNodes
}

Similar Messages

  • UNDERSTAND THE NEW DATE AND TIME DATA TYPES IN ORACLE 9I

    제품 : SQL*PLUS
    작성날짜 : 2001-08-01
    UNDERSTAND THE NEW DATE AND TIME DATA TYPES IN ORACLE 9I
    ========================================================
    PURPOSE
    Oracle 9i 에서 소개되는 새로운 datetime data type 에 대해 소개한다.
    Explanation
    Example
    1. Datetime Datatypes
    1) TIMESTAMP
    : YEAR/MONTH/DAY/HOUR/MINUTE/SECOND
    2) TIMESTAMP WITH TIME ZONE
    : YEAR/MONTH/DAY/HOUR/MINUTE/SECOND/
    TIMEZONE_HOUR/TIMEZONE_MINUTE( +09:00 )
    or TIMEZONE_REGION( Asia/Seoul )
    3) TIMESTAMP WITH LOCAL TIME ZONE
    : YEAR/MONTH/DAY/HOUR/MINUTE/SECOND
    4) TIME WITH TIME ZONE
    : HOUR/MINUTE/SECOND/TIMEZONE_HOUR/TIMEZONE_MINUTE
    2. Datetime Fields
    1) YEAR/MONTH/DAY/HOUR/MINUTE
    2) SECOND(00 to 59.9(N) is precision) : Range 0 to 9, default is 6
    3) TIMEZONE_HOUR : -12 to 13
    4) TIMEZONE_MINUTE : 00 to 59
    5) TIMEZONE_REGION : Listed in v$timezone_names
    3. DATE 와 TIMESTAMP 와의 차이점
    SQL> select hiredate from emp;
    HIREDATE
    17-DEC-80
    20-FEB-81
    SQL> alter table employees modify hiredate timestamp;
    SQL> select hiredate from employees;
    HIREDATE
    17-DEC-80 12.00.00.000000 AM
    20-FEB-81 12.00.00.000000 AM
    단, 해당 Column 에 Data 가 있다면 DATE/TIMESTAMP -> TIMESTAMP WITH
    TIME ZONE 으로 Convert 할 수 없다.
    SQL> alter table employees modify hiredate timestamp with time zone;
    alter table employees modify hiredate timestamp with time zone
    ERROR at line 1:
    ORA-01439: column to be modified must be empty to change datatype
    4. TIMESTAMP WITH TIME ZONE Datatype
    TIMESTAMP '2001-05-24 10:00:00 +09:00'
    TIMESTAMP '2001-05-24 10:00:00 Asia/Seoul'
    TIMESTAMP '2001-05-24 10:00:00 KST'
    5. TIMESTAMP WITH LOCAL TIME ZONE Datatype
    SQL> create table date_tab (date_col TIMESTAMP WITH LOCAL TIME ZONE);
    SQL> insert into date_tab values ('15-NOV-00 09:34:28 AM');
    SQL> select * from date_tab;
    DATE_COL
    15-NOV-00 09.34.28.000000 AM
    SQL> alter session set TIME_ZONE = 'EUROPE/LONDON';
    SQL> select * from date_tab;
    DATE_COL
    15-NOV-00 12.34.28.000000 AM
    6. INTERVAL Datatypes
    1) INTERVAL YEAR(year_precision) TO MONTH
    : YEAR/MONTH
    : Year_precision default value is 2
    SQL> create table orders (warranty interval year to month);
    SQL> insert into orders values ('2-6');
    SQL> select warranty from orders;
    WARRANTY
    +02-06
    2) INTERVAL DAY (day_precision) TO SECOND (fractional_seconds_precision)
    : DAY/HOUR/MINUTE/SECOND
    : Logon time 확인시 주로 사용
    : day_precision range 0 to 9, default is 2
    SQL> create table orders (warranty interval day(2) to second);
    SQL> insert into orders values ('90 00:00:00');
    SQL> select warranty from orders;
    WARRANTY
    +90 00:00:00.000000
    7. Interval Fields
    - YEAR : Any positive or negative integer
    - MONTH : 00 to 11
    - DAY : Any positive or negative integer
    - HOUR : 00 to 23
    - MINUTE : 00 to 59
    - SECOND : 00 to 59.9(N) where 9(N) is precision
    8. Using Time Zones
    1) Database operation
    - Defined at CREATE DATABASE
    - Can be altered with ALTER DATABASE
    - Current value given by DBTIMEZONE
    2) Session operation
    - Defined with environment variable ORA_SDTZ
    - Can be altered with ALTER SESSION SET TIME_ZONE
    - Current value given by SESSIONTIMEZONE
    3) TIMESTAMP WITH LOCAL TIMEZONE
    - TIME_ZONE Session parameter
    : O/S Local Time Zone
    Alter session set time_zone = '-05:00';
    : An absolute offset
    Alter session set time_zone = dbtimezone;
    : Database time zone
    Alter session set time_zone = local;
    : A named region
    Alter session set time_zone = 'America/New_York';
    Reference Document
    ------------------

    Hi ,
    I am facing the same problem and my scenario is also same (BAPI's).
    So can you please tell me how you overcome this problem .
    Thanks,
    Rahul

  • Unable to lookup System  ...check the system object and the alias

    Hi,
    I am working on EP6 Sp 9. I have created iviews and integrated j2ee application by appIntegartor . everything is working fine . but these iviews are working only with superadmin role . with any other role am getting the error message "Unable to lookup System 'NNNJ2ee'. Please check the system object and the alias.."
    Have created a role and done appropriate user mapping. Connection Test goes through successfully and iViews work fine as expected, but just in administrator login.
    i found a a thread dissucing about the same problem in this  forum and followed the solution given by them(assigning eu_role to the user) .
    But still it is not working for me.
    can anyone please help me in finding the solution .
    Thanks,
    Lakshmi

    Hi,
    <b>The cause is :</b>
    When you create an item with the 'super admin role' user's , you don't have the role : 'eu_role' assigned.
    So when you create a new item the role 'eu_role' is not spread to end user.
    <b>The solution is :</b>
    First add the 'eu_role' to the super admin user. For all next item created it's work fine.
    For item already created,
    - right click on the object, Select open permissions.
    - In the display option, choose Permissions
    - Search for role : 'eu_role'
    - Add the permissions
    - check the box 'End User'
    - Save
    - And test
    For me it's work fine. Let me know if it's good for you...
    Regards
    Alain Chanemouga @ SAP

  • EEWB :  how to determine the business object and the extension type ?

    Hi,
    I ask myself how to determine the business object and the extension type to use to add new fields in a new tab of a specific transaction ? what means each business object, does that correspond to a specific transaction ?
    I need to add a new tab in the ‘BaMI’ business activity in transaction CRMD_ORDER just after the tab 'Actions' at header level.
    Could you help me please to determine which business object and extension type I have to select during creation of the project and which business object category I have to select during creation of the extension (wizard) ?
    Thanks for your help,
    Marie

    Marie,
    In order to determine what type of transaction you are extending, you will need to look at the customizing for the transaction.
    In the IMG:
    Goto:
    Customer Relationship Management->Transactions->Basic Settings->Define Transaction Types.
    You will then choose the transaction defined that you want to extend.  If you display the details of the transaction you will find an attribute called:
    "Leading Transaction Category".  This tells you the general context in which the transaction is used.  The other item to view is the assignment of business transaction categories found in the maintenance screen.
    This information general corresponds to one of the options that the EEWB will give you on the transaction type.
    As far as extensions go, my recommendation is the following:
    - Use CUSTOMER_H Customer Header Extensions for any new fields at the header level.
    - Use CUSTOMER_I Customer Item Extensions for any new fields at the item level.
    Unless you have a specific requirement to extend a segment of the transaction, I recommend placing all new fields in these segments.  The CUSTOMER_H & CUSTOMER_I segments are considered "standard" segments, that are already built into all the necessary API structures. 
    Let me know if you have any further questions.
    Good luck,
    Stephen

  • HT4623 My iPad stuck during downloading ios 7 at the stage Terms and condition I click agree.ipad not responding

    My iPad stuck during downloading ios 7 at the stage terms and condition when I agree no response

    Reset the iPad by holding down on the sleep and home buttons at the same time until the Apple logo appears on the screen.

  • CKPT locks the system objects and blocks other sessions

    CKPT locks the system objects and blocks other sessions
    Oracle Version 10.2.0.4
    OS : HP UX 11.31 Itanium
    SQL> select * from v$lock where block=1;
    ADDR KADDR SID TY ID1 ID2 LMODE
    REQUEST CTIME BLOCK
    C0000009FCC2B348 C0000009FCC2B368 1100 RO 65559 1 2
    0 3877 1
    SQL> select program from v$session where sid=1100;
    PROGRAM
    oracle@ctqanhr1 (CKPT)
    As a workaround we flush the buffer cache with the below command
    SQL> alter system flush buffer_cache;
    however the issue reoccurs after some times.
    Edited by: 965132 on Dec 2, 2012 9:59 PM

    other reference:
    CKPT Questions
    The temporary workaround is to set "_db_fast_obj_truncate"=FALSE in that particular case.
    Regards,
    sgc
    Edited by: Samuel G. Cristobal on 03-dic-2012 8:48

  • How to  get the profile object in simple java class  (Property accessor)

    Hi All,
    Please guide me how to get the profile object in simple java class (Property accessor) which is extending the RepositoryPropertyDescriptor.
    I have one requirement where i need the profile object i.e i have store id which is tied to profile .so i need the profile object in the property accessor of the SKU item descriptor property, which is extending RepositoryPropertyDescriptor.
    a.I dont have request object also to do request.resolvename.
    b.It is not a component to create setter and getter.It is simple java class which is extending the RepositoryPropertyDescriptor.
    Advance Thanks.

    Iam afraid you might run into synchronization issues with it. You are trying to get/set value of property of a sku repository item that is shared across various profiles.
    Say one profile A called setPropertyValue("propertyName", value).Now another profile B accesses
    getPropertyValue() {
    super.getPropertyValue() // Chance of getting value set by Profile A.
    // Perform logic
    There is a chance that profile B getting the value set by Profile A and hence inconsistency.
    How about doing this way??
    Create PropertyDescriptor in Profile (i.e user item descriptor), pass the attribute CustomCatalogTools in userProfile.xml to that property.
    <attribute name="catalogTools" value="atg.commerce.catalog.CustomCatalogTools"/>
    getPropertyValue()
    //You have Profile item descriptor and also storeId property value.
    // Use CustomCatalogTools.findSku();
    // Use storeId, profile repository item, sku repository item to perform the logic
    Here user itemdescriptor getPropertyValue/setPropertyValue is always called by same profile and there is consistency.
    -karthik

  • [svn:fx-trunk] 10001: Fix for TextGraphicNode and RichTextNode delegated content property.

    Revision: 10001
    Author:   [email protected]
    Date:     2009-09-03 13:03:50 -0700 (Thu, 03 Sep 2009)
    Log Message:
    Fix for TextGraphicNode and RichTextNode delegated content property.  We used to pick up cdata from before and after the content tags and consider them content, this was wrong and the new line and tabs threw TLF for a loop.
    This change will need to be communicated to and integrated with, CoreTech.
    QE notes: None
    Doc notes:  None
    Bugs: SDK-22851
    Reviewer: Paul
    Tests run: Checkin
    Is noteworthy for integration: No
    Ticket Links:
        http://bugs.adobe.com/jira/browse/SDK-22851
    Modified Paths:
        flex/sdk/trunk/modules/fxgutils/src/java/com/adobe/internal/fxg/dom/RichTextNode.java
        flex/sdk/trunk/modules/fxgutils/src/java/com/adobe/internal/fxg/dom/TextGraphicNode.java
        flex/sdk/trunk/modules/fxgutils/src/java/com/adobe/internal/fxg/sax/FXG_v1_0_Handler.java
        flex/sdk/trunk/modules/fxgutils/src/java/com/adobe/internal/fxg/sax/FXG_v2_0_Handler.java
    Added Paths:
        flex/sdk/trunk/modules/fxgutils/src/java/com/adobe/internal/fxg/dom/ContentPropertyNode.j ava

  • How to activate the Info object catalog in Business content

    Hi,
      While trying to activate the Info object catalog, I found that some of the info objects under this catalog was earlier activated by some other developer. I brought this catalog (0SALES_CHA01) over to the Business content activation panel ( with only 'necessary object settings ) and all the info objects that also came along  were de-selected since I didn't want to install those again). When I tried to install these I get an error indicating that some of the info object in question are not already active.. and ultimately the catalog doesn’t get activated , although more than half of its infoobjects are already active under the '0CHANOTASSIGNED' node.
    Please let me know whether I can get only the Catalog activated without getting any existing activated info object merged or installing those which are not already activated.
    Thanks
    Arunava

    Hello Arunava,
    Just drag the infoobject catalog as u did earlier to the left in the bus cont installation screen with "only necessary object" option.
    Dont try to deselect any object. Go ahead with the default options and install in background.
    Now you can check for the available objects in the catalog. if you have some objects missing, and available in unassigned node,double click on the newly installed infoobject catalog, select the required objects (which are not yet assigned to this) from the left side and bring them to the right side.
    this will make the unassigned objects assigned to the required catalog.
    Hope it helps..
    (please dont forget to reward points to helpful answers)

  • Regarding the business object and configuration

    Hi,
    i have new scenario for Down Payment Request. Tcode is F-47.
    I want to trigger WF when Down Payment Request is created.
    please let me know the business object for F-47.
    JMB,
    i have already searched this scenario in SDN , i understand that you have faced same issue,please let me know whether you have solved your issue if yes please let me know the steps.
    Points will be rewarded.
    Thanks,
    ram

    Hello Everbody,
    i have done the configuration settings for payment release, the transcation are OBWA,OBWE, and OBWJ..
    i have used BOR  BSEG  for the transcation F-47, so whenever user post the document worklfow will trigger.. and i have used standard subworklfow  WS00400011for the Single level payment release and it's working perfectly..
    just i want to share..
    Thanks,
    ram

  • Quiestion on understanding the @ in powershell and needing confirmation

    I came across the following script:
    Get-ADUser -Filter * -SearchScope Subtree -SearchBase "ou=East,ou=SalesRegion,dc=Nutex,dc=com" | Set-AdUser -Replace @{title="Account Executive"}
    I did not really understand the why the @ is used I did some searches on it
    http://stackoverflow.com/questions/363884/what-does-the-symbol-do-in-powershell
    they spoke about this being used to denote arrays.   However, they said if a value is comma separated its seen as an array anyway.  They did go on to say this is required for
    Associative arrays.   I looked up associative arrays and got the following:
    Associative arrays. Thus, you can access each property by entering the name of the property as a string into this array. Such an arrayassociates
    each key with a value (in this case the key Home is associated with the value normal).
    This tells me I think that the script I was looking at after the pipe had an associative array as we entered the name of the property "title"  and then it was associated
    with the value "=Account Executive".
    So when I see something like that I am seeing what is called a associative array, and these are vehicles that can be used to change or work with properties?  Its an array because
    it can be dealing with multiple (or single depending on how many) objects.  In this case the object was the title property in AD.
    Thats kind of how I am seeing this but its complex ideas and I am trying to break it down to simple thinking in my head.
    Anyway before I commit this theory in my thinking I was just wanted some with more experience to let me know if I am on the correct path.

    Thanks Fred!
    that helps clear up things.  
    coming to this forum really helps me in my learning, and also my peace of mind.  It always feels
    good to be able to file something in your brain with enough data on it to feel comfortable.
    quick question by "separate lines" what do you mean I am probably over thinking this but
    when i think of separate line I think of hitting enter and having a new line but I don't think that's what you meant was it?    Or did you just mean when you use a semi colon that it created a new seperate line.  (lots of small info in your
    last post there that was helpful, I am a real newbie at powershell, I just tackle some advanced topics because its in some script or cmdlet I see in my studies and I get curious, and want answers lol)

  • Is there a conflict with the Intel chip and certain web content?

    Just curious about something...
    Somewhat new to OSX...I'm noticing that certain video content,(specifically Comedy Central) won't play for me in Safari, or Firefox browsers. I have Windows Media Player 9, but the plug in or application won't launch when these clips come up. I've noticed on some Power PC machines the clips play in Safari and appear formatted for Quick Time.(Despite the site saying they're designed to play in Media Player 9) Is there some preference that I don't know about? Also how do I install and uninstall plugins for these browsers? Or is it just the Intel chip...I haven't had a problem with any other site but this one.
    Thanks.
    iMac Duo   Mac OS X (10.4.6)   1 GB Ram

    Web content not displaying will never be a hardware issue with any computer. You must install the plugins necessary to view it. All plugins are Universal now, except Windows Media, but you can get the Universal beta.
    Windows Media - either use Ho Lee's suggestion or download Flip4Mac Universal beta (look on Google).
    Real Media - get RealPlayer 10 Universal Binary.
    The Flash Player and Quicktime should already be installed. Make sure you have all Apple updates as well.

  • Delete only the child object and not the parent object

    Hi,
    I have the below code:-
    TAnswer
    @ManyToOne(fetch = FetchType.LAZY)
         @JoinColumn(name = "question_id", nullable = false)
    //     @Cascade(value=CascadeType.ALL)
         public TQuestion getTQuestion() {
              return this.TQuestion;
         }     TQuestion
    @OneToMany(fetch = FetchType.LAZY, mappedBy = "TQuestion", orphanRemoval = true)
         @Cascade(value=CascadeType.ALL)
         /*@Cascade({org.hibernate.annotations.CascadeType.SAVE_UPDATE,
                org.hibernate.annotations.CascadeType.DELETE,
                org.hibernate.annotations.CascadeType.MERGE,
                org.hibernate.annotations.CascadeType.PERSIST,
                org.hibernate.annotations.CascadeType.DELETE_ORPHAN})*/
         public List<TAnswer> getTAnswers() {
              return this.TAnswers;
                   In Java:-
         public void removeAnswers(TQuestion question)
                        throws ApplicationException {
                   List<TAnswer> answerList =  question.getTAnswers();
                   deleteall(answerList);
         public void deleteall(Collection objects) {
                   try {
                        getHibernateTemplate().deleteAll(objects);
                        getHibernateTemplate().flush();
                   } catch (Exception e) {
                        throw new ServerSystemException(ErrorConstants.DATA_LAYER_ERR, e);
         }               Here the "deleteall" will delete both the answer records and question records, I don't want the questions
         records to be deleted. I have tried making the question as null when we set the answer object to be passed for delete
         bit still it is     deleting the question records as well.How to achieve the above in deleting only the answer (child) records
         and not the question(parent) record? Is there any thing we need to do with @Cascade for Question object? Please clarify.
    Thanks.

    What does deleteAll do, it doesn't look like a JPA method. You might want to ask your question on your provider forum, or use straight JPA methods as a simple EntityManager.remove(answer) on each answer in the collection should work.
    Regards,
    Chris

  • Can I copy the "Stage Area" and use it on other machine; R12; OEL 6;

    Hello All,
    I am trying to install R12 (with Vision demo database) on my Linux machine.
    I have copied the stage area from another machine, and I want to use it on this machine.
    I am trying to run the rapidwiz from the copied stage directory.
    It initiates, but is now ending up with a RW-5004 error.
    I have tried to install R12 several times now, but no success so far.
    I dont know the specifications for the last machine, but the staging has been done on a Linux platform.
    The present machine is
    RAM : 8 GB
    HDD : 400 GB
    OS : OEL 6 (64 bit)
    all the necessary packages are installed.
    Please Help !
    Thanking you all.
    Edited by: Udit apps dba on Apr 25, 2012 3:48 PM

    Hello Hussein Sir,
    I have read all your previous posts indication this error to be generic in nature.
    Well, I have read the error logs of different nodes, but without having much success in it.
    At last, after too much of trying I deleted my VM machine and now I am installing the machine again, with fingers crossed.
    My biggest question is "Can I copy the "Stage Area" of another machine of same configuration and use it on other machine" ?
    At last, I would request you sir to please forward me your personal email address (the one you use often).
    I shall be highly obliged.
    Regards,
    Udit Kulshrestha

  • From where i can understand the control flow and architecture of JVM?

    i want to know control flow and architecture of JVM?
    Where i can know from?
    if some one wish to explain you can here also.

    makpandian wrote:
    No it s not broken.
    As per your experience,tell me some links.Per my experience I don't need links. I could build the VM both from the general level and the specific levels by referring only to the VM spec.
    And I read the book I suggested, first edition, years ago. Although with many other books.
    Conversely if I wanted to find a link now then I would use google.

Maybe you are looking for

  • Use report to display html data

    Hi I have multiple rows of text in a clob field that contains html tags. I want to display this data in html format in my htmldb application. Can I use an htmldb report to do this or am I better off using an item? Thanks

  • Collecting Sensitive Information Via a PDF Form

    I have a client who is bound and determined to have a form on his website that collects sensitive information. Is there a way to create a PDF form that users can download, fill out, and submit the information securely? Since the data will be on the I

  • Why does Adobe Flash player crash so much?

    This is not the first version of FireFox that Adobe Flash player crashes on. It happens 2, sometimes 3 times a day, my browser locks up for 45 seconds or so then I see the "Adobe Flash Player has crashed" yet again. I've read the forums, tried sugges

  • The size of audio file has been enlarged?

    I downloaded some Flac files (4.94 GB). I converted it with Amadeus Pro in AAC files (188 MB). I drag-and-drop these small files into iTunes (ver. 10.5), that is, iTunes Music Library. Now I have the same AAC files - but miraculously enlarged to 500

  • Recovering hidden files from Time Machine

    Hello! I use Time Machine, have been since I first got a Mac. Right now I am trying to recover an older iPhone backup that has since been overwritten. I've learned that iPhone backups are located in the Library/ApplicationSupport/MobileSync directory