The .blueMultiplier (movie clip color property) does not take new value..?

It seems I can not assign a new value to the .blueMultiplier (a movie clip color property) using AS3 ????!!!
I have a basic movie clip 'mymc' in my scene, and this AS3 code:
trace (mymci.transform.colorTransform.blueMultiplier);
mymc.transform.colorTransform.blueMultiplier = 0;
trace (mymc.transform.colorTransform.blueMultiplier);
Values that are returned:
1
1
What am I missing?
Thanks.

you can't assign transform/colorTransform properties directly.  you update a transform/colorTransform instance and assign your object's transform/colorTransofrm instance to be the updated transform/colorTransform instance:
var ct:ColorTransform = mymc.transform.colorTransform;
ct.blueMultiplier = 0;
mymc.transform.colorTransform = ct;

Similar Messages

  • Mac user OS 10.6.8 Firefox 6.0.2. Click the Firefox icon in dock, program does not open new window. Type cmd+N to open new window, cmd+T to open new tab or cmd+L to enter URL, nothing happens. What causes this, and what can be done?

    Mac user OS 10.6.8 Firefox 6.0.2. Click the Firefox icon in dock, program does not open new window. Type cmd+N to open new window, cmd+T to open new tab or cmd+L to enter URL, nothing happens. What causes this, and what can be done?

    It's strange. The problem apparently resolved itself after I ran TechTool on it. When I clicked on Firefox last night, I had no problem opening a window. Thanks for your help. (As to your previous post, the focus was on Firefox and neither the speed keys nor the menu bar would open a window or tab of allow me to enter a URL to open a window. Strange!)

  • Why is the giving me this error (method does not return a value) PLEASE !!

    I have this code and it is giving me this error and I don't know how to fix it
    can anyone out there tell me why
    I have included the next line of code as I have had problems in the curly brackets in the past.
    The error is
    "Client.java": Error #: 466 : method does not return a value at line 941, column 3
    Please help
    THX TO ALL
    private Date DOBFormat()
        try
          if
            (MonthjComboBox.getSelectedItem().equals("") || 
             DayjComboBox.getSelectedItem().equals("") ||
             YearjComboBox.getSelectedItem().equals("")){
          else
            String dateString = StringFromDateFields();
            SimpleDateFormat df = new SimpleDateFormat("dd/mm/yyyy");
            Date d = df.parse(StringFromDateFields());
            System.out.println("date="+d);
            return d;
        catch (ParseException pe)
          String d= System.getProperty("line.separator");
          JOptionPane.showMessageDialog( this,
           "Date format needs to be DD/MM/YYYY,"+ d +
           "You have enterd: "+ StringFromDateFields()   + d +
           "Please change the Date", "Date Format Error",
           JOptionPane.WARNING_MESSAGE);
          return  null;
      //File | Exit action performed
    public void jMenuFileExit_actionPerformed(ActionEvent e) {
      System.exit(0);
      }

    Fixed it needed to have a return null;
    this is the code
    if
            (MonthjComboBox.getSelectedItem().equals("") ||
             DayjComboBox.getSelectedItem().equals("") ||
             YearjComboBox.getSelectedItem().equals("")){
            return null;

  • I have an Olympus E620 and have bought an IPad 4th Generation. How can I transfer my pictures from the camera to the IPad?. My camera does not take SD cards.

    I have an Olymput E620 and iPad 4th generation, how can I download the pictures off the camera to the iPad?
    The only cable I can find with lightning and usb is the apple camera adaptor but it is £25 from Apple which is a bit expensive if it will not work. Some peoples reviews seem to say this will not work, I can not use the camera reader by Apple as this only takes SD cards and my camera takes XD and compact flash cards. I have realised that you cannot use this cable on a card reader which is a shame and means taking more cables on holiday with you and more likely to get lost. This is so frustrating as one of the reasons of buying the iPad was to use, to transport photos whilst away instead of having lots of cards which do get lost and damaged. I hope someone can help as there seems to be a lot of confusion as to what works in cases like this.

    go to start - computer - right click on ipod and import pics.
    Peace, Clyde

  • UPDATE ... RETURNING does not return new value

    Hi all,
    I've created the following objects in Oracle DB 10.2.0.3.0:
    CREATE TABLE TAB1
         ID          NUMBER          PRIMARY KEY,
         EDITED_AT     DATE,
         VALUE          VARCHAR2(64)
    CREATE SEQUENCE S_TAB1
         INCREMENT BY 1
         START WITH 1;
    CREATE TRIGGER T_TAB1_BIE
    BEFORE INSERT OR UPDATE ON TAB1
    FOR EACH ROW
    BEGIN
         IF INSERTING THEN
              SELECT S_TAB1.NEXTVAL INTO :NEW.ID FROM DUAL;
         END IF;
         :NEW.EDITED_AT := SYSDATE;
    END;
    /Then I tried to do the following in SQL Plus:
    SQL> insert into tab1(value) values('ddd');
    1 row created.
    SQL> commit;
    Commit complete.
    SQL>
    SQL> select * from tab1;
            ID EDITED_AT           VALUE
             1 27.03.2008 17:01:24 ddd
    SQL>
    SQL> declare dt date; val varchar2(64);
      2  begin update tab1 set value = 'ddd' where id = 1 returning edited_at, value into dt, val;
      3  dbms_output.put_line('txt = ' || dt || ', ' || val);
      4  end;
      5  /
    txt = 27.03.2008 17:01:24, ddd
    PL/SQL procedure successfully completed.
    SQL>
    SQL> select * from tab1;
            ID EDITED_AT           VALUE
             1 27.03.2008 17:02:12 ddd
    SQL>As it can be seen Returning clause of an Update statement does not return a new date, i.e. 27.03.2008 17:02:12, that was updated by the trigger, it returns an old one - 27.03.2008 17:01:24. Please advise me why Database returns an old value? I do believe that UPDATE ... RETURNING ... statement should return new, generated by the trigger, value.
    Thanks in advance.
    Regards,
    Yerzhan.

    you need to explicitly include the column in your UPDATE statement SET clause that you expect to return the result you want it to be. here's what i think what happened even though you have a trigger the first statement that was processed was your update statement. at the time of the update it has to return the current values to the returning clause that is the values on the table. now comes next the trigger which gives edited_at column a new value. when the trigger got fired the process don't return anymore to the UPDATE RETURNING statement. it's like each sequence of codes does not executes in parallel.
      SQL> CREATE TABLE TAB_1
        2  (
        3   ID  NUMBER  PRIMARY KEY,
        4   EDITED_AT DATE,
        5   VALUE  VARCHAR2(64)
        6  );
      Table created.
      SQL> CREATE SEQUENCE S_TAB1
        2   INCREMENT BY 1
        3   START WITH 1;
      Sequence created.
      SQL> CREATE TRIGGER T_TAB1_BIE
        2  BEFORE INSERT OR UPDATE ON TAB_1
        3  FOR EACH ROW
        4  BEGIN
        5   IF INSERTING THEN
        6    SELECT S_TAB1.NEXTVAL INTO :NEW.ID FROM DUAL;
        7   END IF;
        8   :NEW.EDITED_AT := SYSDATE;
        9  END;
       10  /
      Trigger created.
      SQL> insert into tab_1(value) values('ddd');
      1 row created.
      SQL> commit;
      SQL> select * from tab_1;
              ID EDITED_AT            VALUE
               1 28-mar-2008 10:31:18 ddd
      SQL> declare dt date; val varchar2(64);
        2  begin update tab_1 set value = 'ddd', edited_at = sysdate
        3        where id = 1 returning edited_at, value into dt, val;
        4  dbms_output.put_line('txt = ' || dt || ', ' || val);
        5  end;
        6  /
      txt = 28-mar-2008 10:32:39, ddd
      PL/SQL procedure successfully completed.
      SQL> select * from tab_1;
              ID EDITED_AT            VALUE
               1 28-mar-2008 10:32:39 ddd
      SQL>

  • Clicking the tab to the right of open window tab does not open new window. why?

    It used to do that, and it does for other desktops on computer, just not mine.

    Do you have that problem when running in the Firefox SafeMode? <br />
    [http://support.mozilla.com/en-US/kb/Safe+Mode] <br />
    ''Don't select anything right now, just use "Continue in SafeMode."''
    If not, see this: <br />
    [http://support.mozilla.com/en-US/kb/troubleshooting+extensions+and+themes]

  • Clicking on the Back button in web browser does not take you back properly

    When using Info View and drilling down through reports (using the InfoView Portal in the "View my documents" settings of User Preferences), if you have drilled down through several reports and then want to go back to the page you were viewing before you drilled down one more layer using the browsers BACK button takes you back a random number of pages - NOT back one page.
    Is there a fix or workaround for this?
    Thanks

    >
    Tim Simon wrote:
    > Which type of report is this? A Crystal Report (not sure what your question means)
    >
    There are some big differences if using say a webi report.
    I just tested on XIR2 SP4 and back forward worked fine with CR drilldown, using the sample reports.
    Could be a report design issue or something wrong with your deployment, maybe even a browser setting (not sure as I don't work reporting issues too often).
    You can wait to see if someone else has run into this or open a message with support to have an engineer take a look.
    Regards,
    Tim

  • Extractor (2lis_11_vaitm) does not takes new field created with new domain

    Hi,
    I created a new data element and domain in ECC
    Source system ECC:
    1. I created a new Z data element and Z domain (char 60) in ECC.
    2. I created a new Zappend Strcuture and added a new field with the above data element to a extract structure of 2LIS_11_VAITM.
    3. In RSA6, I unchecked hide column and checked Field column.
    4. I wrote an ABAP code in CMOD to populate tis field.
    5. I can see the data in that field in RSA3 of this extractor.
    BI side:
    1. I replicated the datasource.
    2. I could see that field in the fields tab of the datasource. (NOTE: In the field tab, against the column u201Ctransferu201D that field value is unchecked.)
    3. When I check the PSA table, I donu2019t see this field.
    4. Plus I donu2019t see this field in the right hand side of the update rule also (3.5 flow) or in the transformation (7 flow).
    I unchecked the field column and activated the datasource in RSA6 and replicated it in BI. Then also the same problem.
    Is there anything that needs to be done for this Datasource so that I can get this field in the update rule and transformation.

    Hello.
    I was checking this issue, and all the enhancements with fields need to have a customer-exit to populate this fields,otherwise they will come BLANK.
    As those fields are not delivered by SAP and are not in the original datasource(RSA5) from Business content, this is related to customer's enhancements.We can only see these fields in the datasource enhanced by customer(RSA6).
    To have the proper values assigned to those field, you should write an User Exit program. This program must be created to fill the enhanced fields as they are not filled in the same way as the SAP delivered
    fields.More details about this process you can check note 576886.
    576886-Change to user-defined fields not extracted.
    This note is an example for some datasources regarding what need to be done.
    Thanks.
    Walter Oliveira.

  • Custom Manage Property does not pick up the value from mapping crawl property

    Hi All,
    I have created a custom list with the column name that's called "category".
    Then I ran full crawl and I saw the "ows_category" crawl property is created.
    Then I create the manage property names as "Category" and map with the "ows_category" and run the full crawl again. (Retrivable, Searchable, Refinable options are checked)
    After full crawl, I searched Category:keyword but it returned 0 result. 
    But when I search keyword, that list item is retuned
    I tried to debug with the spsearch2013 tool and there is no "Category" manage property in the return XML.
    It seems the Manage Property does not pick up value from the crawl property. (Something might be wrong with the index schema)
    Do you have any suggestion?
    Do I need to reset the index?
    Best Regards,
    Andy

    Hi Andy,
    When you search ‘category’ in crawled properties(Central Administration->Search Service Application->Search Schema), you will see ows_Category is mapped to DiscussionCategory, like the screenshot:
    So, I suggest you create a new column using another name, then test again, compare the result.
    Best Regards,
    Wendy
    Wendy Li
    TechNet Community Support

  • What are the reasons why a wideband modem can not take a CPE?

    I have an M-CMTS with RFGW1.
    I have the following settings:
    int c6/1/3
    downstream Modular-Cable 1/0/0 rf-channel 16-17 upstream 0-3
    int c6/1/4
    downstream Modular-Cable 1/0/0 rf-channel 18-19 upstream 0-3
    cable fiber-node 9
      downstream Modular-Cable 1/0/0 rf-channel 16-19
      downstream Cable6/1/3
      upstream Cable 6/1 connector 12-15
    cable fiber-node 10
      downstream Modular-Cable 1/0/0 rf-channel 16-19
      downstream Cable6/1/4
      upstream Cable 6/1 connector 16-19
    interface Wideband-Cable1/0/0:4
    load-interval 30
    cable bundle 1
    cable bonding-group-id 5
    cable rf-channel 16 bandwidth-percent 45
    cable rf-channel 17 bandwidth-percent 45
    cable rf-channel 18 bandwidth-percent 45
    cable rf-channel 19 bandwidth-percent 45
    the cable modem gets online, but does not take cpe, my question is why?
    D2.0 modems do take CPE, but the 3.0 modems do not. I know that may be a problem in the RFGW1 because another time I changed the port and it worked.
    but I would like to know the reason why only the wideband modems are not taking cpe.
    I'd like to hear from you.
    thanks in advance

    Hi Diego,
    - The first time that was put online, it became as w-online and take CPE (The DHCP assigned IP addresses both, Modem and CPE)- But it did not work, so I reset the modem, and went online again, (but did not have a CPE IP address)
    I'm not following you here. In the first point you mentioned that the modem came w-online and the CPE got an IP. However, in the second point, you mentioned that it didn't work and then you reset the modem. What didn't work (I understood the problem was CPE getting IP address which, as you mentioned, was done on the first point)?
    You also said that, at some point, the modem was online but not pingable. The CPE didn't get IP that time. In that case, was the modem online or w-online? What was the primary channel for this modem? Take into account that, for wideband, the modem uses the primary channel to register and perform all Docsis operation. Any data traffic (like a ping or a DHCP request from a CPE) will use the secondary channels. If these channels have some issue you may see an issue as the one described.
    For the D2.0 modem using Mo1/0/0:16, it could be similar as above. If this channel is OK but the rest have some issues, you could see a behavior like that. The D2.0 modem will use the primary channel (only channel) also for data transfer. Since this channel is OK, the D2.0 modem don't have any issue. However, if a D3.0 modem uses Mo1/0/0:16 as primary it may come online (since the channel is OK) but, if the rest of channels have issues, then you may have problem to pass data traffic.
    Did you check if D2.0 modem can use all the channels? You may also want to check the modulation profiles being used. It could be that you are using a lower modulation profile for ranging (initial, station maintenance) and a higher one for data transfer which may be affected by some condition in the network.
    Best regards.

  • Function Does Not Return any value .

    Hi ,
    I am wrtting the below funtion without using any cursor to return any message if the value enters by parameters
    does not match with the value reterived by the function select statement or it does not reterive any value that
    for the parameters entered .
    E.g:
    CREATE OR REPLACE FUNCTION TEST_DNAME
    (p_empno IN NUMBER,p_deptno IN NUMBER)
    RETURN VARCHAR2
    IS
    v_dname varchar2(50);
    v_empno varchar2(50);
    V_err varchar2(100);
    v_cnt NUMBER := 0;
    BEGIN
    SELECT d.dname,e.empno
    INTO v_dname ,v_empno
    FROM scott.emp e , scott.dept d
    WHERE e.empno=p_empno
    AND d.deptno=p_deptno;
    --RETURN v_dname;
    IF p_empno IS NOT NULL AND p_deptno IS NOT NULL
    THEN IF v_dname is NULL THEN
    v_err :='Not Valid';
    RETURN v_err;END IF;
    ELSIF p_empno IS NOT NULL AND p_deptno IS NOT NULL
    THEN IF v_dname is NOT NULL THEN
    RETURN v_dname; END IF;
    ELSE
    RETURN v_dname;
    END IF;
    END;
    Sql Statement
    SELECT TEST_DNAME(1234,30) FROM dual
    AND IF I enter a valid combination of parameter then I get the below error :
    e.g:
    SQL> SELECT TEST_DNAME(7369,20) FROM dual
    2 .
    SQL> /
    SELECT TEST_DNAME(7369,20) FROM dual
    ERROR at line 1:
    ORA-06503: PL/SQL: Function returned without value
    ORA-06512: at "SCOTT.TEST_DNAME", line 24
    Where I am missing .
    Thanks,

    Format you code properly and look at it:
    CREATE OR REPLACE
       FUNCTION TEST_DNAME(
                           p_empno IN NUMBER,
                           p_deptno IN NUMBER
        RETURN VARCHAR2
        IS
            v_dname varchar2(50);
            v_empno varchar2(50);
            V_err varchar2(100);
            v_cnt NUMBER := 0;
        BEGIN
            SELECT  d.dname,
                    e.empno
              INTO  v_dname,
                    v_empno
              FROM  scott.emp e,
                    scott.dept d
              WHERE e.deptno=d.deptno
                AND e.empno=p_empno
                AND d.deptno=p_deptno;
            --RETURN v_dname;
            IF p_empno IS NOT NULL AND p_deptno IS NOT NULL
              THEN
                IF v_dname is NULL
                  THEN
                    v_err :='Not Valid';
                    RETURN v_err;
                END IF;
            ELSIF p_empno IS NOT NULL AND p_deptno IS NOT NULL
              THEN
                IF v_dname is NOT NULL
                  THEN
                    RETURN v_dname;
                END IF;
             ELSE
               RETURN v_dname;
           END IF;
    END;
    /Both p_empno and p_deptno in
    SELECT TEST_DNAME(7369,20) FROM dualare not null. So SELECT will fetch some v_dname and v_empno. Since p_empno and p_deptno iare not null your code will go inside outer IF stmt and will execute its THEN branch. That branch consist of nothing but inner IF statement. And since v_dname is NOT NULL it will bypass that inner IF and exit the outer IF. And there is no RETURN stmt after that outer IF. As a result you get what you get - ORA-06503. Also, both if and elsif in your code check same set of conditions which makes no sense.
    SY.

  • HTML email is saved, the PR_RTF_COMPRESSED property does not contain embedded HTML

    Hi
    When HTML email is saved, the PR_RTF_COMPRESSED property does not contain embedded HTML.
    This causes that Outlook does not open saved message as HTML message.
    When MAPI profile is configured with CACHE mode ON, the PR_RTF_PROPERTY contains embedded HTML
    and Outlook opens saved email correctly as HTML.
    Do you have any idea what can cause such behavior or how to configure MAPI profile to save embedded HTML into PR_RTF_COMPRESSED when CACHE mode is OFF?  If you need more information let me know.
    Environment description:
    Server: Exchange 2013
    Client: Outlook 2013
    MAPI profile configured with CACHE mode OFF
    Thanks you very much for any advice.

    This is bug in Exchange 2013 see
    http://support.microsoft.com/kb/2862739/EN-US and also
    http://social.technet.microsoft.com/Forums/en-US/58f00a26-e20b-4e1c-9790-9969ab423b2f/move-message-with-attachment-from-one-mailbox-to-another-problem
    Currently there is no fix for this and the only workaround is to use Cache Mode. This only affects Exchange 2013 and Office365 (which is on 2013)
    Cheers
    Glen

  • In Premiere I can edit an avi or mov clip but I can not save the result as a like file.  Why not???

    In Premiere I can edit an avi or mov clip but I can not save tghe result as a like file.  What do I have to do???  It only saves a project.  Under 'File' the 'Export' function is greyed out.  I need help baddly.
    [email protected]
    Bill Schoon

    Boatbuilder
    Let us start from the beginning.
    It has been established that you have Premiere Elements 10. On what computer operating system is it running?
    There has not been a File Menu/Export/Movie export opportunitity in Premiere Elements since version 7. We are not up to version 12.
    For Premiere Elements 10, your export opportunities are all in Share/ including one for Computer. Under Computer there are several choices. The ones that you see are Adobe Flash Video, MPEG, and AVCHD. The others you have to scroll down to. And those choices are AVI, Windows Media, QuickTime, Image, and Audio. You do not have to use the scroll bar for this. You can click on Adobe Flash Video panel to get it to turn black. Then use the down arrow to go down the list and the up arrow to go up the list. Once you get to a category, you can select a preset and go with it or customize it under the Advanced Button/Video Tab and Audio Tab of the preset.
    If you post the properties of your source media that you want to try to match in the export, I would be glad to suggest the exact settings for you.
    We will be watching for your follow up with details.
    Thank you.
    ATR
    Add On...The Premiere Elements 10 File Menu is for more than Saving, just not exporting. One of the key features that can be access there is the Project Archiver. More on that another time.

  • SChannel error- The SSL server credential's certificate does not have a private key information property attached to it.

    We have a public SSL certificate that allows for Active Directory sync with LDAPS on port 636 with our email smart host. This was working fine and suddenly stopped working and we are now getting SChannel errors Event ID 36869. There were no changes made
    to the Exchange server, the firewall or the DC which holds the certificate. I have run a new certreq from the DC and then re-keyed the public SSL certificate and re-installed 3 times but the error does not go away and AD Sync with the vendor
    fails. When I run LDP.exe the connection on port 636 fails with "cannot open connection" and the system event log throws the S Channel event 36869 "The SSL server credential's certificate does
    not have a private key information property attached to it"  There is no software firewall set on the DC. When I run Certutil -VerifyStore MY  it shows the current certificates as well as the revoked and expired certificates
    correctly. Certificate 0 is the public cert and is listed with Server and Client authentication, the FQDN of the server is correct and "Certificate is Valid" is listed. The private cert is Certificate 1 and has server and client authentication, the
    FQDN is correct, Private key is not exportable and it ends with Certificate is Valid. I do not see a point in re-keying the cert again until I figure out what the root of the problem is. I have read in some forums that the private cert should not be set to
    expire after the public cert but that does not make a lot of sense when in a situation like this the private cert is of course newer than the public. In fact it is too early to renew the public cert. I have been troubleshooting this for a few days and at this
    point I would have to drop my AD sync with the vendor to LDAP in order to add new users. I do not want to do that for obvious reasons and I do not want to have our spam filtering and email archive service running without Directory sync. Any help would be greatly
    appreciated.

    Hi,
    Have you tried this?
    How to assign a private key to a new certificate after you use the Certificates snap-in to delete the original certificate in Internet Information Services
    http://support.microsoft.com/kb/889651
    Best Regards,
    Amy

  • Visual Studio 2012 SharePoint Project Error : The partial project item type does not have a value for this property

    Hi,
    I am getting this error from visual studio 2012 whenever i try to create the following project types:
    - Workflow Custom activity
    - Web parts
    The error is as mentioned below
    "The partial project item type does not have a value for this property"
    Due to this the when I add above type of items in my project, they show a red cross icon against them.
    Please let me know If have you any solution?

    Hi
    I had same issue. Below is the solution
    Installing
    "Visual Studio 2012 Update 3" usually solves this problem. (You can download it through microsoft's official site at
    "http://www.microsoft.com/en-in/download/details.aspx?id=39305")
    Hansraj Rathva

Maybe you are looking for