Help with regard to flex and flash

Hi
I am a newbie to GUI developement... I would like to create a GUI for my application which is in C for an android platform. I did get a few suggestions which says Adobe Flex is suitable for doing the same. But I am still not clear as to what would be the best tool I can pick on for doing the same. Will flash serve the purpose as well ? I need  a GUI with good animation and look and feel.
Thank you !
Reshma

You can have an inner class. If you have problems using more than one class you are severly limiting yourself.
Are you using JDK 1.4.2 or 1.5
Try this code, you only need one java file.
import java.util.ArrayList;
import java.util.List;
public class SimpleExample {
    public static void main(String[] args) {
        List list = new ArrayList(100);
        for (int n = 0; n < 100; n++) {
            list.add(new Data(n, n * n, n * n * n));
        // add 1 to j and k.
        for (int n = 0; n < 100; n++) {
            Data data = (Data) list.get(n);
            data.j++;
            data.k++;
        // print out all values.
        for (int n = 0; n < 100; n++) {
            System.out.println(n + ": " + list.get(n));
    public static class Data {
        int i, j, k;
        public Data(int i, int j, int k) {
            this.i = i;
            this.j = j;
            this.k = k;
        public Data(String text) {
            String[] nums = text.split(",");
            i = Integer.parseInt(nums[0]);
            j = Integer.parseInt(nums[1]);
            k = Integer.parseInt(nums[2]);
        public String toString() {
            return i + "," + j + "," + k;
}

Similar Messages

  • Immediate help with regards to grouping and decoding

    Hi all
    I have got a problem recently where I was asked whether this can be done using a single SQL statement.
    The table data is from a flat file like this.
    SITE TOOL PROD TOOLPROD
    ABC DEN_01 15 DEN_01
    ABC DEN_01 15 DEN_01|01
    ABC DEN_01 15 DEN_01|02
    ABC DEN_01 15 DEN_01|03
    DEF DE_03 17 DE_03
    DEF DE_03 17 DE_03|07
    DEF DE_03 17 DE_03|08
    and the sumarized result set should look like this from above info i.e grouped by site,tool,prod columns and the last columns toolprod concatenated as shown below. There is lot of data like this and hardcoding cannot be done since there are millions of rows like this.
    ABC DEN_01 15 DEN_01|DEN_01|01|DEN_01|02|DEN_01|03
    DEF DE_03 17 DE_03|DE_03|07|DE_03|08
    Appreciate your help
    Thanx in advance
    Kris

    Sys_connect_by_path is a 9i feature that provides the path from the root to the node in a hierarchical query. For an 8i workaround you can use the folloing hiearchy package by Solomon Yakobson. I know the package works in 8i, because that is what it was designed for and I used it in 8i, but I do not know if it will work in conjunction with the rest of the code, as I do not have 8i to test with anymore, and there were some restrictions as to what you could do with hierarchical queries in 8i. You may have to add some additional nesting of inline views or some such thing.
    scott@ORA92> -- hierarchy package with branch function by Solomon Yacobson
    scott@ORA92> CREATE OR REPLACE
      2   PACKAGE Hierarchy
      3    IS
      4            TYPE BranchTableType IS TABLE OF VARCHAR2(4000)
      5              INDEX BY BINARY_INTEGER;
      6            BranchTable BranchTableType;
      7            FUNCTION Branch(vLevel          IN NUMBER,
      8                      vValue          IN VARCHAR2,
      9                      vDelimiter      IN VARCHAR2 DEFAULT CHR(0))
    10                      RETURN VARCHAR2;
    11            PRAGMA RESTRICT_REFERENCES(Branch,WNDS);
    12  END Hierarchy;
    13  /
    Package created.
    scott@ORA92> CREATE OR REPLACE
      2   PACKAGE BODY Hierarchy
      3    IS
      4            ReturnValue VARCHAR2(4000);
      5    FUNCTION Branch(vLevel          IN NUMBER,
      6                   vValue          IN VARCHAR2,
      7                   vDelimiter    IN VARCHAR2 DEFAULT CHR(0))
      8                   RETURN VARCHAR2
      9       IS
    10       BEGIN
    11            BranchTable(vLevel) := vValue;
    12            ReturnValue := vValue;
    13            FOR I IN REVERSE 1..vLevel - 1 LOOP
    14              ReturnValue := BranchTable(I)|| vDelimiter || ReturnValue;
    15            END LOOP;
    16            RETURN ReturnValue;
    17    END Branch;
    18  END Hierarchy;
    19  /
    Package body created.
    scott@ORA92> select site, tool, prod,
      2           replace (max (hierarchy.branch (level, toolprod)), ',', '|')
      3             as toolprods
      4  from   (select site, tool, prod, toolprod,
      5                row_number () over
      6                  (partition by site, tool, prod
      7                   order by toolprod) as curr,
      8                row_number () over
      9                  (partition by site, tool, prod
    10                   order by toolprod) - 1 as prev
    11            from   your_table)
    12  group  by site, tool, prod
    13  start  with curr = 1
    14  connect by prior curr = prev
    15            and prior site = site
    16            and prior tool = tool
    17            and prior prod = prod
    18  /
    SITE TOOL         PROD TOOLPRODS
    ABC  DEN_01         15 DEN_01 DEN_01|01 DEN_01|02 DEN_01|03
    DEF  DE_03          17 DEN_03 DEN_03|07 DEN_03|08The second solution that I provided, using Tom Kyte's stragg user-defined aggregate function also requires 9i. The third solution with a function specific to the situation should work in 8i though. The following is an addiitional generic option for 8i.
    scott@ORA92> CREATE OR REPLACE FUNCTION concatenate
      2    (p_key_name      IN VARCHAR2,
      3       p_key_value      IN VARCHAR2,
      4       p_col_to_concat  IN VARCHAR2,
      5       p_table_name      IN VARCHAR2,
      6       p_separator      IN VARCHAR2 DEFAULT '|')
      7    RETURN              VARCHAR2
      8  AS
      9    TYPE weak_ref_cur IS REF CURSOR;
    10    v_string          VARCHAR2 (4000);
    11    v_separator         VARCHAR2 (      3) := NULL;
    12    v_value              VARCHAR2 (4000);
    13    v_cur              weak_ref_cur;
    14  BEGIN
    15    OPEN v_cur FOR
    16          'SELECT ' || p_col_to_concat
    17    || ' FROM '   || p_table_name
    18    || ' WHERE '  || p_key_name || ' = :b_key_name'
    19    || ' ORDER BY :b_col_to_concat'
    20    USING p_key_value, p_col_to_concat;
    21    LOOP
    22        FETCH v_cur INTO v_value;
    23        EXIT WHEN v_cur%NOTFOUND;
    24          v_string := v_string || v_separator || v_value;
    25          v_separator := p_separator;
    26    END LOOP;
    27    CLOSE v_cur;
    28    RETURN v_string;
    29  END concatenate;
    30  /
    Function created.
    scott@ORA92> select site, tool, prod,
      2           concatenate ('site || tool || prod',
      3                  site || tool || prod,
      4                  'toolprod', 'your_table') toolprods
      5  from  your_table
      6  group by site, tool, prod
      7  /
    SITE TOOL         PROD TOOLPRODS
    ABC  DEN_01         15 DEN_01|DEN_01|01|DEN_01|02|DEN_01|03
    DEF  DE_03          17 DEN_03|DEN_03|07|DEN_03|08
    scott@ORA92>

  • Scenario of such a Application where  Flex and Flash combination is used

    Hi ,
    I am seeing this a lot in Job portals where the companys are asking for the combination of Flash and Flex . 
    Can anybody please let me know where exactly a combination of such would be required generally .(Means i need a scenario of such a Application where in Flex is used with Flash ) 
    Please help , thanks in advance .

    Hi Kiran,
              Basically flex is invented for developing rich internet applications and adobe introduced flash concepts in flex and flex will run on flashplayer.. so indirectly u are working on flash environment... any u are asking for the perticular scenario...
                           Take one example i.e u have an application that is displaying several photos slide by slide in ur website. (  with some animations and other effects that are not available in flex).. at that time u can go for flash developing.. u need to develop that in flash and import that into ur flex application
                      visit ur Tour the flex web and there in flex4 we have some realtime scenarios where adobe already developed a dashbord to display the world map and the density of adobe site users.. they are using ibm ilogix for dashbord..they developed this components in flash and they have used that component in flex ...we dont have some animations that are available in flash and also u can develop some components in flash and import them into ur flex application as swc format.and u can use them in ur application
                      i think u got my point... for this u want have glance please go through the link below
                   http://www.adobe.com/devnet/flex/tourdeflex/web/
                there u have some dash board applications developed in flex and flash.. check it out ..

  • Help with opening Adobe Reader and downloading updates

    I can not open Adobe .pdf files any longer (this started yesterday, prior to that I could open adobe files).
    When I double click a .pdf file I get this notice on my screen: Windows cannot access the specified device path or file. You may not have the appropriate permission to access file.
    So I went to the Adobe download site to download a new copy of Adobe.  When I start the download I get this on the screen:  The instruction at "0x0e3a0068" referenced memory at "0x0e3a0068."  The memory could not be written.  Then two options are listed: click OK to terminate or cancel to debug.  So I click on cancel and I get this on my screen: Internet Explorer has closed this webpage to help protect your computer.   A malfunctioning or malicious addon has caused I.E. to close this webpage.
    I don't have AVG running, I do have avast but I've disabled it.  I ran Registry Mechanic and an I.E. erasure program but nothing helps.
    I have gone into I.E. and reduced the security level to its lowest state but no joy.
    So, any ideas or suggestions on what's the problem and how to overcome it would be appreciated.  Thanks, in advance, for your reply.  Jim R.

    Hi Mike..tried that as well but no joy.  A friend of mine was looking at it all and noticed that it was an I.E. thing as far as not letting me redownload the reader so I went to Mozilla Firefox and I could download a new version but....whenever I attempt to open a .pdf file I get that message, "Windows can not open the specified device, path or file. You man not have the appropriate permissions to access the item." 
    Damn...this is irritating as I need to get to some of thos files as I need them for a Journal I'm working on as editor-in-chief. 
    It all worked just fine last Saturday but starting Monday when I was on my flight out to D.C.  no joy. 
    Sigh...Jim R.
    Jim R.
    Date: Tue, 1 Dec 2009 14:50:27 -0700
    From: [email protected]
    To: [email protected]
    Subject: Help with opening Adobe Reader and downloading updates
    Under the help menu, there is an option to repair the installation of reader. Did you try that?
    >

  • Problem in creating client side PDF with image using flex and AlivePD

    I need a favor I am creating client side PDF with image using flex and AlivePDF for a web based application. Images have been generated on that pdf but it is creating problem for large size images as half of the image disappeared from that pdf.I am taking the image inside a canvas . How do i control my images so that they come fit on that pdf file for any image size that i take.
    Thanks in advance
    Atishay

    I am having a similar and more serious problem. It takes a
    long time to execute, but even attaching a small image balloons the
    pdf to 6MB plus. After a few images it gets up to 20MB. These are
    100k jpeg files being attached. The resulting PDF is too large to
    email or process effectively. Does anyone know how to reduce
    size/processing?

  • Need help with my iPhone 5 and my Macbook Pro.

    Need help with my iPhone 5 and my Macbook Pro.  I was purchased some music on itunes at my mac. Some reason I deleted those music from both on Mac and iPhone 5.  Today, I went to my iPhone iTunes store inside of iCloud to redownload my puchased. But those song won't able to sync back to my iTunes library on my Mac.  Can anyone help me with that ??....
    iPhone 5, iOS 6.0.1

    You've posted to the iTunes Match forum, which your question does not appear to be related to. You'll get better support responses by posting to either the iTunes for Mac or iTunes for Windows forum. Which ever is more appropriate for your situation.

  • Barbara Brundage, can you help with PS Elements 11 and Epson R2000 printer issue?

    Seeking help with PS Elements 11 which does not work with Epson r2000 printer.  Epson tech support could not fix, said it is PS e11 problem.  Receive prompt on PS e11 screen when I try to print stating "not compatible or settings are not correct.  Have set PS to manage color and printer manages color to off.  Would appreciate any suggestions.  Thank you.

    Hi,
    Sincerely appreciate your help.  Running Windows 7 on a  Dell XPS420.  System has been very stable for years.  Before purchasing the Epson r2000, I owned an r1800 which was an excellent printer but after seven years started to exhibit paper feed problems.  The r1800 worked with all applications and I was well satisfied with the saturation, contrast, etc. printing mostly 8x10 and 11x17 prints. 
    Thank you for the information about the # of installs for PS E11, will try uninstall/reinstall this morning.
    Will let you know how things go.
    Richard
    Date: Thu, 12 Sep 2013 19:47:38 -0700
    From: [email protected]
    To: [email protected]
    Subject: Barbara Brundage, can you help with PS Elements 11 and Epson R2000 printer issue?
        Re: Barbara Brundage, can you help with PS Elements 11 and Epson R2000 printer issue?
        created by Barbara B. in Photoshop Elements - View the full discussion
    What operating system are you using?
         Please note that the Adobe Forums do not accept email attachments. If you want to embed a screen image in your message please visit the thread in the forum to embed the image at http://forums.adobe.com/message/5678022#5678022
         Replies to this message go to everyone subscribed to this thread, not directly to the person who posted the message. To post a reply, either reply to this email or visit the message page: http://forums.adobe.com/message/5678022#5678022
         To unsubscribe from this thread, please visit the message page at http://forums.adobe.com/message/5678022#5678022. In the Actions box on the right, click the Stop Email Notifications link.
         Start a new discussion in Photoshop Elements by email or at Adobe Community
      For more information about maintaining your forum email notifications please go to http://forums.adobe.com/message/2936746#2936746.

  • If I set Firefox as my default web browser, the help links on Adobe Dreamweaver and Flash's welcome screens don't connect to the help pages on Adobe's site. It just links to Firefox's start page and stops. The links work properly if Safari is set to the d

    If I set Firefox as my default web browser, the help links on Adobe Dreamweaver and Flash's welcome screens don't connect to the help pages on Adobe's site. It just links to Firefox's start page and stops. The links work properly if Safari is set to the default browser. Please help.
    == URL of affected sites ==
    http://www.adobe.com

    Hello,
    Many site issues can be caused by corrupt cookies or cache. In order to try to fix these problems, the first step is to clear both cookies and the cache.
    Note: ''This will temporarily log you out of all sites you're logged in to.''
    To clear cache and cookies do the following:
    #Go to Firefox > History > Clear recent history or (if no Firefox button is shown) go to Tools > Clear recent history.
    #Under "Time range to clear", select "Everything".
    #Now, click the arrow next to Details to toggle the Details list active.
    #From the details list, check ''Cache'' and ''Cookies'' and uncheck everything else.
    #Now click the ''Clear now'' button.
    Further information can be found in the [[Clear your cache, history and other personal information in Firefox]] article.
    Did this fix your problems? Please report back to us!
    Thank you.

  • New help with my mac air and airport extreme time capsule dont know how to save to time capsule and use as a external hd

    new help with my mac air and airport extreme time capsule dont know how to save to time capsule and use as a external hd would like 2 store my home videos and pictures on the time machine (ONLY) as the MAC AIR has storage space limited space please help. THANK YOU.

    See the info here about sharing or using the TC for data.
    Q3 http://pondini.org/TM/Time_Capsule.html
    It is extremely important you realise.. the Time Capsule was never designed for this.
    It is a backup target for Time Machine.. that is the software on the computer that does backups.. it has no direct connection to the Time Capsule.
    It has no ability to back itself up.. unlike all other NAS in the market. It is therefore likely one day you will lose all your files unless you seriously work out how to backup.
    The TC is slow to spin up the hard disk and fast to spin down. iTunes and iPhoto will continually lose connection to their respective libraries.
    iPhoto in particular is easy to corrupt when you move photos over wireless into the library.. once corrupted all is corrupt. A single photo will ruin it all.. so backup is utterly essential.
    Time Machine cannot do backups of network drives. ie the TC. You will need a different backup software like CCC. You will then need another target to backup to..

  • Help with video in Flex - Alternative to embedding .flv?

    I'm building a Flex application that needs to play a video, which I have in .flv format.  I tried the mx:VideoDisplay component, and it was great, but, unfortunately, I need to be able to package the entire application into a single file, and Flex doesn't support embedding .flv files.  Next I tried converting the .flv to a .swf, embedding that, then using mx:SWFLoader to display it.  This worked, except that I can no longer control the video playback; the video just keeps endlessly looping.  I need to be able to stop the video, and ideally I would like access to something like the complete event from mx:VideoDisplay, so that I can hide the video when it has reached the end.
    I have tried a couple of solutions based around the idea that the content of the .swf can be treated as a MovieClip, but none of these worked for me.  Any ideas?

    Hi, Keith Lee -
    I'm sorry that I cannot help with your problem, but I'm posting a few URLs that may perhaps help - 
    Working with video: http://help.adobe.com/en_US/as3/dev/WS5b3ccc516d4fbf351e63e3d118a9b90204-7e1a.html
    Getting started with stage video: http://www.adobe.com/devnet/flashplayer/articles/stage_video.html
    Stage video articles and tutorials: http://www.adobe.com/devnet/flashplayer/stagevideo.html
    ActionScript reference: http://help.adobe.com/en_US/FlashPlatform/reference/actionscript/3/flash/media/StageVideo. html
    Thanks,
    Mallika Yelandur
    Adobe Community Help & Learning

  • Error creating files. Compilation failed... when publishing iOS app with AIR 3.1 and Flash 11.5.1

    Hello, I'm running Windows 7. I'm using Flash 11.5.1 (that's CS5.5 updated once) and AIR 3.1 to make an iPhone app.
    I can export the app perfectly fine with either Ctrl+Enter or F12.
    I added all the required things with AIR for iOS settings, such as a p12 certificate and icon files.
    I then hit publish. After I hit publish, I got this error:
    Error creating files.
    Compilation failed...
    I tried dragging the window to see if there was anything hidden behind the elipses. What can I do to fix this problem?

    note sure if I'm much help other than to CONFIRM it is working for me by using the sdk WITHOUT the compiler. Check out adobe's little note: "Note : Flex users will need to download the original AIR SDK without the new compiler."
    I am using FB 4.7 with AIR 3.6 and seems to compile correctly for iOS.
    Maybe try reinstalling flash builder?
    I honestly don't know if the JRE has anything to do with it... I'm using 1.7 ....to see what JRE you're using, open the Java Control Panel (I right click my java orange icon and hit properties), select the Java tab, then hit "View..."

  • Help with RFC sender, Program And RFC Destination

    Hi!!
    my scenary is asynchronous
         RFC Sender -> SAP-XI -> Oracle reciever
    I have a problem with abap, especially rfc, program and rfc destination. The connection with SAP-XI exist and SAP-XI  receive the message but the message is empty.
    1. In my program on the line
              CALL FUNCTION 'ZBAPI_SD_PED_ORD_SERVIC' DESTINATION 'ZXI_ENVIAR_PED_ORD_SERVIC'
              catch an error system_failure = 2 and it dont execute the rfc ZBAPI_SD_PED_ORD_SERVIC
    2. I rewrite my program, that line to
              CALL FUNCTION 'ZBAPI_SD_PED_ORD_SERVIC' STARTING NEW TASK 'NEW' DESTINATION 'ZXI_ENVIAR_PED_ORD_SERVIC'
              catch an error communication_failure = 1 but the rfc ZBAPI_SD_PED_ORD_SERVIC is executed but no send to SAP-XI
    3. I rewrite my program, that line to
              CALL FUNCTION 'ZBAPI_SD_PED_ORD_SERVIC' IN BACKGROUND TASK DESTINATION 'ZXI_ENVIAR_PED_ORD_SERVIC'
              No error but it dont execute the rfc ZBAPI_SD_PED_ORD_SERVIC and the message in SAP-XI is empty, display the tables but not the row. i check the table PED_ORDEN and RETURN but the controls fields dont are afected.
    What is my Error?
    Where am i making a mistake?
    RFC
    FUNCTION zbapi_sd_ped_ord_servic.
    *"Interfase local
    *"  TABLES
    *"      PED_ORDEN STRUCTURE  ZSD_RFC_T04
    *"      RETURN STRUCTURE  ZSD_RFC_R06
      TABLES: zsd_ped_orden, zsd_rfc_r01.
      DATA: tb_ped_orden LIKE zsd_ped_orden  OCCURS 0 WITH HEADER LINE,
                     tb_rfc_orden_error LIKE zsd_rfc_r01 OCCURS 0 WITH HEADER LINE.
    *Get Pedido by Ordenes
      SELECT  *  INTO CORRESPONDING FIELDS OF TABLE tb_ped_orden
              FROM zsd_ped_orden
              WHERE estatus  EQ  space.
      LOOP AT tb_ped_orden.
        MOVE-CORRESPONDING tb_ped_orden TO ped_orden.
        APPEND ped_orden.
        tb_ped_orden-estatus = 'X'.
        tb_ped_orden-fecha_actualiz = sy-datum.
        tb_ped_orden-hora_actualiz = sy-uzeit.
        MODIFY tb_ped_orden.
      ENDLOOP. 
      MODIFY  zsd_ped_orden FROM TABLE tb_ped_orden.
      COMMIT WORK.
    *Errors in Ordenes
      SELECT  *  INTO CORRESPONDING FIELDS OF TABLE tb_rfc_orden_error
              FROM zsd_rfc_r01
              WHERE estatus  EQ  space.
      LOOP AT tb_rfc_orden_error.
        MOVE-CORRESPONDING tb_rfc_orden_error TO return.
        APPEND  return.
        tb_rfc_orden_error-estatus = 'X'.
        tb_rfc_orden_error-fecha_actualiz = sy-datum.
        tb_rfc_orden_error-hora_actualiz = sy-uzeit.
        MODIFY tb_rfc_orden_error.
      ENDLOOP.
      MODIFY  zsd_rfc_r01 FROM TABLE tb_rfc_orden_error.
      COMMIT WORK.
    ENDFUNCTION.
    PROGRAM
    REPORT  ZBAPI_SD_PED_ORD_SERVIC.
    DATA: ped_orden LIKE ZSD_RFC_T04 OCCURS 0 WITH HEADER LINE,
          return LIKE ZSD_RFC_R06 OCCURS 0 WITH HEADER LINE.
    CALL FUNCTION 'ZBAPI_SD_PED_ORD_SERVIC' DESTINATION 'ZXI_ENVIAR_PED_ORD_SERVIC'
         TABLES
              ped_orden             = ped_orden
              return                = return
      EXCEPTIONS
        communication_failure = 1
        system_failure        = 2
        OTHERS                = 3.
    IF sy-subrc <> 0.
      MESSAGE 'error' type 'I'.
    ENDIF.
    COMMIT WORK.
    RFC DESTINATION
    RFC Destination: ZXI_ENVIAR_PED_ORD_SERVIC
    Connection TYpe: TCP/IP Connection
    Register Server Program: ZBAPI_SD_PED_ORD_SERVIC
    Gateway host: host00
    Gateway service: sapgw00

    hi
    For rfc sender adapter we hv to do some settings .Please chk whether this settings are well configured or not.
    a) RFC destination
    b) RFC channel in the XI directory
    This weblog is a response to a few question about the basic configuration of the RFC sender adapter
    that were posted on the XI forum (and also on my e-mail)
    So here we go, basically we have to configure 2 things:
    a) RFC destination
    b) RFC channel in the XI directory
    RFC destination:
    1. To create the RFC go to TCODE: SM59
    2. Create new destination of type T (TCP/IP)
    3. Make sure you select Registered Server Program option before writing your program ID
    4. Write you program ID (remember it's case-sensitive)
    5. In the gateway host and gateway service write the values of your "Application system" - business system (not the XI server)
    7. No configuration in the J2EE administrator nessecary
    Now we can proceed to RFC channel configuration:
    1. Enter your Application Server
    2. Your Application Server Service
    3. Enter your Program ID from the RFC destination
    And we're done:)
    Now you can test the RFC destination in SM59 to see if it works.
    Please chk this following link.
    1. RFC Processing with the RFC Adapter
    http://help.sap.com/saphelp_nw04/helpdata/en/25/76cd3bae738826e10000000a11402f/content.htm
    2. Configuring the Sender RFC Adapter -
    http://help.sap.com/saphelp_nw04/helpdata/en/67/6d0540ba5ee569e10000000a155106/content.htm
    3.  /people/swaroopa.vishwanath/blog/2006/12/28/send-rfc-to-sap-xi-150-asynchronous
    regards
    Manas

  • Need Help With Video In Flex Mobile

    Hi,
    I have been searching quite a bit for information on this and have found really nothing useful for my problem. So far, I've converted the actionscript code posted here: http://www.adobe.com/devnet/flash/articles/osmf-media-player.html
    to work within my ios mobile project. The problem is that no matter what I have tried, I can hear the video but not see it. That codes uses the OSMF framework, which uses StageVideo I think, so I've tried setting the application background alpha to 0 as has been posted about; still no video though. The project is also set to use direct rendering. I've even tried some bare bones AS code to implement the StageVideo, as others have posted here, but still same thing. So can anyone either show me a working example or provide any suggestions on what I might be doing wrong?
    thanks

    Hi, Keith Lee -
    I'm sorry that I cannot help with your problem, but I'm posting a few URLs that may perhaps help - 
    Working with video: http://help.adobe.com/en_US/as3/dev/WS5b3ccc516d4fbf351e63e3d118a9b90204-7e1a.html
    Getting started with stage video: http://www.adobe.com/devnet/flashplayer/articles/stage_video.html
    Stage video articles and tutorials: http://www.adobe.com/devnet/flashplayer/stagevideo.html
    ActionScript reference: http://help.adobe.com/en_US/FlashPlatform/reference/actionscript/3/flash/media/StageVideo. html
    Thanks,
    Mallika Yelandur
    Adobe Community Help & Learning

  • Help with MIRO Badi's and Translation Date (Exchange Rate Date Reference)

    Dear experts
    This is a problem I have read a lot about, but none of the answers work properly and I wanted to create a new thread in order to try to compile a final answer for this problem (at least in version 6.0)
    As you know Standar SAP uses posting date as translation date in MIRO for foreign currency.
    This is not always true (imagine Crude Imports with 3 dates: Invoice date, posting date and Bill of Lading date. The last one happens to be the fiscal date for exchange rate in my county and the other two are also mandatory).
    I am proposing thus to use 3 dates: Document date as invoice date; posting date as posting date and Invoice Receipt Date
    (REINDAT - RBKP) as Bill of Lading date. I would like to implement this third date as translation date.
    Lot of ways to do it, but none works properly as for the end user it is complicated to enter data in a certain way so that BADI's work properly. I have implemented note 574583 and only works with some restrictions.
    I have also used some more BADI's like MRM_HEADER_CHECK, FI_TRANS_DATE_DERIVE, INVOICE_UPDATE,... and all of them have some restrictions (depending always in data header taps data introduction or saving the exchange rate properly in MM TABLES but not in FI TABLES).
    I would really appreciate if anyone could help with this, ensuring that the Badi get's always the data and makes it work with no screen selection dependance.
    Thanks in advance.

    Dear All,
    I have found the solution with the help of ABAPer. The system has a bug for which SAP has given a  Sap Note no 22781.
    Actually what happened in the Invoice is, the system by default fetched the exchange rate for the Exchange Rate Type 'M' for the rate last maintained. Since we were using different Exchange rate it did not match. Also we came to know about the difference only because off-late the users had stopped updating Exchange Rate 'M' .
    The funny part is in the Invoice if we click on each tab at the header and come back to the first tab where we find the Exchange rate for accounting, the system picks up the actually rate as per the Exchange Rate maintained.
    Regards,
    Karthik.

  • Please help with a tutorial on Abode Flash

    Have been using abode photoshop for years. Downloaded flash each time it tells me to upgrade, but never used it. would dearly love to use it in my new website.
    Can someone tell me how to access it on my computer. I dont have an icon of flash that specifically says Flash, unlike photoshop and reader. Although it see that is installed on the computer, how to access it.
    Obviously I am not not savy, but would love help.
    Many thanks
    Debby

    Hi Debby and Tony,
    Are you referring to Adobe Flash Pro or Adobe Flash Player?
    Adobe Flash is a multimedia and software platform used for authoring of vector graphics, animation, games and rich Internet applications (RIAs) that can be viewed, played and executed in Adobe Flash Player. Flash is frequently used to add streamed video or audio players, advertisement and interactive multimedia content to web pages.
    Flash manipulates vector and raster graphics to provide animation of text, drawings, and still images. It allows bidirectional streaming of audio and video, and it can capture user input via mouse, keyboard, microphone and camera. Flash applications and animations can be programmed using the object-oriented language called ActionScript. Adobe Flash Professional is the most popular and user-friendly authoring tool for creating the Flash content, which also allows automation via the JavaScript Flash language (JSFL).
    You can download the trial version of Adobe Flash Pro from : https://creative.adobe.com/products/flash
    Tutorials
    http://www.adobe.com/accessibility/products/flash/tutorial.html
    http://tv.adobe.com/videos/flash-tutorial/
    Adobe Flash Player is the standard for delivering high-impact, rich Web content. Designs, animation, and application user interfaces are deployed immediately across all browsers and platforms, attracting and engaging users with a rich Web experience
    Flash Player is a free software and you can fownload it from http://get.adobe.com/flashplayer

Maybe you are looking for

  • I updated my iPod touch to iOS 6 and now my App Store doesn't even work

    Can someone tell me if this will be fixed or just give up trying to buy apps or songs because I don't have time to deal with something that constantly turns blank and shuts down the stores.

  • Printing ICC Profile Targets

    Can you use Aperture to print printer profile targets without any colour management. Maybe I'm missing something but I cannot see how this can be done. If this has already been answered can you point me in the right direction cannot find anything mys

  • CC installation stops searching file server at 2%

    Hi I try to update the newest version, but the installation stops at 2% with the message "searching server'. PC W78 is connected to internet. Did relaunch, but no change. This since 2 days now Thanks for your help

  • Inviting customer to Business Catalyst

    We have created a website using Adobe Muse. It is hosted on Business Catalyst. When we try to invite in our customer, we keep getting an error message. See below. It is a consistent problem. Hoping to hear from you soon!

  • PHP/MySQL versions needed?

    I have been using php 4.3.11 and MySql 4.0.15 on a Mac G5 with Deamweaver 8, I just upgraded to CS 3 and got a new Intel MacBook and just put PHP 5 on it, but what version of MySql is recommended? I put on Mysql 5, but could not get it to work, and a