LinkElement + InlineGraphicElement causes an error

I may be coding this incorrectly, so if I am, please forgive me.  I am trying to add an InlineGraphicElement to a LinkElement and it appears to be giving an error.  I believe this used to work in the November beta, but in the most recent build it produces an error.
Here is a code snippet using a simple update from the InlineGraphic.as example:
var link:LinkElement = new LinkElement();
link.href = "http://www.adobe.com";
var inlineGraphic:InlineGraphicElement = new InlineGraphicElement();
inlineGraphic.source = "http://www.adobe.com/shockwave/download/images/flashplayer_100x100.jpg";
inlineGraphic.width = 100;
inlineGraphic.height = 100;
link.addChild(inlineGraphic);
p.addChild(link);
When it runs, it produces the following error:
undefined
at flashx.textLayout.compose::StandardFlowComposer/internalCompose()
at flashx.textLayout.compose::StandardFlowComposer/composeToController()
at flashx.textLayout.compose::StandardFlowComposer/updateToController()
at flashx.textLayout.compose::StandardFlowComposer/updateAllControllers()
at InlineGraphic()
Let me know if there is something I am missing.  Thanks!
-Kevin

You aren't missing anything - its a bug.
Richard

Similar Messages

  • I am trying to install current Firefox 3.6, as I am currently running an older Firefox on my Windows ME, but I keep getting this error message: "Setup has caused an error in SETUP.EXE Setup will now close."--Please help?

    I have downloaded all IP changer Privacy software I have purchased and am trying to install it, and although it is made to work with WindowsME that I am currently using on my computer, it now says it requires Firefox 3 or above to be able to install the software. Therefore, I am trying to update my Firefox to current 3.6 but once Firefox 3.6 downloads it doesn't install. Instead I just keep getting the same error message: Setup has caused an error in SETUP.EXE. Set up will now close. Several times, I have also tried restarting the computer as the error message also recommended But I just still keep getting the same error message when I try to update/install Firefox 3.5. Please help/advise on how I can fix this problem. Many thanks in advance!

    Firefox 2.0.0.20 is the last ever version of Firefox for Win98 / SE / ME.
    You can get it from here, but you are better off using K-Meleon (derived from Firefox) or Opera instead an old version of Firefox:
    [ftp://ftp.mozilla.org/pub/firefox/releases/2.0.0.20/win32/en-US/]
    You can try KernelEx to get Firefox 3+ to work, but it would be very slow with an old PC of less than 750Mhz. 3.5 and later supposedly doesn't work.
    http://sourceforge.net/projects/kernelex/

  • A view, function and TO_DATE causing an error.

    I have the following statement which calls a view, VW_DIST_RPT_WORK_LIST which in turn calls a function which returns either 'Null' or a date string e.g. '07 Oct 2003' as a VARCHAR2 (alias PROJECTED_DELIVERY_DATE).
    Statement:
    SELECT CUSTOMER_NAME, PROTOCOL_REFERENCE, SHIPPING_REFERENCE, CUSTOMER_REFERENCE, COUNTRY, PROJECTED_DELIVERY_DATE, STATUS, NOTES,
    TO_DATE(PROJECTED_DELIVERY_DATE)
    FROM VW_DIST_RPT_WORK_LIST
    WHERE EXPECTED_DESP_DT IS NOT NULL
    AND UPPER(PROJECTED_DELIVERY_DATE) NOT LIKE('NULL%')
    AND EXPECTED_DESP_DT <= TO_DATE('07/10/2003', 'DD/MM/YYYY')
    AND TO_DATE(PROJECTED_DELIVERY_DATE) <= TO_DATE('31/12/2003', 'DD/MM/YYYY') --< Problem here
    I need to be able to specify a date filter on the PROJECTED_DELIVERY_DATE field and hence used the TO_DATE(PROJECTED_DELIVERY_DATE) <= TO_DATE('31/12/2003', 'DD/MM/YYYY') but this is generating an ORA-01858: a non-numeric character was found where a numeric character was expected.
    I think the problem lies with the fact that this field can contain 'Null' which cannot be converted to a date using TO_DATE. I've tried adding a NOT LIKE ('NULL%') statement to catch any nulls which may be creeping in bu this doesn't solve the problem.
    I've added TO_DATE(PROJECTED_DELIVERY_DATE) to the select above to determine if the nulls are being caught and if the TO_DATE in performing the conversion correctly which it is on both counts.
    Any ideas anyone ?

    The answer provided above by Monika will work for this situation. However, you should seriously think whether you should be using a string for date datatype. Ideally, you should rewrite the function that returns PROJECTED_DELIVERY_DATE and change the return type to DATE. The least you should do is to return NULL (instead of the string 'NULL') from the function. Oracle handles nulls perfectly, there is no reason you should write code to handle nulls;
    One more thing. Looking at the type of error you are receiving, it seems that you are using rule based optimizer. Why do I think so? Because, in rule based optimizer, the conditions are evaluated in a specific order (viz, bottoms-up for AND clauses). To show this, look at the following simple demonstration. I did this in Oracle 8.1.6 (also in 9.2.0.4.0 on Windows).
    -- Check the database version
    select * from v$version;
    BANNER
    Oracle8i Enterprise Edition Release 8.1.6.1.0 - Production
    PL/SQL Release 8.1.6.1.0 - Production
    CORE 8.1.6.0.0 Production
    TNS for Solaris: Version 8.1.6.0.0 - Production
    NLSRTL Version 3.4.0.0.0 - Production
    -- Create the test table
    create table test (a number(2));
    insert into test(a) values (0);
    insert into test(a) values (1);
    insert into test(a) values (2);
    insert into test(a) values (3);
    insert into test(a) values (4);
    insert into test(a) values (5);
    insert into test(a) values (6);
    insert into test(a) values (7);
    commit;
    -- See that I have not analyzed the table. This will make use of RULE based optimizer
    select * from test
    where a > 0
    and 1/a < .25;
    and 1/a < .25
    ERROR at line 3:
    ORA-01476: divisor is equal to zero
    -- Look at the query clause. Even though I specifically asked for records where a is positive
    -- the evaluation path of rule based optimizer started at the bottom and as it evaluated the
    -- first row with a=0, and caused an error.
    -- Now look at the query below. I just re-arranged the conditions so that a > 0 is evaluated
    -- first. As a result, the row with a=0 is ignored and the query executes without any problem.
    select * from test
    where 1/a < .25
    and a > 0;
    A
    5
    6
    7
    -- Now I analyze the table to create statistics. This will make the query use the
    -- cost based optimizer (since optimizer goal is set to CHOOSE)
    analyze table test compute statistics;
    Table analyzed.
    -- Now I issue the erring query. See it executes without any problem. This indicates that
    -- the cost based optimizer was intelligent enough to evaluate the proper path instead of
    -- looking only at the syntax.
    select * from test
    where a > 0
    and 1/a < .25;
    A
    5
    6
    7
    Does the above example seem familiar to your case? Even though you had the AND UPPER(PROJECTED_DELIVERY_DATE) NOT LIKE('NULL%') in your query, a record with PROJECTED_DELIVERY_DATE = 'NULL' was evaluated first and that caused the error.
    Summary
    1. Use dates for dates and strings for strings
    2. Use cost based optimizer
    Thanks
    Suman

  • Photoshop CS4 for Mac What can cause the error: Plug-in failed to load - NO VERSION

    With Photoshop CS4 for Mac I install the Kodak Plug-in DIGITAL GEM Airbrush Professional v2.1.0. When Photoshop starts I get an error:
    Plug-ins that failed to load:
       DIGITAL GEM Airbrush Professional v2.1.0 NO VERSION -  - from the file “DigitalAIRProv2.plugin”Flash:
       Connections
       Kuler
    This plug-in works fine on my Mac Pro with Photoshop CS4 and OS 10.6 but fails on a new Macbook Air.
    Reinstalling the plug-in did not make any difference. What can cause this error?

    Thanks Chris, That was my first thought too but this same plug-in works on another installation of CS4. This is a Mac installation and the plug-in is Universal so it should work. Is there any other possible cause for this error? Would Photoshop refuse to load a plug-in in a low memory situation?
    Also, The Flash extensions:Connections and Kuler are working OK, I just copied a little more out of the System Info report than I needed to.

  • DESADV01 E1EDP07 segment per line item causes EDIFACT error

    When a Sales Order has the PO Number + Date populated, the subsequent outbound Delivery IDoc (DESADV01) contains a parent E1EDP07 segment for every child line item segment (E1EDP09).  For a SO without PO Date, the IDoc is created with a single E1EDP07 with multiple child E1EDP09 segments.  This is standard SAP - do you need to code around this?
    The first scenario causes an error in EDIFACT mapping, as a limit of 9 RFF segments is allowed (E1EDP07 is a level 1 segment).  Partner systems reject this.

    Hi,
    Segment field should be optional, so check the posting keys in OB41, check the GL account which hit this posting and check the FIeld status in OBC4 and make the segment field as optional.
    while posting the transactions you can check in more then Profit center and segment details will be updated in the postings.
    try out, this might help. check the new ledger document types also.
    Regards,
    Padma

  • Does anyone know what is causing this error please?

    I recently ran sfc /scannow. It completed without giving me any notifications other than a number of:
    "Files that are required for Windows to run properly must be copied to the DLL cache."
    I was prompted to insert my XP SP3 installation CD and click on 'retry'.
    The scan lasted for around 40 minutes then closed.......at no stage was I advised that it had been unsuccessful.
    When I restarted my computer directly afterwards, half way through booting a 'please wait' appeared, as if something was taking place.
    I thought all had gone well until I looked in Event Viewer later. There are approximately 90 Windows File Protection entries there mostly with the following information:
    The system file ........ could not be copied into the DLL cache. The specific error code is 0x800b0100 [No signature was present in the subject]. This file is necessary to maintain system stability.
    Does anyone know what causes that error and what I need to do to resolve it please?

    Thank you very much for helping.
    I have already tried to run the Microsoft Fix it from there for XP SP3, the os I have>>>>>>>"This troubleshooter does not apply to your system. We're sorry, but this troubleshooter is not compatible with your current system's configuration."
    That was the only Microsoft information I could find on the specific error code I received: 0x800b0100......although the article applies to Microsoft Updates, I thought it might cover this too.
    I have now run SFC three times, but errors still showed in Event Viewer.
    I regularly run Chkdsk, last few times no errors.
    I am actually having my computer checked for malware right now by specialist malware removers......all the malware scans I regularly run have given me the all clear for some time (McAfee Stinger, Hitman Pro, Malwarebytes - MBAM, TDSSKiller) but there has
    been malware on my computer in the past, which was removed (not serious I was told).
    In two of the scans the techs asked me to carry out there are
    hundreds of dll cache entries under
    Files/Folders - Created Within 30 Days on the date I run SFC.
    I am waiting for this to be confirmed, but it looks to me as if SFC was actually successful to a large extent and the entries in Event Viewer are some failures (not all as I previously thought)?
    I also have a serious problem in relation to Microsoft Updates (please see my other question).

  • [svn:fx-trunk] 11999: Fixed: ASC-3889 - Using setting in a for loop causes Verify error

    Revision: 11999
    Revision: 11999
    Author:   [email protected]
    Date:     2009-11-19 11:37:09 -0800 (Thu, 19 Nov 2009)
    Log Message:
    Fixed: ASC-3889 - Using setting in a for loop causes Verify error
    Notes: emit pop after callstatic to a void function to balance the stack.
    Reviewer: jodyer+
    Testing: asc,tamarin,flex checkin tests
    Ticket Links:
        http://bugs.adobe.com/jira/browse/ASC-3889
    Modified Paths:
        flex/sdk/trunk/modules/asc/src/java/macromedia/asc/semantics/CodeGenerator.java

    Blacklisting the ahci module does indeed get rid of the error. Would be nice to figure out why it was conflicting with the ahci module though.
    I have not yet tried the 173xx drivers, but the latest drivers for the Quadro FX 580 are the 256.53 drivers according to nvidia.
    Posted at the nV forums (http://www.nvnews.net/vbulletin/showthread.php?t=155282), so we'll see what they suggest.

  • [svn:fx-trunk] 11530: Fix ASC-3790 ( conditional expression in for loop causes verifier error) r=jodyer

    Revision: 11530
    Author:   [email protected]
    Date:     2009-11-06 13:23:05 -0800 (Fri, 06 Nov 2009)
    Log Message:
    Fix ASC-3790 (conditional expression in for loop causes verifier error) r=jodyer
    Ticket Links:
        http://bugs.adobe.com/jira/browse/ASC-3790
    Modified Paths:
        flex/sdk/trunk/modules/asc/src/java/macromedia/asc/parser/ConditionalExpressionNode.java

  • How to find the cause ofan error at runtime in forms (10g)

    hi
    can u please tell me how to find the cause ofan error at runtime.
    in forms 6i, the shortcut key is shift+f1
    i needthe shotcut key in 10g forms.
    thanx

    or just look in you menu help, -- last error or you can find the list of shortcut keys there ...
    \Erwin

  • The query against the database caused an error in https: site

    Hi
    I have created a new Data source and External content type in sharePoint 2013
    I have also given all the permission to this Content type (including "Users(Windows)")
    I also having edit permission in the Sql-database.
    I have tied almost all the possibilities given in the net for this error.
    still the error("the query against the database caused an error") is there.
    Is this because of "https:/ " in the url?
    Can any one give a suggestion / solution for this?
    Thanks
    S H A J A N

    Hi,
    Can you please check ULS Log as well as event viewer, to see if there's any related error reported?
    Thanks,
    Sohel Rana
    http://ranaictiu-technicalblog.blogspot.com

  • What has caused "data error count"  under execution detail on Audit browser

    Hi,
    I have a simple mapping that load data from external table to target fact table. From OWB Runtime Audit browser, the Execution Details page show the status= Complete + <Red error sign>. And the value under Data error count is 2563. Where can I look for information about what has caused this errors or what the data error are? The SQL*Loader log file looks OK and no bad file generated. And I don't see suspecious under WB_RT_AUDIT*, WB_RT_ERROR tables It's owb9ir2 on 9iDB Thanks.

    Solved. I set the audit level to the highest and re-executed and can see the error msg now. It would be nice if audit broser can show the report for all the rejected rows.

  • How to cause of error ID:M7 Msg.:021 in COGI

    Hi, all!
    I often see the error ID:M7 Msg.:021 "Deficit of BA XX PC: Material code,Plant,Storage location,Batch" in Tr-cd:COGI.
    I tried to cause the same error for test, but I couldn't.
    <My test condition>
    Requirement quantity of production order : 12,000PC
    Inventory in storage location: 800PC
    <Plan>
    Storage
    <Result>
    Best regards,
    Mei

    I'm SO sorry I sent the mail by mistake.
    I sent my problem, again.
    I often see the error ID:M7 Msg.:021 "Deficit of BA XX PC: Material code,Plant,Storage location,Batch" in Tr-cd:COGI.
    I tried to cause the same error for test, but I couldn't.
    <My test condition>
    Requirement quantity of production order : 12,000PC
    Inventory in storage location: 800PC
    <Assumed message>
    800 PC is issued.
    The error message "Deficit of BA 11,200 PC: Material code,Plant,Storage location,Batch" is displayed.
    <Actual message>
    800 PC is issued.
    The error message "Enter Batch".
    How can I cause the error "Deficit~"?
    I've already read the past discussion in SCN,
    All cause seems to relate to inspection status of inventory.
    However, I don't use the inspection status of inventory.
    Thank you for your cooperation in advance.
    Mei

  • Form debugging - Which line is causing the error?

    I have a form that I'm working on, and when I run the form like normal, just as the end user would, I keep getting an error, "FRM-41039: Invalid Alert ID 0." I can't figure out where this error is coming from in my code. It seems that it must have something to do with timing, because in trying to track down the error, when I run the form in debug mode, obviously the timing is slower as I go line-by-line in the code to see which line may be causing the error, but when I do that, I don't get the same error. I'm not close to being an expert when it comes to design-time debugging in forms, and I was wondering if someone with more experience could point me in the right direction. Is there any way that I can somehow determine which line of code is causing this error to raise? If I could identify the line of code, I could maybe find out which alert it's looking for, right? Then I could maybe narrow down the problem a bit more. Anyone have any ideas? Thanks in advance.
    YEX
    <)))><

    Like it says :"FRM-41039: Invalid Alert ID 0." Alert does not exist. So try to find line in your code which contain something like:
    Show_Alert("<name of alert>")
    Or Alert with this name dows not exist or you are misspelling the name of existing Alert.

  • Internet explorer keeps causing runtime error?

    Hi everytime I try to download adobe reader 8.1.2 internet explorer keeps causing runtime error. I'm running vista home basic. Does anyone have any ideas on a solution?

    Hi all. I'm having trouble downloading the new version of Adobe Reader. The error message I'm getting is; "This application has requested the Runtime to terminate it in an unusual way".
    Can anyone help me here?

  • Causing Runtime error

    Hi,
    I am getting the Following runtime error, can u please tell me the cause for this.
    What happened?                                                                                |
    The exception 'CX_WD_CONTEXT' was raised, but it was not caught anywhere along
    the call hierarchy.
    Since exceptions represent error situations and this error was not
    adequately responded to, the running ABAP program
    'CL_WDR_CONTEXT_ELEMENT========CP' has to be
    terminated.
    What can you do?
    Note down which actions and inputs caused the error.
    To process the problem further, contact you SAP system
    administrator.
    Using Transaction ST22 for ABAP Dump Analysis, you can look
    at and manage termination messages, and you can also
    keep them for a long time.
    Error analysis
    An exception occurred which is explained in detail below.
    The exception, which is assigned to class 'CX_WD_CONTEXT', was not caught and
    therefore caused a runtime error.
    The reason for the exception is:
    Element Is Not (or No Longer) Bound to a Node
    Error analysis                                                                                |
    An exception occurred which is explained in detail below.
    The exception, which is assigned to class 'CX_WD_CONTEXT', was not caught and
    therefore caused a runtime error.
    The reason for the exception is:
    Element Is Not (or No Longer) Bound to a Node
    How to correct the error
    If the error occures in a non-modified SAP program, you may be able to
    find an interim solution in an SAP Note.
    If you have access to SAP Notes, carry out a search with the following
    keywords:
    "UNCAUGHT_EXCEPTION" "CX_WD_CONTEXT"
    "CL_WDR_CONTEXT_ELEMENT========CP" or "CL_WDR_CONTEXT_ELEMENT========CM00I"
    "IF_WD_CONTEXT_ELEMENT~GET_INDEX"
    If you cannot solve the problem yourself and want to send an error
    notification to SAP, include the following information:
    1. The description of the current problem (short dump)
    To save the description, choose "System->List->Save->Local File
    (Unconverted)".
    2. Corresponding system log
    Display the system log by calling transaction SM21.
    Restrict the time interval to 10 minutes before and five minutes
    after the short dump. Then choose "System->List->Save->Local File
    (Unconverted)".
    3. If the problem occurs in a problem of your own or a modified SAP
    program: The source code of the program
    In the editor, choose "Utilities->More
    Utilities->Upload/Download->Download".
    4. Details about the conditions under which the error occurred or which
    actions and input led to the error.           
    Information on where terminated
    Termination occurred in the ABAP program "CL_WDR_CONTEXT_ELEMENT========CP" -
    in "IF_WD_CONTEXT_ELEMENT~GET_INDEX".
    The main program was "SAPMHTTP ".
    In the source code you have the termination point in line 4
    of the (Include) program "CL_WDR_CONTEXT_ELEMENT========CM00I".
    Source Code Extract
    Line
    SourceCde
    1
    method if_wd_context_element~get_index .
    2
    3
    if me->node is not bound.
    >>>>>
    raise exception type cx_wd_context exporting textid = cx_wd_context=>element_not_bound.
    5
    endif.
    6
    7
    read table node->collection with key table_line = me transporting no fields.
    8
    assert sy-subrc = 0.
    9
    my_index = sy-tabix.
    |   10|endmethod.                      
    Thanks In advance.
    Mary

    Hi Mary
    It is clearly saying the elements are not bound to the node and you are trying to access the node..
    i.e. you have not binded internal table to the node.
    Abhi

Maybe you are looking for

  • How to upgrade from windows 8.1 --32 bit media to 64 bit media

    Dear Sir, Plz provide a link to upgrade OS fro windows 8.1--32 bit media to 64bit media....in my laptop --64 bit  Reason: since my touchpad is not working at all  Thanks & Regards M.Hanumantha rao 7774034953

  • How do i erase photos that were synced to my new phone from my old phone?

    photos that were saved to my iPhoto, synced onto my new phone and when i try to erase, the trash can button doesn't appear.

  • Standalone Player (Projector) SOL Fails in Vista

    I have a Flash MX application compiled as a Projector to run as a Windows standalone (no browser), but it needs to get data from a server application using sendAndLoad (through plain HTTP). This data must be stored in Shared Local Objects (.sol files

  • Logon Prompt

    Hi I'm having trouble with my crystal report document prompting for a username and password when using a access database connection as the datasourse, the problem is that i don't have a username a password required for the access database so i have n

  • Can I print my calendar and contacts

    Can I print my calendar and contacts?  I have to reset my phone due to a software issue.