Announce: Trinidad in Action - Part 1: An introduction

Hello,
I am pleased to announce the first in a series of articles by Matthias Wessendorf about the Apache MyFaces Trinidad JSF component suite. Here is an excerpt:
Trinidad - JSF components and more
Trinidad is not only a JSF library that contains over 100 Ajax-based components-it also provides tools and various framework features, which are used by other JSF libraries such as Oracle ADF Faces Rich Client. Some of the additional offerings are:
          * CSS Skinning Framework
          * Ajax API (client-side and server-side)
          * Dialog support
          * Maven 2 plugins
          * Testing framework
Read the rest of the article here: [Trinidad in Action - Part 1|http://www.jsfcentral.com/articles/trinidad_1.html]
Kito Mann

Hi,
Your code just set item P123_DISPLAY_HTML value to session state.
It do not call any on demand process that could return something.
Below code do not do anything else than trigger custom event in APEX 3.x. There is nothing out of box that bind to that event.
$('# DISPLAY_HTML').trigger('apexrefresh');Maybe this old Carl's blog post help you to right direction
http://carlback.blogspot.com/2007/12/apex-ajax-reports-and-you-and-bit-of-31.html
Regards,
Jari
http://dbswh.webhop.net/dbswh/f?p=BLOG:HOME:0

Similar Messages

  • ANNOUNCE:  Trinidad in Action Part 2

    Hello,
    In the second installment of the Trinidad series, Matthias Wessendorf shows how Ajax is built into all the Trinidad components. You will also learn how easy it is to use the client- and server-side Ajax API, which gives you a straightforward way to add application-specific Ajax support.
    Read the full article here: [Trinidad in Action Part 2| http://www.jsfcentral.com/articles/trinidad_2.html]
    Kito D. Mann -- Author, JavaServer Faces in Action
    http://twitter.com/kito99  http://twitter.com/jsfcentral
    http://www.virtua.com - JSF/Java EE consulting, training, and mentoring
    http://www.JSFCentral.com - JavaServer Faces FAQ, news, and info
    +1 203-404-4848 x3

    adding the following line to my .bash_profile solved the problem. Thanks to Benjamin's clue provided at http://www.puschitz.com/InstallingOracle9i.shtml
    LD_ASSUME_KERNEL=2.2.4;export LD_ASSUME_KERNEL

  • Announcements /events / FAQs web part in a scrolling fashion on the landing page

    hi,
    can anyone help how to develop the below kind of UI in my SP 2013 KM  portal using cqwp/cewp/ jquery.
    i tried with the custom visual web part, but my customer says they want me to use client side / OOTB feature of SP. 
    i am wanting to display the same in the landing page. so that when  end users click "More" they will be navigated to the
    All Announcements Page [ may be its   a  page layout in pages library ].
    the other tricky part am seeing is how to show these individual/single announcements in a scrolling manner.
    help is highly appreciated!

    hi Amr,
    in the url you have provided am not able to follow this step:
    below :
    http://sharepointtweaks.blogspot.ae/2012/07/image-carousel-webpart-sanboxed.html
    3- Export the webpart you will prompt to download file named "Content Query.webpart" 
    i am not seeing the option to export the web part.
    from where will
    i download file named "Content Query.webpart .

  • How to concatenate 2 outcomes in the action part of a button?

    I have a button that has an actionListener and an action and in action I want to concatenate two outcomes like this:
    action="#{bindings.Execute.outcome bindings.Commit.outcome}"
    I don't know how to concat the two. Execute updates an LOV , commit commits. I want them both to be executed....

    Wendy, have you considered double-clicking on button in the visual designer and allowing JDeveloper to create an action for you (stub) in the backing bean? From there you could even call these two programs using the method of calling things in the binding layer from the bean using java calls and passing the same EL expressions. This method is spelled out in the ADF Developer's guide. From that point you can concatenate the outcomes using the java concatenation operator.

  • Introduction to regular expressions ... last part.

    Continued from Introduction to regular expressions ... continued., here's the third and final part of my introduction to regular expressions. As always, if you find mistakes or have examples that you think could be solved through regular expressions, please post them.
    Having fun with regular expressions - Part 3
    In some cases, I may have to search for different values in the same column. If the searched values are fixed, I can use the logical OR operator or the IN clause, like in this example (using my brute force data generator from part 2):
    SELECT data
      FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE data IN ('abc', 'xyz', '012');There are of course some workarounds as presented in this asktom thread but for a quick solution, there's of course an alternative approach available. Remember the "|" pipe symbol as OR operator inside regular expressions? Take a look at this:
    SELECT data
      FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE REGEXP_LIKE(data, '^(abc|xyz|012)$')
    ;I can even use strings composed of values like 'abc, xyz ,  012' by simply using another regular expression to replace "," and spaces with the "|" pipe symbol. After reading part 1 and 2 that shouldn't be too hard, right? Here's my "thinking in regular expression": Replace every "," and 0 or more leading/trailing spaces.
    Ready to try your own solution?
    Does it look like this?
    SELECT data
      FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE REGEXP_LIKE(data, '^(' || REGEXP_REPLACE('abc, xyz ,  012', ' *, *', '|') || ')$')
    ;If I wouldn't use the "^" and "$" metacharacter, this SELECT would search for any occurence inside the data column, which could be useful if I wanted to combine LIKE and IN clause. Take a look at this example where I'm looking for 'abc%', 'xyz%' or '012%' and adding a case insensitive match parameter to it:
    SELECT data
      FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE REGEXP_LIKE(data, '^(abc|xyz|012)', 'i')
    ; An equivalent non regular expression solution would have to look like this, not mentioning other options with adding an extra "," and using the INSTR function:
    SELECT data
      FROM (SELECT data, LOWER(DATA) search
              FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE search LIKE 'abc%'
        OR search LIKE 'xyz%'
        OR search LIKE '012%'
    SELECT data
      FROM (SELECT data, SUBSTR(LOWER(DATA), 1, 3) search
              FROM TABLE(regex_utils.gen_data('abcxyz012', 4))
    WHERE search IN ('abc', 'xyz', '012')
    ;  I'll leave it to your imagination how a complete non regular example with 'abc, xyz ,  012' as search condition would look like.
    As mentioned in the first part, regular expressions are not very good at formatting, except for some selected examples, such as phone numbers, which in my demonstration, have different formats. Using regular expressions, I can change them to a uniform representation:
    WITH t AS (SELECT '123-4567' phone
                 FROM dual
                UNION
               SELECT '01 345678'
                 FROM dual
                UNION
               SELECT '7 87 8787'
                 FROM dual
    SELECT t.phone, REGEXP_REPLACE(REGEXP_REPLACE(phone, '[^0-9]'), '(.{3})(.*)', '(\1)-\2')
      FROM t
    ;First, all non digit characters are beeing filtered, afterwards the remaining string is put into a "(xxx)-xxxx" format, but not cutting off any phone numbers that have more than 7 digits. Using such a conversion could also be used to check the validity of entered data, and updating the value with a uniform format afterwards.
    Thinking about it, why not use regular expressions to check other values about their formats? How about an IP4 address? I'll do this step by step, using 127.0.0.1 as the final test case.
    First I want to make sure, that each of the 4 parts of an IP address remains in the range between 0-255. Regular expressions are good at string matching but they don't allow any numeric comparisons. What valid strings do I have to take into consideration?
    Single digit values: 0-9
    Double digit values: 00-99
    Triple digit values: 000-199, 200-255 (this one will be the trickiest part)
    So far, I will have to use the "|" pipe operator to match all of the allowed combinations. I'll use my brute force generator to check if my solution works for a single value:
    SELECT data
      FROM TABLE(regex_utils.gen_data('0123456789', 3))
    WHERE REGEXP_LIKE(data, '^(25[0-5]|2[0-4][0-9]|[01]?[0-9]{1,2})$') 
    ; More than 255 records? Leading zeros are allowed, but checking on all the records, there's no value above 255. First step accomplished. The second part is to make sure, that there are 4 such values, delimited by a "." dot. So I have to check for 0-255 plus a dot 3 times and then check for another 0-255 value. Doesn't sound to complicated, does it?
    Using first my brute force generator, I'll check if I've missed any possible combination:
    SELECT data
      FROM TABLE(regex_utils.gen_data('03.', 15))
    WHERE REGEXP_LIKE(data,
                       '^((25[0-5]|2[0-4][0-9]|[01]?[0-9]{1,2})\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9]{1,2})$'
    ;  Looks good to me. Let's check on some sample data:
    WITH t AS (SELECT '127.0.0.1' ip
                 FROM dual
                UNION 
               SELECT '256.128.64.32'
                 FROM dual            
    SELECT t.ip
      FROM t WHERE REGEXP_LIKE(t.ip,
                       '^((25[0-5]|2[0-4][0-9]|[01]?[0-9]{1,2})\.){3}(25[0-5]|2[0-4][0-9]|[01]?[0-9]{1,2})$'
    ;  No surprises here. I can take this example a bit further and try to format valid addresses to a uniform representation, as shown in the phone number example. My goal is to display every ip address in the "xxx.xxx.xxx.xxx" format, using leading zeros for 2 and 1 digit values.
    Regular expressions don't have any format models like for example the TO_CHAR function, so how could this be achieved? Thinking in regular expressions, I first have to find a way to make sure, that each single number is at least three digits wide. Using my example, this could look like this:
    WITH t AS (SELECT '127.0.0.1' ip
                 FROM dual
    SELECT t.ip, REGEXP_REPLACE(t.ip, '([0-9]+)(\.?)', '00\1\2')
      FROM t
    ;  Look at this: leading zeros. However, that first value "00127" doesn't look to good, does it? If you thought about using a second regular expression function to remove any excess zeros, you're absolutely right. Just take the past examples and think in regular expressions. Did you come up with something like this?
    WITH t AS (SELECT '127.0.0.1' ip
                 FROM dual
    SELECT t.ip, REGEXP_REPLACE(REGEXP_REPLACE(t.ip, '([0-9]+)(\.?)', '00\1\2'),
                                '[0-9]*([0-9]{3})(\.?)', '\1\2'
      FROM t
    ;  Think about the possibilities: Now you can sort a table with unformatted IP addresses, if that is a requirement in your application or you find other values where you can use that "trick".
    Since I'm on checking INET (internet) type of values, let's do some more, for example an e-mail address. I'll keep it simple and will only check on the
    "[email protected]", "[email protected]" and "[email protected]" format, where x represents an alphanumeric character. If you want, you can look up the corresponding RFC definition and try to build your own regular expression for that one.
    Now back to this one: At least one alphanumeric character followed by an "@" at sign which is followed by at least one alphanumeric character followed by a "." dot and exactly 3 more alphanumeric characters or 2 more characters followed by a "." dot and another 2 characters. This should be an easy one, right? Use some sample e-mail addresses and my brute force generator, you should be able to verify your solution.
    Here's mine:
    SELECT data
      FROM TABLE(regex_utils.gen_data('a1@.', 9))
    WHERE REGEXP_LIKE(data, '^[[:alnum:]]+@[[:alnum:]]+(\.[[:alnum:]]{3,4}|(\.[[:alnum:]]{2}){2})$', 'i'); Checking on valid domains, in my opinion, should be done in a second function, to keep the checks by itself simple, but that's probably a discussion about readability and taste.
    How about checking a valid URL? I can reuse some parts of the e-mail example and only have to decide what type of URLs I want, for example "http://", "https://" and "ftp://", any subdomain and a "/" after the domain. Using the case insensitive match parameter, this shouldn't take too long, and I can use this thread's URL as a test value. But take a minute to figure that one out for yourself.
    Does it look like this?
    WITH t AS (SELECT 'Introduction to regular expressions ... last part. URL
                 FROM dual
                UNION
               SELECT 'http://x/'
                 FROM dual
    SELECT t.URL
      FROM t
    WHERE REGEXP_LIKE(t.URL, '^(https*|ftp)://(.+\.)*[[:alnum:]]+(\.[[:alnum:]]{3,4}|(\.[[:alnum:]]{2}){2})/', 'i')
    Update: Improvements in 10g2
    All of you, who are using 10g2 or XE (which includes some of 10g2 features) may want to take a look at several improvements in this version. First of all, there are new, perl influenced meta characters.
    Rewriting my example from the first lesson, the WHERE clause would look like this:
    WHERE NOT REGEXP_LIKE(t.col1, '^\d+$')Or my example with searching decimal numbers:
    '^(\.\d+|\d+(\.\d*)?)$'Saves some space, doesn't it? However, this will only work in 10g2 and future releases.
    Some of those meta characters even include non matching lists, for example "\S" is equivalent to "[^ ]", so my example in the second part could be changed to:
    SELECT NVL(LENGTH(REGEXP_REPLACE('Having fun with regular expressions', '\S')), 0)
      FROM dual
      ;Other meta characters support search patterns in strings with newline characters. Just take a look at the link I've included.
    Another interesting meta character is "?" non-greedy. In 10g2, "?" not only means 0 or 1 occurrence, it means also the first occurrence. Let me illustrate with a simple example:
    SELECT REGEXP_SUBSTR('Having fun with regular expressions', '^.* +')
      FROM dual
      ;This is old style, "greedy" search pattern, returning everything until the last space.
    SELECT REGEXP_SUBSTR('Having fun with regular expressions', '^.* +?')
      FROM dual
      ;In 10g2, you'd get only "Having " because of the non-greedy search operation. Simulating that behavior in 10g1, I'd have to change the pattern to this:
    SELECT REGEXP_SUBSTR('Having fun with regular expressions', '^[^ ]+ +')
      FROM dual
      ;Another new option is the "x" match parameter. It's purpose is to ignore whitespaces in the searched string. This would prove useful in ignoring trailing/leading spaces for example. Checking on unsigned integers with leading/trailing spaces would look like this:
    SELECT REGEXP_SUBSTR(' 123 ', '^[0-9]+$', 1, 1, 'x')
      FROM dual
      ;However, I've to be careful. "x" would also allow " 1 2 3 " to qualify as valid string.
    I hope you enjoyed reading this introduction and hope you'll have some fun with using regular expressions.
    C.
    Fixed some typos ...
    Message was edited by:
    cd
    Included 10g2 features
    Message was edited by:
    cd

    Can I write this condition with only one reg expr in Oracle (regexp_substr in my example)?I meant to use only regexp_substr in select clause and without regexp_like in where clause.
    but for better understanding what I'd like to get
    next example:
    a have strings of two blocks separated by space.
    in the first block 5 symbols of [01] in the second block 3 symbols of [01].
    In the first block it is optional to meet one (!), in the second block it is optional to meet one (>).
    The idea is to find such strings with only one reg expr using regexp_substr in the select clause, so if the string does not satisfy requirments should be passed out null in the result set.
    with t as (select '10(!)010 10(>)1' num from dual union all
    select '1112(!)0 111' from dual union all --incorrect because of '2'
    select '(!)10010 011' from dual union all
    select '10010(!) 101' from dual union all
    select '10010 100(>)' from dual union all
    select '13001 110' from dual union all -- incorrect because of '3'
    select '100!01 100' from dual union all --incorrect because of ! without (!)
    select '100(!)1(!)1 101' from dual union all -- incorrect because of two occurencies of (!)
    select '1001(!)10 101' from dual union all --incorrect because of length of block1=6
    select '1001(!)10 1011' from dual union all) --incorrect because of length of block2=4
    select '10110 1(>)11(>)0' from dual union all)--incorrect because of two occurencies of (>)
    select '1001(>)1 11(!)0' from dual)--incorrect because (!) and (>) are met not in their blocks
    --end of test data

  • How to create an automatic email when a new announcement is created

    Hi,
    In Sharepoint 2013, how can I configure it to automatically send an email to all users when a new announcement is created?
    Regards,
    Stephen.

    You have 2 options
    #1 You can set Alerts at the announcement list level as shown below. In the send alerts to users you can add your user emails or distribution list email and choose email as delivery method. You can choose to
    send Announcements on various actions that are there on the form. This is simple way. This send email the out of the box style. You cannot change that.
    #2 The other option is to use SharePoint Designer and set a workflow on changes and send mail. You can customize the look and feel of it there.
    Srini Sistla Twitter: @srinisistla Blog: http://blog.srinisistla.com

  • Some Questions on Advanced Actions window

    HI
    I have a couple of questions on Advanced Actions (using the CP7 trail version)
    1. What's the function of the "Continue" action?   Exit's the advanced action and advances the Playhead?
    2. What does this comment mean "Nested calls of advanced action is a nice enhancement."? Is the decision tabs at the top of an advanced action page?
    3. What's the function of the "custom" option in the IF statement - "preform action if - custom", it doesn't seem to do anything for me?
    4. Where can i get information about timeline / playhead interaction with advanced actions i.e. where the playhead goes to the start of the slide again. e.g. custom question slide - displaying button, checking answers, feedback - when all/most objects are at the start of the timeline. I'm looking more for playhead functionality infromation rather than how to set up this type of question.
    Thanks
    Donal.

    Hi Lilybiri,
    Thanks for your reply and the link to your blog.
    Continue: Can you just explain yor statement "Continue can also be a choice in a conditional action, when one of the branching commands has nothing to do special but to advance.". When you say "branching command" i'm assuming you mean "IF ELSE statements" and "to advance" is that to the next decision if there is one? and if you didn't include "Continue" would it still advance?
    Custom: I see what you mean the first is an AND statement and the rest are OR statements.
    Nested advanced actions: I picked the term up from the Adobe web site comment by "Hari" on Shared Actions, who i took to be an Adobe person. Maybe i didn't understand the context.
    http://blogs.adobe.com/captivate/2013/07/shared-actions.html
    On Demand: Is there an up to date link. I found this one but the latest recordings are May (advanced action - part 8), and there isn't much training after May so it may be while before your Shared Actions are uploaded.
    http://blogs.adobe.com/captivate/etrainings-adobe-captivate-adobe-elearning-suite-and-adob e-presenter
    Donal

  • Conditional actions in Captivate 6

    I'm using the trial version of Captivate 6.  I just got started using more complex advanced actions, so I'm not sure if its me or the software that's not working
    I have a course that branches.  The user chooses a path of action on Slide 2 and they move through the course.  However, I need them to see all the path options before the course is completed, so on the last slide it takes them back to Slide 2.  I want the option that the user initial chose to gray out so they will click on a new option.
    Here is Slide 2.  The transparent blue circle should only when returning to the slide for the second time only if the user previously clicked on that option.  I even added the variable to the slide (just for myself) to make sure the variable was changing from 0 to 1 when clicked.  That part is working.
    Here is the action part. If the variable (Realtor) = 1 show the smartshape (the transparency on top) ELSE hide the transparency.
    What am I doing wrong?  Thanks

    No.  I want all three options visable at first so the user can pick whichever they like.  Once they are done going down that path and return to the slide that initial option should be faded out to direct them to chose one of the remaining two options.

  • WebHelp stripping out form action

    I have a form in my documentation where users may fill out questions, click a "Submit" button, and it is emailed to me. I remember testing this a few years ago and it worked great. Recently, someone contacted us to say he never heard back from his form. I then tested it, and it never was emailed to me. When I checked the HTML code, it's being stripped for some reason. I'm on the HTML tab, I type in the <form action="mailto..." > data. Then I click to the designer tab. When I click back to the HTML tab, it's gone! No sign of what I JUST typed! Here's the "naked" code:
    </head>
    <body>
    <robohelp><form>
    </robohelp>
    <robohelp><div align=left></robohelp>
    Where you see the <form>, I had just typed in the actual action part. It just disappears though. Further, the bottom part of the code, where the closing </form> tag is, that </form> disappears as well. I type it in, click off the tab, and get this:
    <p><input type=submit name=submit value="Send to Us"><input type=reset name=reset value="Start Over"></p>
    </body>
    </html>
    No </form> tag. Gone. I haven't even clicked Save or ANYTHING at this point. Any ideas why Robohelp would be stripping code like this? Much appreciated.

    Hi there
    By broken, I meant my crystal ball is broken (and sadly still is )
    When you visited the forums to post, I'm guessing you missed seeing this link? If so, please click it and give it a once over. See if that illuminates my reaction.
    Click image below for possibly larger view
    Cheers... Rick
    Helpful and Handy Links
    RoboHelp Wish Form/Bug Reporting Form
    Begin learning RoboHelp HTML 7 or 8 within the day - $24.95!
    Adobe Certified RoboHelp HTML Training
    SorcerStone Blog
    RoboHelp eBooks

  • Use back button and clear advanced action and quiz answer..

    OK, so I have made a quiz where the answer for each question is recorded and given in a list at the end. However, I would like the user to be able to go back and change their answer. At the moment if the user goes back, the answer is locked and they cannot chose a diiferent option.
    Does anyone know if it is possible for them to go back, select a different and still have the advanced action part record the new answer?
    Thanks for any help!

    Only way to reset the answers to a default question slides, during the same session, is to use the Retake button on the score slide (you need to have multiple attempts of course. But that will be done at Quiz level: all answers are reset.
    Another option (in CP6 and later) is to use the Submit all option, then they will be able to go back and change answers. But... I suppose you are using the system variable cpQuizInfoAnswerChoice to populate user variables with those advanced actions? That system variable is not populated when Submit all is chosen.
    Last option is to use remediation, but it will probably not suit you: then user can be sent to a content slide if a question is failed, be sent back to the question slide and can then change the answer. It is not just going back one or more slides.
    Custom question slides will allow what you want, but they necessitate a lot more work and you will not be able to use question pools.
    Lilybiri

  • V4.0 Dynamic Action - Problem with implementing disabling/enabling button

    I'm having trouble implementing the following APEX V4.0 dynamic action:
    The enabling/disabling of a button when a text field is not-null/null.
    I'm following the example in Oracle's Advanced APEX course notes Pgs 5-13 to 5-16. I can get it working with no problems using two text fields. The example states that the "Select Type" for the button is a DOM object and you then have to enter it's name in "DOM Object" attribute. The example uses a "CREATE" button in a region position. Is "CREATE" just the Name attribute of the object? Is that what we are suppose to enter here? Also my FIND button is a "button among the region items" and not a "button in a region position" as in the example. The name of the button is P1_PAT_TBRN_SEARCH but when I use it as the Dom Object, nothing happens. Also I am using the "Key release" event for the text field that must be not-null.
    I notice that Demitri Gielis on his blog couldn't get it working either (see last paragraph)
    http://dgielis.blogspot.com/2010/01/apex-40-dynamic-actions-part-1.html
    Any suggestions?
    thanks in advance
    Paul P
    Edited by: PaulP on Jun 2, 2011 12:01 PM

    Hi Paul
    Two separate situtations here:
    - html buttons
    - template based buttons, typically comprising multiple html elements
    HTML Buttons
    These should be easy to enable/disable using dynamic actions, specifying an appropriate DOM selector.
    Typically you would use the ID attribute of the button, so that's straight forward except for one catch..
    APEX supports a #BUTTON_ID# template substitution tag , but performs substitutions only for buttons in Region positions and not for button items.
    Use button attributes instead to assign a specific ID.
    Template Buttons
    Since these are made up of multiple elements, you need to treat them as a single object to be able to interact with them easily.
    APEX provides the apex.widget.initPageItem method to integrate plugins with the dynamic actions framework:
    apex.widget.initPageItem("P1_MY_ITEM", {
    enable: function(){},
    disable: function(){},
    getValue: function(){},
    setValue: function(){},
    nullValue: "%null%"
    });This provides you with a mechanism to over-ride one or all of these built-in methods with your own JS, to use custom code to enable/disable your template buttons.
    For an example on how this works, look in the uncompressed apex_widget_4_0.js file, search for the shuttle widget.
    You could just add code to initialize your template buttons manually, or better still create a plugin button to add the code automatically.
    This is reasonably advanced work to do, but you really have to take your hat of to the APEX team for providing the mechanism to do it.
    Regards
    Mark
    demo: http://apex.oracle.com/pls/otn/f?p=200801 |
    blog: http://oracleinsights.blogspot.com |
    book: Oracle Application Express 4.0 with Ext JS

  • Help in button action to open a file that is attached to main pdf doc

    Hello,
    I have created a button and used an icon saying "click here...." the action I want to attach to it is to have on mouse down for it to open the file which is attached to the document.
    Is this possible?  If so how do I direct the acton of "open file" to be the one attached in document?  can't figure out path...
    there was a suggestion of how to make a javascript for the button action to open the attachment panel...
    this is what was written... and then below that is my question on what was written...
    thomp wrote:Try thisif(app.viewerVersion < 8)
    app.execMenuItem(....);
    else
    app.execMenuItem(....);
    what would go in the '(...)' above?
    I am very poor at javascript, but I am guessing that there is something I would need to fill in there? Am I correct?
    thank you...
    I, too, am trying to get my button action to open the attached document in my pdf form - NOT the navigation panel... I already have it doing that...
    thanks again for any feedback!

    Erin,
    After you set your link... go back into the edit mode, click on your link and go to Actions Tab, click on the "go to page view in another document' under the actions part of that tab (bottom portion of page), then click on Edit... it will open a 'Target Document' window and in the top portion click on 'open in...' drop down box and select 'new window'.... close out and SAVE!
    Hope that helps!

  • Execute commands as an action?

    I am working for a customer implementing MARS 5.3.2 (2764). They have a lot of Windows servers they are receiving events from via SNARE. They would like to be able to execute commands on the servers depending on the event they see. For example, if their UPS system sends a message that the temperature is too hot, they'd like MARS to be able to send a shutdown command to a particular server. Has anyone seen this done and if so can I get a high-level example?
    Thanks for any help!!!
    /ahuffer/

    No this is not possible in MARS. The maximum you can do is send a regular/XML based email and let some other notification system or action system (like BMC Remedy) take care of the Windows action part.
    MARS can take responses automatically only on Cisco Switches. For Other Layer 3 devices like Cisco/Juniper firewalls it can 'suggest' mitigation commands. In newer versions it has better integration with Cisco Security Manager. But windows........I don't think so. Maybe others can suggest something more useful
    Regards
    Farrukh

  • Attaching Trinidad sources in JDeveloper 11g

    I'm having problems attaching the Trinidad sources to my JDeveloper project (on 11.1.1.1.0). Since the those parts of ADF that have been donated to Apache (as Trinidad) are now obviously open source, I'm confused by the fact that JDeveloper still doesn't seem to want me to use sources with the "Trinidad 11 Runtime" library.
    If I go to Tools -> Manage Libraries... and select the Trinidad 11 Runtime, I can see that the Class Path and Doc Path properties have been given values, but the Source Path property is blank and I cannot edit any of the values.
    If I open a type such as org.apache.myfaces.trinidad.util.MessageFactory (part of trinidad-api.jar, which is part of Trinidad 11 Runtime), I get the standard 'Oracle JDeveloper Stub Generated Source' source file which is pretty useless.
    Any ideas? Is there another source-path property somewhere else that I can configure?

    Hi Timo, thanks for the reply. I've tried creating a new library as suggested, but still no joy I'm afraid. I've tried rebuilding my project, closing and reopening the project, and restarting JDeveloper.
    Here's what my new library looks like:
    http://img197.imageshack.us/img197/9127/library.gif
    (I've also tried with 'Deploy by default' turned on, but really I wan't this off of course).
    when I open e.g. the org.apache.myfaces.trinidad.util.MessageFactory class, I still just get the Oracle JDeveloper Stub Generated Source type contents.
    :(

  • Escalation Action

    Hi....
    We need an escalation action...Ie, When ORder is in Status in process for continously 5 days, we want it to change the status to Voilated.
    Can anyone please suggest how this could be done? I know status config..
    but wanna understand from action part.
    regards,
    KP.

    Hi KP,
    Implement Badi EVAL_STARTCOND_PPF for your logic order status in process for 5days or any complex logic .If condition is satisfied pass ep_rc = 0 in the method else ep_rc = 4.
    Create action profile,definition  and choose process type -> Method
    Create schedule of action , activate the definition ,  under start condition tab choose the start condition which created in step 1.
    Assign Action profile to transaction type. Hope this ll help you for your requiement.
    Thanks,
    Naveen

Maybe you are looking for

  • Can my ipad use wifi and bluetooth at the same time?

    Hi I can stream radio via wifi radio apps and play through earphones. I can connect to my bluetooth speaker and play music stored on my ipad ok. When I connect up to my bluetooth speaker and try to stream the radio app it plays for a couple of second

  • Lightroom 3 asks for serial number launching in non-admin account

    The following information was provided by Carey Burgess (Adobe Employee): Does Lightroom 3 launch and work fine in an admin account, but when you launch the application in a standard (i.e. non-admin) account it asks for a serial number? If so, then i

  • Too many jars cause the error "the input line is too ling"

    Hi, Friends, For some good reasons, I received a lot of jar files (25) and I have to include them in my classpath. Now I have a problem. When I use javac or ant, I got The input line is too long. The syntax of the command is incorrect. I don't know i

  • Help: XMLTYPE need to remove all blankspaces "between nodes"

    Hello, In a table containing a XMLTYPE column, we've got indented XML. For each row in this XMLTYPE column, we would need to remove all the numerous blankspaces located in between all ">" and "<" Basically, we would like the XML to be without its ind

  • Suggestion: Include some kind of "historic changes" at FAQ level.

    At present it is a bit difficult to known which entries has been added or modified. Perhaps including a "Creation Date" and "Modification Date" for each FAQ entry would be enough. Thanks, /César.