Using animated character states for web navigation

Hello everyone, can someone please post some links to Adobe Edge samples that are using character/ personality +small animation+ web navigation. This is just an approximate example I am searching for: a cartoon character is holding a sign, on roll over or on press state the sign expands and shows navigation elements to other pages of the website. Has anything like this has been done using Adobe Edge? I can't even find one example of such interactivity, can you believe this?? I remember when I was heavy into Flash (10 year ago) there was a lots of samples of such web navigation elements, whether they were usability friendly it is another question, but wanted to see if anyone has seen a resent implementation of similar concept online using Adobe Edge. Any assistance is greatly appreciated.

newguy-
Have you look on youtube.com ?  I recall a tutorial that had a design, when rolled over did something and then opened to another page (It didn't open a navigation like you are wanting but it could be a start.
As far as doing something like this in Edge, it should be quite simple to do.  You can set triggers to call other items on the stage; so you could create an animation and on mouseOver, have it expand and call a navigation "symbol" that could appear with all working links.
Setting the links is easy - I'm working on a site that has the navigation buttons "Appear" from under a design at the beginning of the animation and are linked to seperate pages within the site.
James

Similar Messages

  • Stats for Web reports

    Hi Friends
    We are using portals to run reports.When the queries run on Bex analyser, stats recording fine but however when we run the queries on Portals,the stats are not recording.
    Then I did load data from RSDDSTAT table into 0BWTC_C02 cube.Now no.of navigation isok but overall time and meantime are displaying as '0'.
    What is the correct solution to record bw stats for web based queries?
    Regards,
    Chama.

    Hi
    My problem is not the performance problem.
    When query ran on portal then BW stats not showing the details of meantime ,overall meantime,time olap processor etc.
    When I run the stats query '0BWTC_C10_Q010' - Utilising OLAP, It's showing only number of navigations and it's showing remaining all the fields '0'.
    How can I resolve this problem.
    Regards,
    Chama.

  • No stats for Web queries

    Hi Friends
    We are using portals to run reports.When the queries run on Bex analyser, stats recording fine but however when we run the queries on Portals,the stats are not recording.
    Then I did load data from RSDDSTAT table into 0BWTC_C02 cube.Now no.of navigation isok but overall time and meantime are displaying as '0'.
    What is the correct solution to record bw stats for web based queries?
    Regards,
    Chama.

    Hi
    My problem is not the performance problem.
    When query ran on portal then BW stats not showing the details of meantime ,overall meantime,time olap processor etc.
    When I run the stats query '0BWTC_C10_Q010' - Utilising OLAP, It's showing only number of navigations and it's showing remaining all the fields '0'.
    How can I resolve this problem.
    Regards,
    Chama.

  • Animated Gif - Save for web not showing full frame range

    Hey,
    I'm trying to export an animated gif with 52 frames - I'm using the timeline in CS6, it's exported correctly in the past but when I try and save for web only a seemingly arbitrary number of rames appear in the animation. With no clear route to rectify this, I've tried to affect the outcome by simply moving things around on the timeline.
    I've had a variety of frame ranges (and frames) numbering between 2 and 6 frames, far off my 52 target. It's a simple image and equally simple transition to keep filesize down but I'm completely bamboozled by this. It looks like a bug but any advice I could get would be much appreciated.

    If it worked in the past with CS6 try resetting your CS6 Photoshop Preferences.  If you still have the problem after that.  Up load the PSD file to a server and post a link to it.

  • Using a Switch statement for Infix to Prefix Expressions

    I am stuck on the numeric and operator portion of the switch statement...I have the problem also figured out in an if/else if statement and it works fine, but the requirements were for the following algorithm:
    while not end of expression
    switch next token of expression
    case space:
    case left parenthesis:
    skip it
    case numeric:
    push the string onto the stack of operands
    case operator:
    push the operator onto the stack of operators
    case right parenthesis:
    pop two operands from operand stack
    pop one operator from operator stack
    form a string onto operand stack
    push the string onto operand stack
    pop the final result off the operand stack
    I know that typically case/switch statement's can only be done via char and int's. As I said I am stuck and hoping to get some pointers. This is for a homework assignment but I am really hoping for a few pointers. I am using a linked stack class as that was also the requirements. Here is the code that I have:
       import java.io.*;
       import java.util.*;
       import java.lang.*;
    /*--------------------------- PUBLIC CLASS INFIXTOPREFIX --------------------------------------*/
    /*-------------------------- INFIX TO PREFIX EXPRESSIONS --------------------------------------*/
        public class infixToPrefix {
          private static LinkedStack operators = new LinkedStack();
          private static LinkedStack operands = new LinkedStack();
            // Class variable for keyboard input
          private static BufferedReader stdin = new BufferedReader(new InputStreamReader(System.in));
             // Repeatedly reads in infix expressions and evaluates them
           public static void main(String[] args) throws IOException {
          // variables
             String expression, response = "y";
          // obtain input of infix expression from user
             while (response.charAt(0) == 'y') {
                System.out.println("Enter a parenthesized infix expression.");          // prompt the user
                System.out.println("Example: ( ( 13 + 2 ) * ( 10 + ( 8 / 3 ) ) )");
                System.out.print("Or as: ((13+2)*(10+(8/3))):  ");
                expression = stdin.readLine();     // read input from the user
             // output prefix expression and ask user if they would like to continue          
                System.out.println("The Prefix expression is: " + prefix(expression));     // output expression
                System.out.println("Evaluate another? y or n: ");          // check with user for anymore expressions
                response = stdin.readLine();     // read input from user
                if (response.charAt(0) == 'n') {          // is user chooses n, output the statement
                   System.out.println("Thank you and have a great day!");
                }     // end if statement
             }     // end while statement
          }     // end method main
       /*------------- CONVERSION OF AN INFIX EXPRESSION TO A PREFIX EXPRESSION ------------*/ 
       /*--------------------------- USING A SWITCH STATEMENT ------------------------------*/
           private static String prefix(String expression) {
                // variables
             String symbol, operandA, operandB, operator, stringA, outcome;
               // initialize tokenizer
             StringTokenizer tokenizer = new StringTokenizer(expression, " +-*/() ", true);     
             while (tokenizer.hasMoreTokens()) {
                symbol = tokenizer.nextToken();     // initialize symbol     
                switch (expression) {
                   case ' ':
                      break;     // accounting for spaces
                   case '(':
                      break;     // skipping the left parenthesis
                   case (Character.isDigit(symbol.charAt(0))):      // case numeric
                      operands.push(symbol);                                   // push the string onto the stack of operands
                      break;
                   case (!symbol.equals(" ") && !symbol.equals("(")):     // case operator
                      operators.push(symbol);                                             // push the operator onto the stack of operators
                      break;
                   case ')':
                      operandA = (String)operands.pop();     // pop off first operand
                      operandB = (String)operands.pop();     // pop off second operand
                      operator = (String)operators.pop();     // pop off operator
                      stringA = operator + " " + operandB + " " + operandA;          // form the new string
                      operands.push(stringA);
                      break;
                }     // end switch statement
             }     // end while statement
             outcome = (String)operands.pop();     // pop off the outcome
             return outcome;     // return outcome
          }     // end method prefix
       }     // end class infixToPrefixAny help would be greatly appreciated!

    so, i did what flounder suggested:
             char e = expression.charAt(0);
             while (tokenizer.hasMoreTokens()) {
                symbol = tokenizer.nextToken();     // initialize symbol     
                switch (e) {
                   case ' ':
                      break;     // accounting for spaces
                   case '(':
                      break;     // skipping the left parenthesis
                   case '0':
                   case '1':
                   case '2':
                   case '3':
                   case '4':
                   case '5':
                   case '6':
                   case '7':
                   case '8':
                   case '9':
                      operands.push(symbol);     // push the string onto the stack of operands
                      break;                               // case numeric
                   case '+':
                   case '-':
                   case '*':
                   case '/':
                      operators.push(symbol);     // push the operator onto the stack of operators
                      break;                               // case operator
                   case ')':
                      operandA = (String)operands.pop();     // pop off first operand
                      operandB = (String)operands.pop();     // pop off second operand
                      operator = (String)operators.pop();     // pop off operator
                      stringA = operator + " " + operandB + " " + operandA;          // form the new string
                      operands.push(stringA);
                      break;
                   default:
                }     // end switch statement
             }     // end while statement
             outcome = (String)operands.pop();     // pop off the outcome
             return outcome;     // return outcomeafter this, I am able to compile the code free of errors and I am able to enter the infix expression, however, the moment enter is hit it provides the following errors:
    Exception in thread "main" java.lang.NullPointerException
         at LinkedStack$Node.access$100(LinkedStack.java:11)
         at LinkedStack.pop(LinkedStack.java:44)
         at infixToPrefix.prefix(infixToPrefix.java:119)
         at infixToPrefix.main(infixToPrefix.java:59)
    Any ideas as to why? I am still looking through seeing if I can't figure it out, but any suggestions? Here is the linked stack code:
        public class LinkedStack {
       /*--------------- LINKED LIST NODE ---------------*/
           private class Node {
             private Object data;
             private Node previous;
          }     // end class node
       /*--------------  VARIABLES --------------*/
          private Node top;
      /*-- Push Method: pushes object onto LinkedStack --*/     
           public void push(Object data) {
             Node newTop = new Node();
             newTop.data = data;
             newTop.previous = top;
             top = newTop;
          }     // end function push
       /*--- Pop Method: pop obejct off of LinkedStack ---*/
           public Object pop()      {
             Object data = top.data;
             top = top.previous;
             return data;
          }     // end function pop
       } // end class linked stackEdited by: drmsndrgns on Mar 12, 2008 8:10 AM
    Edited by: drmsndrgns on Mar 12, 2008 8:14 AM
    Edited by: drmsndrgns on Mar 12, 2008 8:26 AM

  • How to use an iPad 2 for web search (via 3G only) while using AirPrint via Airoprt express wifi (NOT connected to the internet)

    Heres the setup: I have an IOS 7 iPad 2 that I want to use 3G only for web searches/ emails while using an Airport Express generated wifi bubble (without any connected internett) to print web seraches via airprint to a wifi printer.
    The problem: the ipad deafults to searching via the AE's wifi and vainly waits for the non existent interent to connect. It ignores the available 3G internet.
    The workaround: a) turn off the AE's wifi, search the web via 3G b) once I have something to print, turn the wifi back on and print via airprint and the AE's wifi to the printer.
    The question: Is there a way to turn off the AE's internet access. Using Airport utility, I have tried setting Bridge mode and static IPs to no avail. There is no turn-the-internet-off tick box.
    In the ideal setup I would like the ipad 2 to search the web via 3G only (straight away versus waiting vainly for the AE to find it!!) and then print the results via the AE's wifi and airprint without having to toggle wifi on and off all the time.....
    Thanks in advance,
    Bill...

    Hi,
    You can consider to configure the Forefront TMG Arrays or NLB.
    Planning for Forefront TMG server high availability and scalability
    http://technet.microsoft.com/en-us/library/dd897010.aspx
    Thanks.
    Jeremy Wu
    TechNet Community Support

  • Using Quicktime's "Export for Web" feature in iWeb?

    Greetings,
    Does anyone know if this is possible within iWeb, that is, to use movies created using Quicktime's "Export to Web" feature, which really seems to deliver superior movie quality?
    Much appreciated,
    DaveB

    Thanks, good stuff, though I'm still having a small problem with this. I'm getting a gray line around the top and left of my movie and the right side of the player is getting cut off. When I try to make the width larger, it just moves the gray line further to the left.
    Any ideas?
    http://www.brianderr.com/brianderr/copythis3.html
    *This is the script that I added to the html snippet in iWeb.* I changed the height to 505px because it was cutting off the bottom of the player at 496.
    <iframe src="http://idisk.me.com/brianderr/Public/KANYE%20PT%201/kanye1.html"
    style="width:720px; height:505px";
    scrolling="no">
    </iframe>
    *This is the script from my read me file that I kept:*
    <?xml version="1.0" encoding="utf-8" ?>
    <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">
    <html>
    <head>
    <title>QuickTime Pro - Export for Web - KANYE PT 1</title>
    <script src="http://www.apple.com/library/quicktime/scripts/ac_quicktime.js" language="JavaScript" type="text/javascript"></script>
    <script src="http://www.apple.com/library/quicktime/scripts/qtp_library.js" language="JavaScript" type="text/javascript"></script>
    <link href="http://www.apple.com/library/quicktime/stylesheets/qtp_library.css" rel="StyleSheet" type="text/css" />
    </head>
    <body><script type="text/javascript"><!--
    QTWritePosterXHTML('Click to Play', 'KANYE%20PT%201-poster.jpg',
    'KANYE%20PT%201.mov',
    '720', '496', '',
    'controller', 'true',
    'autoplay', 'true',
    'bgcolor', 'black',
    'scale', 'aspect');
    //-->
    </script>
    <noscript></body>
    </html>

  • Use Enterprise portal theme for Web Client

    Hi Experts,
    I am new to this topic.
    I am working in portal project. We have situation that in portal we have excellent theme but in CRM Web client we donu2019t have fantasy theme like portal.
    Is there anyway can I use my portal theme for CRM web client?
    If you guide me how to integrate portal theme into CRM Web UIs, that will be great.
    Thanks.

    Ashok,
    There is no easy way to extend your portal theme to the CRM WebClient. Lot of effort is needed for identifying the portal CSS files and updating CRm WebClient theme CSS files with the portal theme attribute values.
    Thanks,
    Thirumala.

  • Use font on typekit for Web

    I want to use the kozuka gothic pro for a website.
    https://typekit.com/fonts/kozuka-gothic-pro
    However, the status of 'web availability' seems not to be ready.
    Is this because of my account type?
    Can I change the icon not to be opaque if I upgrade my account plan?
    Or else, whatever your account status is, is it impossible to use such fonts on Typekit?
    Plus, I'm just curious why there are fonts on Typekit are only available for Sync or Web.
    I'd appreciate any feedback.

    Hello,
    Thanks for your interest in Typekit. Typekit web font serving does not support Japanese fonts at this time, so are not able to offer Kozuka Gothic Pro for web use.  Adding and serving fonts that support the Japanese language is a unique challenge that we’re eager to tackle; any progress in that area will be announced on the blog (blog.typekit.com) and twitter (@typekit).
    In the meantime, Adobe’s Source Han Sans can be used on the web under the terms of its open source license:
    The Typekit Blog | Introducing Source Han Sans: An open source Pan-CJK typeface
    > I'm just curious why there are fonts on Typekit are only available for Sync or Web.
    The differences are due to the font licensing. Some foundries or designers have chosen to only make the fonts available for web use via Typekit at this time, while others have licensed their fonts for both web and sync. 
    We are continuing to license fonts from our foundry partners for sync as we move forward. If you need a particular weight of a font that is not available to sync from Typekit, you can likely purchase a license directly from the foundry.
    Adobe Typekit Help: Fonts that aren't available for sync
    I hope that this helps! Let us me know if you have any other questions, either here or by email at [email protected]  Best,
    -- liz

  • Specifying the character set for Web Services

    Hi
    When i set the weblogic system property
    -Dweblogic.webservice.i18n.charset=utf-8
    I get an error from weblogic douring startup
    <BEA-141087> <Unrecognized property: webservice.i18n.charset.>
    I'm using wls 8.1.
    Shouldn't this be the way to specify the encoding for web services
    Regards
    Preben

    Is it a Warning or a Error?
    If it is WARNING it is a known issue with the logging.
    The charset you set should work fine.
    Ajay
    "Preben" <[email protected]> wrote in message news:[email protected]..
    >
    Hi
    When i set the weblogic system property
    -Dweblogic.webservice.i18n.charset=utf-8
    I get an error from weblogic douring startup
    <BEA-141087> <Unrecognized property: webservice.i18n.charset.>
    I'm using wls 8.1.
    Shouldn't this be the way to specify the encoding for web services
    Regards
    Preben

  • Using quick time videos (for web)

    Hi guys,
    In my project I am using quick time videos within director,
    which work fine when it is published and play back in the
    projector. However when I export for web, the videos don't play
    back in the web browser. Is there something I am missing when
    exporting?
    Many thanks,
    Rich

    Yeah, I did upload them in their relative folder. They are
    about 15MB each and 30 seconds long. I don't have a "dswmedia"
    foler, what do I need to do with that? The error message I get
    is...
    "This application requires an Xtra (QuickTime) that either
    does not exist or failed to initialize properly. Please make sure
    the appropiate Xtras are in the Xtras folder"
    Thanks!

  • How can I use a READ statement for the checking date =sydatum?

    Hello,
         I need use a READ statement on an internal table ITAB (with feild var1) and check whether feild var1<= sydatum(i.e. var1 greater than or equal to sy-datum)....how can I implement this??
    Regards,
    Shashank.

    Hi,
    try this short example.
    DATA: BEGIN OF ITAB OCCURS 0,
            DATE LIKE SY-DATUM,
          END   OF ITAB.
    ITAB-DATE = '20000101'. APPEND ITAB.
    ITAB-DATE = '20010101'. APPEND ITAB.
    ITAB-DATE = '20020101'. APPEND ITAB.
    ITAB-DATE = '20030101'. APPEND ITAB.
    ITAB-DATE = '20040101'. APPEND ITAB.
    ITAB-DATE = '20050101'. APPEND ITAB.
    ITAB-DATE = '20060101'. APPEND ITAB.
    ITAB-DATE = '20070101'. APPEND ITAB.
    ITAB-DATE = SY-DATUM.   APPEND ITAB.
    ITAB-DATE = '20080101'. APPEND ITAB.
    LOOP AT ITAB WHERE DATE < SY-DATUM.
      WRITE: / 'before', ITAB-DATE.
    ENDLOOP.
    LOOP AT ITAB WHERE DATE = SY-DATUM.
      WRITE: / 'equal ', ITAB-DATE.
    ENDLOOP.
    LOOP AT ITAB WHERE DATE > SY-DATUM.
      WRITE: / 'after ', ITAB-DATE.
    ENDLOOP.
    Regards, Dieter

  • Using an output statement for a delete w/o affecting any oracle error msg

    Dear all;
    I have a delete statement similar to this below
      delete from tbl_one t
      where t.tbl_one_location = location
      and location not in (select distinct p.issuearea  from tbl_two p);the delete statement is within a package, however what i would like to do is output a simple message to show if the delete was successful meaning that an actual item was deleted and if it wasnt successful output another statement for that.
    I have an idea in my mind which is to keep track of the number of items in tbl_one before the deletion and then check the count after deletion and if the count is less, then the deletion was successful...hence output the message. Is this the best way to go about it or is there an easier way to do this.
    Thank you, All help is appreciated.

    All u need is this -
    SQL%ROWCOUNTPlease see the folowing -
    SQL> select empno
      2    from emp;
         EMPNO
             1
             2
             3
             4
             5
    SQL>
    SQL> BEGIN
      2     DELETE FROM emp
      3           WHERE empno = 1;
      4 
      5     IF (SQL%ROWCOUNT > 0)
      6     THEN
      7        DBMS_OUTPUT.put_line (SQL%ROWCOUNT || ' Rows Deleted.');
      8     END IF;
      9  END;
    10  /
    1 Rows Deleted.
    PL/SQL procedure successfully completed.
    SQL> select empno from emp;
         EMPNO
             2
             3
             4
             5
    SQL> Hope this helps..
    Formatted the code..
    Edited by: Sri on Mar 22, 2011 8:31 AM

  • Using an NDS statement for a SQL stament run only once in a proceudure

    Hi,
    We're using Oracle 11.1.0.7.0.
    I'm going through code written by someone else. In this package they're using NDS for every SQL call whether it gets called multiple times or just once. Is that a good thing?
    I thought NDS was only reserved for SQL statements that get called over and over again in a procedure with possible varying 'WHERE clause' variables and so on...
    Is there ANY benefit to using NDS for SQL queries called only once in a procedure?
    Thanks

    There is no benefit unless you want to turn PL/SQL into SQL*Plus (parse once, run once)
    Procedures exist to make sure : parse at compile time, run many times.
    The code is shooting itself in its own foot.
    Or the developer must have got hold of Tom Kyte's unpublished one chapter book 'How to write unscalable applications'.
    Sybrand Bakker
    Senior Oracle DBA

  • Using animation as icon for JTree node

    Hi,
    I am using a custom tree cell renderer. I have a label in the renderer, the label have gif Image Icon, but the problem is it is not getting animated. But when I use a JLabel with gif icon some where else it is working fine, but it is not working for tree node.
    package com.gopi.utilities.gui;
    import java.awt.Color;
    import java.awt.Component;
    import java.awt.GridBagConstraints;
    import javax.swing.JLabel;
    import javax.swing.JPanel;
    import javax.swing.JTree;
    import javax.swing.tree.DefaultTreeCellRenderer;
    import javax.swing.tree.TreeCellRenderer;
    import com.gopi.remfilebrowser.gui.GUIUtil;
    import com.gopi.remfilebrowser.util.FileBrowserConstants;
    public class CustomTreeCellRenderer implements TreeCellRenderer
         private JPanel panel;
         private JLabel label;
         private TreeCellRenderer defaultRenderer;
         public CustomTreeCellRenderer()
              super();
              panel = GUIUtil.createGridBagPanel();
              label = new JLabel();
              label.setHorizontalAlignment(JLabel.LEFT);
              System.out.println("New");
              GridBagConstraints gc = new GridBagConstraints();
              GUIUtil.fillComponent(panel,label);
              defaultRenderer = new DefaultTreeCellRenderer();
         public Component getTreeCellRendererComponent(JTree tree, Object value,
                     boolean sel,
                     boolean expanded,
                     boolean leaf, int row,
                     boolean hasFocus)
              if(value instanceof NewAbstractTreeNode)
                   NewAbstractTreeNode node = (NewAbstractTreeNode) value;
                   System.out.println("dr");
                   label.setText(value.toString());
                   label.setIcon(ImageLoader.getInstance().getIcon(node.getIconKey()));
                   if(hasFocus && sel)
                        panel.setBackground(FileBrowserConstants.TREE_NODE_SELECTED_COLOR);
                   else if(sel)
                        panel.setBackground(FileBrowserConstants.TREE_NODE_UNSELECTED_COLOR);
                   else
                        panel.setBackground(Color.white);
                   return panel;
              return defaultRenderer.getTreeCellRendererComponent(tree,value,sel,expanded,leaf,row,hasFocus);
    }

    JLabels using ImageIcons are designed to display the icon as is, including animation and all.
    A CellRenderer only paints the Icon once, when the cell is painted. Much ike a rubber stamp of the JComponent. Hence, its not designed to do the animation and all.
    If you really want it, you can probably use MediaTracker and a Timer to do your animation scheduling. Might not be very pretty code though
    ICE

Maybe you are looking for