Tables in Flash

Hi,
I want to know if there is any way we could create tables in
Flash 8 and assign different colors to different tables.I want to
do this for my website,but no way.The only way i figured out is to
design a rectangle with the desired color,place it on a different
layer and under the text which i want it to appear under.
But this is not how i want to design.I want to know to
design it in a similar fashion as we do it in Dreamweaver or
something similar to that.I would surely appreciate all the help i
can get in this regard. Thank you in advance.

It would depend on what you are trying to achieve. The method
you suggest
would work just fine for a graphical interface. If you want
to display data
in a table type grid, use the datagrid component.
Dreamweaver is a html editor that writes the html code that
will be rendered
in the browser. Flash is used to develop interactive
graphics. If you want
a rectangle around something, you just draw it.
Dan Mode
--> Adobe Community Expert
*Flash Helps*
http://www.smithmediafusion.com/blog/?cat=11
*THE online Radio*
http://www.tornadostream.com
*Must Read*
http://www.smithmediafusion.com/blog
"Rocky9" <[email protected]> wrote in
message
news:em71kd$hjg$[email protected]..
> Hi,
> I want to know if there is any way we could create
tables in Flash 8
> and
> assign different colors to different tables.I want to do
this for my
> website,but no way.The only way i figured out is to
design a rectangle
> with the
> desired color,place it on a different layer and under
the text which i
> want it
> to appear under.
> But this is not how i want to design.I want to know to
> design
> it in a similar fashion as we do it in Dreamweaver or
something similar to
> that.I would surely appreciate all the help i can get in
this regard.
> Thank
> you in advance.
>

Similar Messages

  • Tables In Flash? Possible?

    Can someone please tell me if its possible to create a table
    in Flash, as I haven't seen it. I'm not quite the professional when
    it comes to Flash so I thought I'd ask in case I'm missing
    something. I'm using Flash 8 Professional?

    tables in flash? no - they don't exist - to be honest because
    nobody wants or needs them - flash is
    a completely different kind of tool and if you understand
    Flash you would know there's no place for
    tables in flash - that would be very counter-intuitive.
    Tables are somewhat clumsy and limiting -
    flash is much freer. it would be like sticking a banana in
    the exhaust of a lamborghini.Why do you
    want this? Are you limited in Flash without tables?
    --> **Adobe Certified Expert**
    --> www.mudbubble.com
    --> www.keyframer.com
    pazzi wrote:
    >
    quote:
    Originally posted by:
    sprecks1
    > Can someone please tell me if its possible to create a
    table in Flash, as I
    > haven't seen it. I'm not quite the professional when it
    comes to Flash so I
    > thought I'd ask in case I'm missing something. I'm using
    Flash 8
    > Professional?
    > one solution for creating tables in flash is to use
    "Text format tag
    > (<textformat>) with tabstops" instead
    > here is the URL from LiveDocs documentation:
    >
    >
    http://livedocs.macromedia.com/flash/mx2004/main_7_2/wwhelp/wwhimpl/common/html/
    > wwhelp.htm?context=Flash_MX_2004&file=00001040.html
    >
    >
    http://livedocs.macromedia.com/flash/mx2004/main_7_2/wwhelp/wwhimpl/common/html/
    >
    wwhelp.htm?context=Flash_MX_2004&file=00001847.html#4009525
    >
    >
    >

  • Table cell flashing

    Hi,
    Before I start to hack away a solution that might not be fx-like, I'd like to get your expert opinion about implementing cell flashing for a table view.
    I have done this several times in Swing (using a timer, a customer renderer, switching the bg/fg colors 3 times, and firing up an even table cell update), but how do implement this feature in JavaFX?
    * The table cell renderer (override def call (...)) could be used
    * The bg/fg color switch can be done using different css styles
    * what would be the best way to implement the timer and ask the view to "repaint" a specific cell?
    Thx v much

    Below is a bit of code that does something like what you want (the port to groovy should be easy). It may need some testing/tweaking for a real scenario and I'm not sure just how many animated cells you could have going at a time before performance becomes an issue (maybe someone from the JFX team could comment on this?).
    Also, regarding the use of styles for animating the change, you should be aware of this: Removing CSS style classes?
    Basically you need to make sure your 'default' style has values set for everything your 'highlight' style messes with, otherwise the highlight won't get turned off.
    import javafx.animation.FadeTransition;
    import javafx.animation.Timeline;
    import javafx.application.Application;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.scene.Scene;
    import javafx.scene.control.Label;
    import javafx.scene.control.TableCell;
    import javafx.scene.control.TableColumn;
    import javafx.scene.control.TableView;
    import javafx.scene.control.cell.PropertyValueFactory;
    import javafx.scene.layout.BorderPane;
    import javafx.stage.Stage;
    import javafx.util.Callback;
    import javafx.util.Duration;
    public class TestApp extends Application
        public static void main(String[] args)
            Application.launch(args);
        @Override
        public void start(Stage stage) throws Exception
            BorderPane root = new BorderPane();
            TableView<Person> table = new TableView<Person>();
            table.getItems().addAll(
                    new Person("Cathy", "Freeman"),
                    new Person("Albert", "Namatjira"),
                    new Person("Noel", "Pearson"),
                    new Person("Oodgeroo", "Nooncal")
            TableColumn<Person, String> firstNameCol = new TableColumn<Person, String>("First Name");
            firstNameCol.setCellValueFactory(
                    new PropertyValueFactory<Person, String>("firstName")
            table.getColumns().add(firstNameCol);
            TableColumn<Person, String> lastNameCol = new TableColumn<Person, String>("Last Name");
            lastNameCol.setCellValueFactory(
                    new PropertyValueFactory<Person, String>("lastName")
            lastNameCol.setCellFactory(new Callback<TableColumn<Person, String>, TableCell<Person, String>>()
                public TableCell<Person, String> call(TableColumn<Person, String> column)
                    final FlashingLabel label = new FlashingLabel();
                    label.setStyle("-fx-background-color: #ffaaaa");
                    TableCell<Person, String> cell = new TableCell<Person, String>()
                        protected void updateItem(String value, boolean empty)
                            super.updateItem(value, empty);
                            label.setText(value);
                            label.setVisible(!empty);
                    cell.setGraphic(label);
                    return cell;
            table.getColumns().add(lastNameCol);
            root.setCenter(table);
            Scene scene = new Scene(root, 800, 600);
            scene.getStylesheets().add("styles.css");
            stage.setScene(scene);
            stage.show();
        public class FlashingLabel extends Label
            private FadeTransition animation;
            public FlashingLabel()
                animation = new FadeTransition(Duration.millis(1000), this);
                animation.setFromValue(1.0);
                animation.setToValue(0);
                animation.setCycleCount(Timeline.INDEFINITE);
                animation.setAutoReverse(true);
                animation.play();
                visibleProperty().addListener(new ChangeListener<Boolean>()
                    public void changed(ObservableValue<? extends Boolean> source, Boolean oldValue, Boolean newValue)
                        if (newValue)
                            animation.playFromStart();
                        else
                            animation.stop();
        public class Person
            private String firstName;
            private String lastName;
            private Person(String firstName, String lastName)
                this.firstName = firstName;
                this.lastName = lastName;
            public String getFirstName()
                return firstName;
            public String getLastName()
                return lastName;
    }

  • Urgent! HTML table cell - Flash movie display browser dependent

    Hi all,
    I wonder if anyone has experienced the same problem i have
    (note, Windows XP, Dreamweaver 4).
    Consider the (rough) HTML code attached: A simple HTML table
    of one column and two rows is constructed to hold an image banner
    link and a Flash movie banner link in each cell consecutively.
    The Flash movie works normally when the HTML page is viewed
    in IE and Opera, until that is, it is placed inside a table cell.
    Inside the cell the flash movie seems to disappear, though i
    suspect it collapses to an image 1 pixel in height, as this can
    just about be seen using Opera.
    Is there something that I am missing? The code of course
    seems correct to me - perhaps there is a browser setting i am
    missing?
    Any help apprceiated - as i need to implement this code ..
    Daz

    Hi Alan,
    Dont think that was the problem (percentages used to scale to
    users browser?) ... though you did set me thinking!
    Was tired before, so only just remembered that when i was
    experimenting with setting the Table Properties the image was
    actually occasionally visible!!
    Short version: When formatting a cell containing a Flash
    animation dont leave the H field blank or use % (even though you're
    suppose to be able to!), use pixels instead - otherwise the Flash
    image collapses/disappears. Blank and % are fine everywhere else
    (I did type a long answer before, but it got eaten by the
    forum monster
    Someone/i will probably figure out
    why this is so or maybe i've just rediscovered the wheel
    here - but thats not really important now - because my Flash
    animation now renders similarly across IE, Opera and FireFox !!
    So thanks for your help!
    Daren

  • Tablas en Flash

    Saludos,
    Es posible meter tablas en una pelicula de Flash ?
    Gracias
    David Lara
    www.himmeros.com
    212.761.98.26 - 0414.230.43.20

    Y para qu� las quieres?
    "David Lara" <[email protected]> escribi� en el
    mensaje
    news:eb0ko0$s3$[email protected]..
    > Saludos,
    >
    > Es posible meter tablas en una pelicula de Flash ?
    >
    > Gracias
    >
    > --
    > ______________________________
    > David Lara
    > www.himmeros.com
    > 212.761.98.26 - 0414.230.43.20
    >
    >

  • Table in flash that auto populates..possible ?

    Hi,
    In my scrollpane I need a table that has rows to suit the number of rows in an excel table from which it will draw its data via xml. If I draw a table it will be good as long as no one adds more rows to excel than I anticipated. This table will have three columns, text in the second column is hyperlinked as are the buttons of the third column.
    How is this table that grows or even shrinks to suit changes in the excel file source done ?
    Envirographics

    If you need to have it look like a bordered table I would make a movieclip of a row and dynamically add as many as were needed for the data loaded.
    If you don't need to fuss with borders , then you could just add a row of 3 textfields dynamically.

  • Restore table through flash back

    Hello,
    How can i restore the table if we don't have flashback on the database.
    db=10g
    OS=aix
    Regards,
    JAM

    undo_retention does not have any relation to undrop the table , nor flashback log has any relation to undrop the table , to undrop the table there is one logical container which is "Recycle Bin" , you can restore any dropped table unless and until you have not purge this table and there is no preallocated space set aside for the Recycle Bin.This makes the Recycle Bin space dependent on the space available in the existing tablespaces.
    There is no guaranteed timeframe for how long an object will be stored in the Recycle Bin.The time is determined by system activity that impacts space utilization.
    Please do not compare an orange to apple.
    If you wana use flashback table with the means of flashback log then be ready for flashback all yours objects within database , flashback log is for a broad spectrum to rewind the database not for a restoring a pitty table.
    Khurram

  • Moved cd player to diff.shelf w/o removing discs,now door won't open,table won't turn,light flashes

    Relocated without removing discs from large CD player,now door won't open, table won't turn and the light inside in center of table just flashes. Any suggestions as to can I fix this?

    Follow the procedure below to troubleshoot this issue.
    Turn off the disc player.
    Unplug the power cord from the AC outlet.
    Ensure nothing is blocking the tray from opening or closing.
    Let the disc player remain without power for approximately one minute.
    Plug the power cord back into the AC outlet.
    Turn on the disc player.
    Attempt to open or close the disc drawer or tray.
    If the issue is not resolved after completing all of the troubleshooting steps, service will be required . 
    If my post answers your question, please mark it as "Accept as Solution"

  • After installing Radeon Graphics drivers on Windows 8 Flash player and Adobe Flash Pro didn't re-ins

    Hi,
    On a Windows 8 Pro desktop I recently installed Flash Pro and it seemed to work great.   Also Flash Player was working great as well.  But I noticed on Adobe  Photoshop CS6 that the 3d controls were not working.  So I installed the the Radeon Graphics AMD Catylyst Control series for an onder 4800 series graphics card.   Has anyone else had problems with 4800 series AMD ATI video cards?  Any suggestions after reviewing the tables below?
    I then noticed that the 3d controls in Adobe Photoshop worked great. But...
    Later, however, I noticed that Flash Play would green screen on some videos in IE10.  So I tried to follow the Flash Player repair procedure such as remove checkbox on Active X Filter,  Adding Compatibility mode without success in IE so I installed Mozilla Fire Fox and re-installed flash player etc... which worke don Mozilla but not IE10.  So I'm thinking this new software from AMD caused several problems to occur and not sure how to fix them. I still want 3d controls on my video card and now I'm thinking about starting a fresh install before installing Adobe software with a new NVidia card or a trusted AMD ATI card because this legacy 4800 doesn't seem to be cutting. 
    Here is my system settings and after this table are the errors I got upon reinstalling Flash pro.    Note: These were not critical errors so I was still able to run Flash Pro.  I was never able to run Flash Player on IE10 after upgrading my video card software (Catalyst Control Center).   However Flash Player does seem to work great on Mozilla Firefox after re-installing Adobe Flash.   When I try to install Flash Player in IE10 I get a title screen of "Update Flash" with no content whatsover.
    TABLE 1 -  OS settings  and Hard Ware
    OS Name Microsoft Windows 8 Pro
    Version 6.2.9200 Build 9200
    Other OS Description  Not Available
    OS Manufacturer Microsoft Corporation
    System Name XxXxXxXx
    System Manufacturer Gigabyte Technology Co., Ltd.
    System Model UD3R-SLI
    System Type x64-based PC
    System SKU
    Processor Intel(R) Core(TM) i7 CPU         940  @ 2.93GHz, 2931 Mhz, 4 Core(s), 8 Logical Processor(s)
    BIOS Version/Date Award Software International, Inc. F9, 3/11/2010
    SMBIOS Version 2.4
    Embedded Controller Version 255.255
    BIOS Mode Legacy
    BaseBoard Manufacturer Gigabyte Technology Co., Ltd.
    BaseBoard Model Not Available
    BaseBoard Name Base Board
    Platform Role Desktop
    Secure Boot State Unsupported
    PCR7 Configuration Binding Not Possible
    Windows Directory C:\Windows
    System Directory C:\Windows\system32
    Boot Device \Device\HarddiskVolume1
    Locale United States
    Hardware Abstraction Layer Version = "6.2.9200.16442"
    TABLE 2 - Flash Pro install errors
    Exit Code: 6
    Please see specific errors and warnings below for troubleshooting. For example,  ERROR: DF012, DF024 ... WARNING: DF054, DW066 ...
    WARNING: DW066: OS requirements not met for {9E0AF030-AC6B-11E0-8837-00215AEA26C9} Microsoft Visual C++ 2010 Redistributable Package (x86) 10.0.40219.1
    WARNING: DW066: OS requirements not met for {9AB0EFC0-AC6B-11E0-9E61-00215AEA26C9} Microsoft Visual C++ 2005 Redistributable Package (x86) 6.0.2900.2180
    WARNING: DW066: OS requirements not met for {B2579A74-F4AA-40B1-B47A-E73BA173EC8C} Camera Profiles Installer_7.3_AdobeCameraRawProfile7.0All 7.3.0.0
    WARNING: DW066: OS requirements not met for {539AEF15-3A2B-4A31-A587-7E90F7D9C700} Camera Profiles Installer 7.0.0.0
    WARNING: DW066: OS requirements not met for {354D20E6-A25F-4728-9DA6-C9003D8F2928} Adobe Player for Embedding 3.3 3.3.0.0
    WARNING: DW066: OS requirements not met for {DE88AA40-6766-43D3-A755-8FC374B3D2C3} DynamiclinkSupport 6.0.0.0
    WARNING: DW066: OS requirements not met for {B8ADDCBD-30D9-4366-AE25-089CEF76C8E1} Suite Shared Configuration CS6 3.0.0.0
    WARNING: DW066: OS requirements not met for {9254D539-549A-41DD-A7DA-251766F2B76F} Adobe Player for Embedding x64 3.3 3.3.0.0
    WARNING: DW066: OS requirements not met for {E8B1DAAA-0B6B-44E6-A2D3-8E418EA0EA85} AdobeCMaps CS6
    4.0.0.0
    WARNING: DW066: OS requirements not met for {99290358-A784-4218-A7BA-954AE5F9207C} AdobeCMaps x64 CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {92D58719-BBC1-4CC3-A08B-56C9E884CC2C} Microsoft_VC80_CRT_x86 1.0.0.0
    WARNING: DW066: OS requirements not met for {08D2E121-7F6A-43EB-97FD-629B44903403} Microsoft_VC90_CRT_x86 1.0.0.0
    WARNING: DW066: OS requirements not met for {9C4AA28F-AC6B-11E0-8997-00215AEA26C9} Microsoft Visual C++ 2008 Redistributable Package (x86) 9.0.30729.4148
    WARNING: DW066: OS requirements not met for {9B78FAB0-AC6B-11E0-8EF3-00215AEA26C9} Microsoft Visual C++ 2008 Redistributable Package (x64) 9.0.30729.4148
    WARNING: DW066: OS requirements not met for {093DEFC4-542D-4D0A-8162-0592055515F4} Adobe XMP Panels 4.0.0.0
    WARNING: DW066: OS requirements not met for {9D2A060F-AC6B-11E0-8C00-00215AEA26C9} Microsoft Visual C++ 2010 Redistributable Package (x64) 10.0.40219.1
    WARNING: DW066: OS requirements not met for {088691E4-0205-41CB-B073-4907FDF16D8E} Photoshop Camera Raw 7_7.3_AdobeCameraRaw7.0All 7.3.0.0
    WARNING: DW066: OS requirements not met for {CFC3110A-491C-4DBF-A97D-66C567600A2F} Photoshop Camera Raw 7 7.0.0.0
    WARNING: DW066: OS requirements not met for {557F9FD3-EED8-43D7-AF29-0F19CA832728} AdobePDFL CS6
    10.9.0.0
    WARNING: DW066: OS requirements not met for {246C4B99-19F7-4475-9787-5FF8595B86D7} AdobePDFL x64 CS6 10.9.0.0
    WARNING: DW066: OS requirements not met for {A0F72081-99FB-4FFA-AE1A-62B5A656CAC1} AdobeTypeSupport CS6 11.0.0.0
    WARNING: DW066: OS requirements not met for {B2D792AF-F407-4EFA-9A03-3F2A476146F6} AdobeTypeSupport x64 CS6 11.0.0.0
    WARNING: DW066: OS requirements not met for {44099F03-9BD7-40DD-A6B3-580F7FFC49BC} Photoshop Camera Raw 7 (64 bit)_7.3_AdobeCameraRaw7.0All-x64 7.3.0.0
    WARNING: DW066: OS requirements not met for {55F0AFED-606D-476A-A07A-134291002FBA} Photoshop Camera Raw 7 (64 bit) 7.0.0.0
    WARNING: DW066: OS requirements not met for {EB2A8CD4-B247-4810-A294-E3DB8EDC6060} Adobe CSXS Extensions CS6 3.0.0.0
    WARNING: DW066: OS requirements not met for {DC00A3E1-9C61-4B11-8070-B592E68D2B3C} Adobe Linguistics CS6 6.0.0.0
    WARNING: DW066: OS requirements not met for {94FEA41F-7345-429F-AA31-5C615F24CE29} Adobe WinSoft Linguistics Plugin CS6 1.3.0.0
    WARNING: DW066: OS requirements not met for {7CA3FAD4-7B82-473C-8207-5A283E90742A} Adobe WinSoft Linguistics Plugin CS6 x64 1.3.0.0
    WARNING: DW066: OS requirements not met for {0C4E7429-E920-4125-980E-029A87AE0A4D} AdobeColorCommonSetCMYK CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {C7B1C1B3-368D-4C32-A818-83F1554EB398} AdobeColorCommonSetRGB CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {51C77DC1-5C75-4491-8645-A17CC33F5A36} AdobeColorEU CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {26F763C9-076F-473D-9A0E-4050C973737C} AdobeColorJA CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {BB66788C-4C4F-4EB0-B146-9178857DE287} AdobeColorNA CS6 4.0.0.0
    WARNING: DW066: OS requirements not met for {D38116C8-C472-4BB0-AD6F-0C1DD1320D1D} AdobeHelp
    4.0.0.0
    WARNING: DW066: OS requirements not met for {99FE4191-AC6B-11E0-B602-00215AEA26C9} Microsoft Visual C++ 2005 Redistributable Package (x64) 6.0.2900.2180
    WARNING: DW066: OS requirements not met for {7E91BB17-16A1-42CE-9502-D6C98BE04920} PDF Settings CS6 11.0.0.0
    WARNING: DW066: OS requirements not met for {C41A769E-27ED-44F7-8A11-F2E32F538E05} Adobe Linguistics CS6 x64 6.0.0.0
    WARNING: DW066: OS requirements not met for {CFA46C39-C539-4BE9-9364-495003C714AD} Adobe SwitchBoard 2.0 2.0.0.0
    WARNING: DW066: OS requirements not met for {E9C77AF1-5C15-4C59-BA6F-88CB319EE9C8} Adobe CSXS Infrastructure CS6_3.0.2_AdobeCSXSInfrastructure3-mul 3.0.2.0
    WARNING: DW066: OS requirements not met for {36682D68-3834-487E-BA49-DFA4AB0A2E32} Adobe CSXS Infrastructure CS6 3.0.0.0
    WARNING: DW066: OS requirements not met for {F2F2F788-A17F-4CEC-A03C-DFB778E9D901} Adobe Media Encoder CS6 X64 6.0.0.0
    WARNING: DW066: OS requirements not met for {EFBC1075-F890-4293-A0D1-04BE66EE2AB3} Adobe ExtendScript Toolkit CS6 3.8.0.0
    WARNING: DW066: OS requirements not met for {FB21FA75-1447-4753-B7E3-87F040DFE0F5} Adobe Extension Manager CS6_6.0.4_AdobeExtensionManager6.0All 6.0.4.0
    WARNING: DW066: OS requirements not met for {83463106-DD1C-4FE5-A61C-DF6715472AD4} Adobe Extension Manager CS6 6.0.0.0
    WARNING: DW066: OS requirements not met for {CC006FD6-00EF-46FC-ACA0-7A28EFF44D20} Adobe Media Encoder CS6 6.0.0.0
    WARNING: DW066: OS requirements not met for {B1CE96E8-76BA-454A-91A8-D8A5D712234E} Adobe Bridge CS6_5.0.1.1_AdobeBridge5-mul 5.0.1.1
    WARNING: DW066: OS requirements not met for {97BA0109-F6BE-4F50-8904-C19442D7216E} Adobe Bridge CS6 5.0.0.0
    WARNING: DW066: OS requirements not met for {F14215C3-991E-4A8E-9596-B013C42A673F} Adobe Bridge CS6 (64 Bit)_5.0.1.1_AdobeBridge5-mul-x64 5.0.1.1
    WARNING: DW066: OS requirements not met for {00496505-D56B-4B07-A8C5-70A0B4E689F7} Adobe Bridge CS6 (64 Bit) 5.0.0.0
    WARNING: DW066: OS requirements not met for {BD5669B5-49FF-4490-B956-E9D7CB9B0ADC} Adobe Flash CS6 Driver 12.0.0.0
    WARNING: DW066: OS requirements not met for {D2583A3E-399C-45D7-8AF1-FE5BAFC946CF} AIR for Apple iOS support (FP) 3.0.0.0
    WARNING: DW066: OS requirements not met for {4FAB339E-2132-434F-9376-9CD735E4C69C} Adobe Flash CS6 12.0.0.0
    WARNING: DW066: OS requirements not met for {1E621A15-CD9F-4543-B3F6-8032B3647A6A} Adobe Flash CS6_AdobeFlash12.0-en_USLanguagePack 12.0.0.0
    ----------- Payload: {0C4E7429-E920-4125-980E-029A87AE0A4D} AdobeColorCommonSetCMYK CS6 4.0.0.0 - ----------
    WARNING: DF054: Unable to read Adobe file version for file path 'C:\Program Files (x86)\Common Files\Adobe\Color\Profiles\Recommended\USWebCoatedSWOP.icc'(Seq 16)
    ERROR: DF012: Unable to find file(Seq 16)
    ERROR: DF024: Unable to preserve original file at "C:\Program Files (x86)\Common
    Files\Adobe\Color\Profiles\Recommended\USWebCoatedSWOP.icc" Error 32 The process cannot access the file because it is being used by another process.(Seq 16)
    ERROR: DW063: Command ARKDeleteFileCommand failed.(Seq 16)
    ----------- Payload: {4FAB339E-2132-434F-9376-9CD735E4C69C} Adobe Flash CS6 12.0.0.0 -----------ERROR: DR012: Setting Registry Value Failed. Error 5 Access is denied.(Seq 151)
    ERROR: DW050: The following payload errors were found during install:
    ERROR: DW050:  - AdobeColorCommonSetCMYK CS6: Install failed -------------------------------------------------------------------------------------
    Thank you,
    Marc

    Regarding the Flash Player problem, disable Hardware Acceleration to circumvent driver incompatibilities.
    Regarding the Flash Pro installation problems, post in the Flash forums or http://forums.adobe.com/community/download_install_setup

  • Trouble installing Adobe Flash Player 11.9.900.170 on Mac OS X 10.9

    Hello dear experts,
    since the last update of Adobe Flash Player I cannot install the application anymore.
    The installation cancels with a general error message.
    Mac's console shows the following messages:
    02.01.14 12:34:21,000 kernel[0]: hfs: mounted Adobe Flash Player Installer on device disk1s2
    02.01.14 12:34:21,028 mds[430]: (Normal) Volume: volume:0x7fe19c00f000 ********** Bootstrapped Creating a default store:1 SpotLoc:(null) SpotVerLoc:(null) occlude:0 /Volumes/Adobe Flash Player Installer
    02.01.14 12:34:30,703 launchservicesd[444]: Application App:"Install Adobe Flash Player" asn:0x0-55055 pid:1048 refs=7 @ 0x7fd968e4f4d0 tried to be brought forward, but isn't in fPermittedFrontApps ( ( "LSApplication:0x0-0x56056 pid=1051 "SecurityAgent"")), so denying. : LASSession.cp #1481 SetFrontApplication() q=LSSession 100004/0x186a4 queue
    02.01.14 12:34:30,704 WindowServer[476]: [cps/setfront] Failed setting the front application to Install Adobe Flash Player, psn 0x0-0x55055, securitySessionID=0x186a4, err=-13066
    02.01.14 12:35:39,000 kernel[0]: hfs: could not initialize summary table for Flash Player
    02.01.14 12:35:39,000 kernel[0]: hfs: mounted Flash Player on device disk2s2
    02.01.14 12:35:42,000 kernel[0]: hfs: unmount initiated on Flash Player on device disk2s2
    02.01.14 12:35:45,384 sudo[1106]:   oliver : TTY=unknown ; PWD=/ ; USER=oliver ; COMMAND=/usr/bin/open http://get.adobe.com/flashplayer/completion/aih/?exitcode=1&type=install
    If I install with the -debug option with the offline installer Mac's console show the following:
    02.01.14 12:54:15,663 launchservicesd[444]: Application App:"Adobe Flash Player Install Manager" asn:0x0-71071 pid:1586 refs=7 @ 0x7fd968e687f0 tried to be brought forward, but isn't in fPermittedFrontApps ( ( "LSApplication:0x0-0x72072 pid=1591 "SecurityAgent"")), so denying. : LASSession.cp #1481 SetFrontApplication() q=LSSession 100004/0x186a4 queue
    02.01.14 12:54:15,663 WindowServer[476]: [cps/setfront] Failed setting the front application to Adobe Flash Player Install Manager, psn 0x0-0x71071, securitySessionID=0x186a4, err=-13066
    02.01.14 12:54:15,944 authexec[1593]: executing /usr/sbin/chown
    02.01.14 12:54:16,008 authexec[1594]: executing /bin/chmod
    02.01.14 12:54:16,069 authexec[1595]: executing /bin/chmod
    02.01.14 12:54:16,518 authexec[1598]: executing /bin/chmod
    02.01.14 12:54:16,633 authexec[1599]: executing /bin/rm
    02.01.14 12:54:17,929 authexec[1600]: executing /Library/Application Support/Adobe/Flash Player Install Manager/fpsaud
    02.01.14 12:54:17,930 Flash Player Install Manager[1586]: Unable to execute privileged task.
    02.01.14 12:54:21,628 mds[430]: (Warning) Volume: vsd:0x7fe19d0c0800 Open failed.  failureCount:5 {
        DisabledRecycleCount = 5;
    If I try to start the installation using the Adobe Flash Player.pkg in the „Resources“ folder I cannot chose my hard drive to install flash.
    The following log messages can relate to this:
    02.01.14 12:59:16,100 Installer[1641]: *** WARNING: -[NSImage compositeToPoint:operation:] is deprecated in MacOSX 10.8 and later. Please use -[NSImage drawAtPoint:fromRect:operation:fraction:] instead.
    02.01.14 12:59:16,101 Installer[1641]: *** WARNING: -[NSImage compositeToPoint:fromRect:operation:] is deprecated in MacOSX 10.8 and later. Please use -[NSImage drawAtPoint:fromRect:operation:fraction:] instead.
    02.01.14 12:59:16,132 Installer[1641]: *** WARNING: -[NSImage compositeToPoint:operation:fraction:] is deprecated in MacOSX 10.8 and later. Please use -[NSImage drawAtPoint:fromRect:operation:fraction:] instead.
    02.01.14 12:59:16,133 Installer[1641]: *** WARNING: -[NSImage compositeToPoint:fromRect:operation:fraction:] is deprecated in MacOSX 10.8 and later. Please use -[NSImage drawAtPoint:fromRect:operation:fraction:] instead.
    I think this exception is thrown if I click on my hard drive’s symbol in the installer.
    I have the same problem when I try to install Microsoft’s last Office update. Maybe there is a connection?
    I tried several older versions of the Adobe Flash Player installer, but they didn't work as well.
    Perhaps we have some kind of "Mavericks" problem here?
    Any help would be highly appreciated!
    Thank you very much in advance.
    Kind regards
    Oliver

    Finally found the issue here:
    https://discussions.apple.com/thread/3889562?tstart=0
    Somehow a empty file /System/Library/CoreServices/ServerVersion.plist has been created.
    If I understand this right this file is only needed if you use Mac OS X Server.
    As suggested in the support forum I deleted the file (renamed it to _ServerVersion.plist) and after that every installation, including Adobe Flash Player and Office 2011 update worked!
    Thank you very much,
    Kind regards,
    Oliver

  • Create an educational dashboard: Flash datagrid or bootstrap html5

    Hi - This is a question of whether to stay in flash or move to bootstrap and a responsive solution with regards to building an educational dashboard to show students results etc... in a data table. Flash is a bad idea on mobile and tablets so we are going for html5 + CSS3. Just asking if that is a good idea. If this cannot be answered here then I shall try somehwere else. Asking here as the flash guys are probably looking at other solutions just because Adobe is spending all its funds on other html5 technology with Adobe Edge to do the same as flash.
    Looking to create the following tables:
    http://www.dreambox.com/district-reports
    Basically, is bootstrap html5 + CSS a viable robust solution to producing an educational dashboard.
    Cheers in advance and I hopethis doesn't go down to adly on the flash forum as I LOVE flash and all my stuff is in flash and I wish I could stay with flash for a lot longer.

    Hi - This is a question of whether to stay in flash or move to bootstrap and a responsive solution with regards to building an educational dashboard to show students results etc... in a data table. Flash is a bad idea on mobile and tablets so we are going for html5 + CSS3. Just asking if that is a good idea. If this cannot be answered here then I shall try somehwere else. Asking here as the flash guys are probably looking at other solutions just because Adobe is spending all its funds on other html5 technology with Adobe Edge to do the same as flash.
    Looking to create the following tables:
    http://www.dreambox.com/district-reports
    Basically, is bootstrap html5 + CSS a viable robust solution to producing an educational dashboard.
    Cheers in advance and I hopethis doesn't go down to adly on the flash forum as I LOVE flash and all my stuff is in flash and I wish I could stay with flash for a lot longer.

  • Is writing to flash drive always in "mass USB storage mode"?

    I am trying to display JPEGs on my HDTV using a MEDIAGATE M2TV 1080P Media Player. I have written JPEG files to a flash drive and connected the flash drive to the M2TV Player, which doesn't recognize the USB flash drive. The M2TV manual says that only "mass USB storage mode is supported". Are there different modes of storage? What do I get from my mini? Also I assume that my file system is HFS+. Correct? Thanks for any help.
    Owen

    Mediagate are the people to ask if things aren't working. The questions should be about the partition table (Apple has a couple) of your flash drive (possibly the brand) and the format. (In-camera flash storage has, as you read in the Wikipedia, it's own, unique partition table.) Flash drives probably come from the box with no partition table, but only one partition (volume) formatted in FAT32. This default is rarely changed by people; so that should have worked.
    The question is how to transfer your JPEG photos from a Mac hard drive to a flash drive. Only now is it occurring to me that they may just mean their box captures JPEG files and transfers then to your Mac's USB port in USB MSC protocol, not USB PTP.
    My ignorance may have confused the issue more. I last studied JPEG when it was released . There was room in the file for EXIF data. However, I doubt they anticipated GPS data and more, which Macs could interpret as metadata (as they do 'keywords'), and require USB PTP protocol to transfer. Well, this is wrong.
    I borrowed a JPEG photo with a huge EXIF file, containing GPS data, and changed the suffix to .TXT, opened it in TextEdit, saved it, and dragged this non-photo file (using, presumably, USB MSC protocol) to a flash drive formatted HFS. I then changed the suffix to .JPG and opened it with the Finder. Its size hadn't changed, and its EXIF data hadn't changed. So, PTP is a mystery to me: I don't know what advantages it offers, though I choose it on cameras. Perhaps Mediagate can explain it, since it's the preferred protocol for transferring photos.
    If you really need to copy a photo to a flash drive in USB MSC protocol, you can always change the suffix to .TXT and back. Perhaps someone more knowledgeable can help. (I'm unfamiliar with your device.)
    Best of luck.
    Bruce

  • Calculating fields in Flash

    Hi. I need to add rows of data in flash and have them total
    up on the last row as the items are checked. Looking at the
    following example, if someone checks a tickbox next to items 01 and
    02, the total sum would appear on the last row for each column.
    item------price------elements
    01---------2.99-----------5
    02---------8.99-----------8
    03---------6.99-----------4
    04---------5.99-----------6
    TOTAL--11.98--------13
    I don't have the first clue what method to use for this. I'm
    guessing I can setup a table in flash and use dynamic fields or
    something like that. Or is there a specific way to do this? Can
    anyone help or point me to a tutorial?? thanks, Dren.

    Use the space-bar, or click a bit off to the center of the check-boxes on
    the left of the field names in the list.

  • Can't install Flash player on Macintosh

    Running a late 2012 Mac Mini with the latest OS (10.10.1) and when I tried to upgrade Flash, the upgrade didn't work and Flash stopped working. Following the help scripts I uninstalled Flash from both FireFox and Safari and tried a clean install. The install fails with a 'general install error' notice near the end of the install cycle. I've tried booting into safe mode and installing and got the same general install error. I've downloaded the installer from several different sites, same problem. I started all this about a month ago and then let it go, hoping that the problem would get solved but started all over again today, and getting the exact same general install error. Even did the uninstall again today. I have absolutely no idea of what to do. Any ideas?

    I will let you know if I learn anything. No anti-virus but tried turning off the Firewall, and ran the install again and it didn't seem to make any difference. Here's the logs from this last install:
    2/17/15 3:39:49.000 PM kernel[0]: hfs: mounted Adobe Flash Player Installer on device disk3s2
    2/17/15 3:39:49.592 PM mds[41]: (Volume.Normal:2464) volume:0x7ff65d918000 ********** Bootstrapped Creating a default store:1 SpotLoc:(null) SpotVerLoc:(null) occlude:0 /Volumes/Adobe Flash Player Installer 1
    2/17/15 3:39:49.700 PM Finder[9326]: Attempt to use XPC with a MachService that has HideUntilCheckIn set. This will result in unpredictable behavior: com.apple.backupd.status.xpc
    2/17/15 3:39:56.120 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12213]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:40:06.965 PM mdworker[12215]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:06.972 PM mdworker[12215]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.064 PM mdworker[12214]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.069 PM mdworker[12214]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.684 PM mdworker[12215]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.752 PM mdworker[12215]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.844 PM mdworker[12214]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:07.851 PM mdworker[12214]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:15.226 PM CoreServicesUIAgent[9406]: Error -60005 creating authorization
    2/17/15 3:40:15.425 PM CoreServicesUIAgent[9406]: Error: qtn_file_apply_to_path error: Read-only file system
    2/17/15 3:40:18.144 PM com.apple.xpc.launchd[1]: (com.apple.xpc.launchd.domain.pid.Install Adobe Flash Player.12216) Could not resolve origin of domain. XPC services in this domain's bundle will not be bootstrapped: error = 109: Invalid property list, taint = (null)
    2/17/15 3:40:19.685 PM com.apple.backupd-helper[52]: Attempt to use XPC with a MachService that has HideUntilCheckIn set. This will result in unpredictable behavior: com.apple.backupd.status.xpc
    2/17/15 3:40:25.542 PM authexec[12223]: executing /bin/sh
    2/17/15 3:40:25.939 PM nsurlstoraged[9399]: Error: execSQLStatement:onConnection:toCompletionWithRetry - SQL=PRAGMA auto_vacuum = 2;, error-code=8, error-message=attempt to write a readonly database
    2/17/15 3:40:25.939 PM nsurlstoraged[9399]: ERROR: NSURLStorageURLCacheDB _setDBSchema: _dbWriteConnection=0x7fd15cb25550 DB=/Users/Alan E/Library/Caches/com.solidstatenetworks.host/Cache.db pragma auto vacuum - attempt to write a readonly database. ErrCode: 8.
    2/17/15 3:40:40.805 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12232]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:40:40.806 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:40:50.818 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12233]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:40:50.819 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:40:56.468 PM mdworker[12234]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:56.473 PM mdworker[12234]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:56.599 PM mdworker[12235]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:56.604 PM mdworker[12235]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:57.067 PM mdworker[12234]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:57.071 PM mdworker[12234]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:57.183 PM mdworker[12235]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:40:57.187 PM mdworker[12235]: code validation failed in the process of getting signing information: Error Domain=NSOSStatusErrorDomain Code=-67062 "The operation couldn’t be completed. (OSStatus error -67062.)"
    2/17/15 3:41:00.829 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12236]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:00.830 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:10.837 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12237]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:10.838 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:20.846 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12238]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:20.847 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:30.859 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12239]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:30.859 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:40.872 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12240]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:40.873 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:50.000 PM kernel[0]: hfs: summary table not allowed on FS with block size of 2048
    2/17/15 3:41:50.000 PM kernel[0]: hfs: could not initialize summary table for Flash Player
    2/17/15 3:41:50.000 PM kernel[0]: hfs: mounted Flash Player on device disk4s2
    2/17/15 3:41:50.778 PM mds[41]: (Volume.Normal:2464) volume:0x7ff65b8d0000 ********** Bootstrapped Creating a default store:1 SpotLoc:(null) SpotVerLoc:(null) occlude:0 /Volumes/f50a1d143cc81d9c37ff0b6c52fd585ec45d7fb2
    2/17/15 3:41:50.791 PM Finder[9326]: Attempt to use XPC with a MachService that has HideUntilCheckIn set. This will result in unpredictable behavior: com.apple.backupd.status.xpc
    2/17/15 3:41:50.882 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12253]) Could not find uid associated with service: 0: Undefined error: 0 1025
    2/17/15 3:41:50.883 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles) Service only ran for 0 seconds. Pushing respawn out by 10 seconds.
    2/17/15 3:41:52.345 PM authexec[12256]: executing /bin/sleep
    2/17/15 3:41:52.363 PM authexec[12257]: executing /usr/sbin/chown
    2/17/15 3:41:52.480 PM authexec[12259]: executing /bin/chmod
    2/17/15 3:41:52.601 PM authexec[12261]: executing /bin/chmod
    2/17/15 3:41:52.879 PM com.apple.xpc.launchd[1]: (com.apple.imfoundation.IMRemoteURLConnectionAgent) The _DirtyJetsamMemoryLimit key is not available on this platform.
    2/17/15 3:41:53.702 PM nsurlstoraged[9399]: realpath() returned NULL for /var/root/Library/Caches/installer
    2/17/15 3:41:53.703 PM nsurlstoraged[9399]: The read-connection to the DB=/var/root/Library/Caches/installer/Cache.db is NOT valid.  Unable to determine schema version.
    2/17/15 3:41:53.703 PM nsurlstoraged[9399]: realpath() returned NULL for /var/root/Library/Caches/installer
    2/17/15 3:41:53.703 PM nsurlstoraged[9399]: realpath() returned NULL for /var/root/Library/Caches/installer
    2/17/15 3:41:53.703 PM nsurlstoraged[9399]: ERROR: unable to determine file-system usage for FS-backed cache at /var/root/Library/Caches/installer/fsCachedData. Errno=13
    2/17/15 3:41:53.875 PM authexec[12265]: executing /bin/chmod
    2/17/15 3:41:53.996 PM authexec[12266]: executing /bin/rm
    2/17/15 3:41:54.000 PM kernel[0]: hfs: unmount initiated on Flash Player on device disk4s2
    2/17/15 3:42:00.893 PM com.apple.xpc.launchd[1]: (com.apple.mdworker.bundles[12271]) Could not find uid associated with service: 0: Undefined error: 0 1025

  • Html content inside flash ? how?

    Hello, I have the following problem ... I have a flash site where in the back there is a Content Management System for the site moderator to post offers. So when the users visit the site they can see the offer and if they like it to contact the company. But inside the Content management system i have a textarea where the moderator wants to paste-in some tables in a html format  ... something like this ...
    GENERAL
    2G Network
    GSM 900 / 1800 / 1900
    GSM 850 / 1800 / 1900 - US version
    Announced
    2006, November. Released 2007, January
    Status
    Discontinued
    SIZE
    Dimensions
    106.4 x 43.6 x 11.7 mm, 56 cc
    Weight
    91 g
    DISPLAY
    Type
    TFT, 16M colors
    Size
    240 x 320 pixels, 2.0 inches, 31 x 41 mm
    - Downloadable wallpapers, screensavers
    SOUND
    Alert types
    Vibration; Downloadable polyphonic, MP3 ringtones
    Speakerphone
    Yes
    MEMORY
    Phonebook
    1000 entries, Photocall
    Call records
    20 dialed, 20 received, 20 missed calls
    Internal
    7.8 MB
    Card slot
    microSD, up to 2GB
    DATA
    GPRS
    Class 10 (4+1/3+2 slots), 32 - 48 kbps
    EDGE
    Class 10, 236.8 kbps
    3G
    No
    WLAN
    No
    Bluetooth
    Yes, v2.0
    Infrared port
    No
    USB
    Yes, miniUSB
    CAMERA
    Primary
    2 MP, 1600x1200 pixels
    Video
    Yes, QCIF
    Secondary
    No
    FEATURES
    Messaging
    SMS, MMS, Email, Instant Messaging
    Browser
    WAP 2.0/xHTML
    Radio
    Stereo FM radio; Visual radio
    Games
    Yes + Downloadable
    Colors
    Silver, Black, Red-Silver, White-Silver
    GPS
    No
    Java
    Yes, MIDP 2.0
    - Push to talk
    - MP3/MP4/AAC/AAC+/eAAC+ player
    - Voice memo
    - Voice command
    - T9
    - Organizer
    BATTERY
    Standard battery, Li-Ion 860 mAh (BL-4C)
    Stand-by
    Up to 348 h
    Talk time
    Up to 3 h 30 min
    Basically a table with some text in it ... but then i need to save this in some file (this is still done in the php) and after it is saved in a file I need to somehow show it in its table form inside a textarea in flash. Or if not in a textarea in some other way inside the flash movie i need to display that content in its table form. What I am using now is a web text editor from http://ckeditor.com/ which provides a way to paste the table in the content management system (or admin panel) and then it saves it to a file. The problem is how do I display the table inside flash ?

    Flash has very limited support of html tags and tables are not included.  So if you want to show an html table then your best bet will be to link to an html web page.

Maybe you are looking for