Issue:  node id in doNavigate() 's first parameter

Hi all,
I have a link on the main portal page called 'Sitemap'. Whenever an user clicks it then the sitemap iview should be displayed. I have added the sitemap iview to the user role and set its 'Invisible in navigation area' to 'Yes'  since I dont want to display it in DTN but on the top explicitly.
On the link click event of "Sitemap' link, I wrote following code :
<b>EPCM.doNavigate('ROLES://portal_content/pc.roles/com.pc.ANONYMOUS_ROLE/com.pc.PC_Sitemap',0);</b>
Thus the navigation target here is hardcoded. If the path of the role or sitemap iview is changed later then this code wont work. This case will surely occur while migrating from development to quality server.
How do I make this navTarget in doNavigate() dynamic ???  Say my iview name ' _Sitemap'  remains constant in all scenarios but only its path changes.
Please help me in this regard.
Thanks, in advance
Prasanna

Hi,
Yes it should contain the server name. the table S_NQ_ACCT is below just make sure..
COLUMN_NAME     TYPE_NAME
USER_NAME     varchar
REPOSITORY_NAME     varchar
SUBJECT_AREA_NAME     varchar
NODE_ID     varchar
START_TS     datetime
START_DT     datetime
START_HOUR_MIN     char
END_TS     datetime
END_DT     datetime
END_HOUR_MIN     char
QUERY_TEXT     varchar
QUERY_BLOB     ntext
QUERY_KEY     varchar
SUCCESS_FLG     numeric
ROW_COUNT     numeric
TOTAL_TIME_SEC     numeric
COMPILE_TIME_SEC     numeric
NUM_DB_QUERY     numeric
CUM_DB_TIME_SEC     numeric
CUM_NUM_DB_ROW     numeric
CACHE_IND_FLG     char
QUERY_SRC_CD     varchar
SAW_SRC_PATH     varchar
SAW_DASHBOARD     varchar
SAW_DASHBOARD_PG     varchar
PRESENTATION_NAME     varchar
ERROR_TEXT     varchar
IMPERSONATOR_USER_NAME     varchar
NUM_CACHE_INSERTED     numeric
NUM_CACHE_HITS     numeric
for more refer this
http://total-bi.com/2011/09/obiee-11g-usage-tracking-rpd/
Thanks
Deva

Similar Messages

  • Displaying second parameter based on first parameter

    Dear Developers,
    In the parameter form or reports, I want to pass value selected
    in the first parameter to the second parameter
    ie. based on the first parameter selected, I would like the
    query written in the second parameter for
    displaying list to display only those values that are associated
    with the first parameter.
    How can I do this?
    I do not want to call report from form with preselected
    parameters.
    Awaiting speedy reply
    Gaurav

    You can't do this in Reports. You need to do it in Forms

  • HT201272 Had some wifi issues while downloading an album. First 3 tracks... sound stops way early but continues the count. How can I tell iTunes to redo the first 3?

    Had some wifi issues while downloading an album. First 3 tracks... sound stops way early but continues the count. How can I tell iTunes to redo the first 3? Any way to just fix it?

    Hey davma1
    All you need to delete the songs then go through the process of downloading the past purchase again.
    Deleting files from the iTunes library and your computer
    http://support.apple.com/kb/ht3842
    Downloading past purchases from the App Store, iBookstore, and iTunes Store
    http://support.apple.com/kb/HT2519
    Thanks for using Apple Support Communities.
    Regards,
    -Norm G.

  • JtreeTable - Nodes update issue - Nodes are cut off

    Hi,
    I'vet got a little problem with the JtreeTable. Everything works fine until I try to change the rendering of a row to BOLD.
    The text turns bold, but the TreeNode (first col in row) is cut off because it was first rendered plain and now its to big to be
    displayed.
    I tried
    tree.getModel().valueForPathChanged(new TreePath(node.getPath()), myNewValue);but beacuse value doesn't change (text stays just font changes) there is no need to fireNodesChanged.

    Here's one I put together. Select any node, and any other node with text that begins with the same letter is rendered in bold. From my test, it looks like repaint on the tree isn't sufficient. However, firing node changed events seem to be working (as a quick and dirty measure, I fire node changed on every node each time). Now I have to go back and revisit the problem I originally had and see what I was doing there.
    import java.awt.BorderLayout;
    import java.awt.FlowLayout;
    import javax.swing.*;
    import javax.swing.event.TreeSelectionEvent;
    import javax.swing.event.TreeSelectionListener;
    import javax.swing.tree.*;
    public class BoldTreeCellTest {
         public static void main(String[] args) {
              SwingUtilities.invokeLater(new Runnable() {
                   public void run() {
                        launchUI();
         private static void launchUI() {
              final DefaultMutableTreeNode[] nodes = new DefaultMutableTreeNode[5];
              JFrame frame = new JFrame("Test JTree With Bold Rendering");
              nodes[0] = new DefaultMutableTreeNode("root of the tree here");
              nodes[1] = new DefaultMutableTreeNode("Every cell which has the");
              nodes[2] = new DefaultMutableTreeNode("same first character as the");
              nodes[3] = new DefaultMutableTreeNode("selected cell text will have it's text");
              nodes[4] = new DefaultMutableTreeNode("rendered in bold.");
              for (int i=1; i<nodes.length; i++) {
                   nodes[0].add(nodes);
              final DefaultTreeModel model = new DefaultTreeModel(nodes[0]);
              final JTree tree = new JTree(model);
              final JRadioButton useRepaintButton = new JRadioButton("Repaint Tree", true);
              final JRadioButton useNodesChangedButton = new JRadioButton("Fire Nodes Changed");
              ButtonGroup buttonGroup = new ButtonGroup();
              buttonGroup.add(useRepaintButton);
              buttonGroup.add(useNodesChangedButton);
              tree.getSelectionModel().addTreeSelectionListener(new TreeSelectionListener() {
                   @Override
                   public void valueChanged(TreeSelectionEvent event) {
                        if (useRepaintButton.isSelected()) {
                             tree.repaint();
                        } else {
                             model.nodeChanged(nodes[0]);
                             model.nodesChanged(nodes[0], new int[] {0, 1, 2, 3});
              tree.setCellRenderer(new BoldTreeCellRenderer());
              JScrollPane pane = new JScrollPane(tree);
              JPanel panel = new JPanel(new BorderLayout());
              JPanel buttonPanel = new JPanel(new FlowLayout());
              buttonPanel.add(useRepaintButton);
              buttonPanel.add(useNodesChangedButton);
              panel.add(buttonPanel, BorderLayout.NORTH);
              panel.add(pane, BorderLayout.CENTER);
              frame.setContentPane(panel);
              frame.pack();
              frame.setLocationRelativeTo(null);
              frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
              frame.setVisible(true);
    import java.awt.Component;
    import java.awt.Font;
    import javax.swing.JLabel;
    import javax.swing.JTree;
    import javax.swing.tree.DefaultMutableTreeNode;
    import javax.swing.tree.DefaultTreeCellRenderer;
    import javax.swing.tree.TreePath;
    public class BoldTreeCellRenderer extends DefaultTreeCellRenderer {
         private Font plainFont;
         private Font boldFont;
         public BoldTreeCellRenderer() {
              super();
              Font baseFont = (new JLabel()).getFont();
              this.plainFont = baseFont.deriveFont(Font.PLAIN);
              this.boldFont = baseFont.deriveFont(Font.BOLD);
         @Override
         public Component getTreeCellRendererComponent(JTree tree, Object value,
                   boolean selected, boolean expanded, boolean leaf, int row, boolean hasFocus) {
              super.getTreeCellRendererComponent(tree, value, selected, expanded, leaf, row, hasFocus);
              String st = (String) ((DefaultMutableTreeNode) value).getUserObject();
              Font font = this.plainFont;
              TreePath selectionPath = tree.getSelectionPath();
              if (selectionPath != null) {
                   String selectedText = (String) ((DefaultMutableTreeNode) selectionPath.getLastPathComponent()).getUserObject();
                   if (st.startsWith(selectedText.substring(0, 1))) {
                        font = this.boldFont;
              setFont(font);
              return this;
    Edited by: Skotty on Aug 12, 2010 2:02 PM
    Edited by: Skotty on Aug 12, 2010 2:05 PM - set useRepaintButton as selected on start                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                                               

  • Issue of caching Locale with sap-locale parameter

    Hi,
    We have a standalone WDJ application (no EP)which receives sap-locale URL parameter for I18n support. The application always caches the language with which it is shown on browser for the first time. The application is not recognizing the locale even if we send new language as sap-locale parameter. Even if I open a new browser window, the issue persists. When I close all browsers and open new browser window and access the application with a language, it works fine.
    How do we solve this locale caching issue? Is this a known issue with WDJ applications?
    regards,
    Sujesh

    Hi Kira,
    you can try to use a CR_LF to separate the records.
    constants: con_cret type c value cl_abap_char_utilities=>CR_LF.
    And when you append your record to the internal table add to the end the con_cret.
      LOOP AT t_build into wa_charekpo.
        CONCATENATE wa_charekpo-order wa_charekpo-kunnr
                    wa_charekpo-sel
               INTO it_attach SEPARATED BY con_tab.
        CONCATENATE con_cret it_attach  INTO it_attach.
        APPEND  it_attach.
      ENDLOOP.

  • How to show first parameter value in drop down list as a default value dynamically in ssrs report?

    Hi,
    in my ssrs report i have two parameters, accounts and Manager ,there is a cascading between the accounts parameter and manager parameter, as per the cascading we will get managers names based on the account we selected in the accounts parameter,
    my requirement is the first name in the mangers drop down list  has to get selected as default value.
    please help me with this, it is an urgent requirement.
    Thanks in advance,
    Naveen

    Hi NaveenMSBI,
    According to your description, you want to use cascading parameters in the report, if the accounts are selected when you preview the report, the first manager name will be selected from drop down list as the default value. If so, there can be two scenarios:
    • If manager is single-valued parameter, we can get Available Values and Default Values from the same query as below. Then when the accounts are selected, the first manager name will be selected as default value.
    SELECT managerName FROM table_name WHERE accounts IN (@accounts)
    • If manager is multi-valued parameter, we need to use different query for Available Values and Default Values. In this case, please refer to Patrick’s solution.
    For more information about Adding Cascading Parameters, please refer to the following document:
    http://technet.microsoft.com/en-us/library/aa337498(v=sql.105).aspx
    If you have any questions, please feel free to let me know.
    Best Regards,
    Wendy Fu

  • How to use mathscript node in server side with the parameter from the client side

    I tried to develop a server/client system with some algorithms written in matlab. So I included a mathscript node on the server side. The client will send the parameter to the server. According to these parameters, the sever will call the matlab functions to do some computings and then send the results back to the client. The server has to wait for all parameters received before the computings. How do I know this since I only connect the parameter variables to the inputs of mathscript node on the server. The sever cannot know whethere these parameters are the new ones or old ones since the client may send parameters multiple times?

    It seems to me you have two perfectly good options to start with. You could send all possible parameters in a single packet from the client to the server. This could be in the form of a cluster or an array of values. If by server/client you mean you are sending data over the network, then you could flatten this data to string before sending and unflatten it on the other side. Since all parameters come in one packet, you know all the data is valid every time you send data.
    The other option is to send the parameters individually, but include some extra information such as a timestamp or iteration count. The server keeps reading and storing parameter values until a packet arrives with the next timestamp. Alternatively, you could include some information such as an end-of-parameter-list boolean that is sent with every parameter. It would be false until the last parameter packet.
    Give it a thought. There are lots of solutions.
    Jarrod S.
    National Instruments

  • Issues Opening .docx Files - only the first 5 pages show

    We've been working on a 50 page document for about 10 days. All people could access the file without any issue and we turned on the ability where multiple editors can edit the document at one time. Three days ago something happened and some of us are no
    longer able to edit the document. We can see all pages in read-only but as soon as we edit we can only see the first 5 pages. The issue remains when we save an offline copy on our computers to work on. we still cannot access the pages past 5.
    If I save a copy as a .doc file we are able to edit it. However, if I upload a .doc file back to our SharePoint folder we cannot do simultaneous editing. What can I do so that everyone can access the file and we can simultaneously edit again? I'm really
    desperate for help. Thanks!

    that explains a lot, you didnt mention that critical part before.  I upload a lot to FTP sites as well
    originals fine.... but thru the server theyre corrupted, .....that narrows everything down.
    have you contacted sys admin for the server about this?
    see here:
    http://stackoverflow.com/questions/2477564/why-are-docx-files-being-corrupted-wh en-downloading-from-an-asp-net-page

  • Non-reproducable issue dynamic domain based dropdownlist and bind parameter

    [JDeveloper 10.1.3. SU5]
    [JHeadstart 10.1.3. build 91]
    Hi,
    Some dropdown lists in our application, which are based on a dynamic dropdown list using a bind parameter (value for the parameter set in Application Definition File, property 'Query Bind Parameters', i.e. theCodeType=LANGUAGE) most of the time work fine, but sometimes (not structural, not reproducable) do not fill and throw the error "Missing IN or OUT parameter at index: 1".
    This is the case for example in LOV's with Advanced search: one of these advanced search fields uses such a dropdown. When entering the LOV, the error is sometimes raised (and the dropdown list is empty), but when you cancel and try again, it always fills successfully without error. So the mechanism works almost always, but in rare cases gives this error, but not always...and a retry always works as well.
    Sounds like a known error?
    Toine

    I have run into a similar issue recently, using Jdeveloper 10.1.3.1.0 (currently the latest release)
    It's intermittent and next to impossible to repeat. Here's the debug-output:
    ...sql query) QRSLT WHERE SOMEID = :Bind_Someid
    06/12/11 15:12:37 [7494] Bind params for ViewObject: SomeView2
    06/12/11 15:12:37 [7495] Binding param "Bind_Someid": 212
    06/12/11 15:12:37 [7496] ViewObject: SomeView2 close single-use prepared statements
    06/12/11 15:12:38 [7497] QueryCollection.executeQuery failed...
    06/12/11 15:12:38 [7498] java.sql.SQLException: Missing IN or OUT parameter at index:: 1
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:138)
         at oracle.jdbc.driver.DatabaseError.throwSqlException(DatabaseError.java:175)
         at oracle.jdbc.driver.OraclePreparedStatement.processCompletedBindRow(OraclePreparedStatement.java:1566)
         at oracle.jdbc.driver.OraclePreparedStatement.executeInternal(OraclePreparedStatement.java:2996)
         at oracle.jdbc.driver.OraclePreparedStatement.executeQuery(OraclePreparedStatement.java:3043)
         at oracle.jbo.server.QueryCollection.buildResultSet(QueryCollection.java:857)
         at oracle.jbo.server.QueryCollection.executeQuery(QueryCollection.java:666)
         at oracle.jbo.server.ViewObjectImpl.executeQueryForCollection(ViewObjectImpl.java:3655)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:742)
         at oracle.jbo.server.ViewRowSetImpl.execute(ViewRowSetImpl.java:687)
         at oracle.jbo.server.ViewRowSetIteratorImpl.ensureRefreshed(ViewRowSetIteratorImpl.java:2657)
         at oracle.jbo.server.ViewRowSetIteratorImpl.refresh(ViewRowSetIteratorImpl.java:2915)
         at oracle.jbo.server.ViewRowSetImpl.notifyRefresh(ViewRowSetImpl.java:2085)
         at oracle.jbo.server.ViewRowSetImpl.refreshRowSet(ViewRowSetImpl.java:4839)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyDetailRowSets(ViewRowSetIteratorImpl.java:3408)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyNavigationToRow(ViewRowSetIteratorImpl.java:3549)
         at oracle.jbo.server.ViewRowSetIteratorImpl.notifyNavigation(ViewRowSetIteratorImpl.java:3509)
         at oracle.jbo.server.ViewRowSetIteratorImpl.internalSetCurrentRow(ViewRowSetIteratorImpl.java:3293)
         at oracle.jbo.server.ViewRowSetIteratorImpl.setCurrentRow(ViewRowSetIteratorImpl.java:1000)
         at oracle.jbo.server.ViewRowSetIteratorImpl.activateIteratorState(ViewRowSetIteratorImpl.java:3851)
         at oracle.jbo.server.ViewRowSetIteratorImpl.getRangeSize(ViewRowSetIteratorImpl.java:627)
         at oracle.jbo.server.ViewRowSetImpl.getRangeSize(ViewRowSetImpl.java:2251)
         at oracle.jbo.server.ViewObjectImpl.getRangeSize(ViewObjectImpl.java:6090)
         at oracle.adf.model.binding.DCIteratorBinding.initSourceRSI(DCIteratorBinding.java:1550)
         at oracle.adf.model.binding.DCIteratorBinding.callInitSourceRSI(DCIteratorBinding.java:1421)
         at oracle.adf.model.binding.DCIteratorBinding.getRowSetIterator(DCIteratorBinding.java:1404)
         at oracle.adf.model.binding.DCIteratorBinding.setRangeSize(DCIteratorBinding.java:2642)
         at oracle.adf.model.binding.DCBindingContainer.internalRefreshControl(DCBindingContainer.java:2487)
         at oracle.adf.model.binding.DCBindingContainer.refresh(DCBindingContainer.java:2260)
         at oracle.adf.controller.v2.lifecycle.PageLifecycleImpl.prepareModel(PageLifecycleImpl.java:99)
         at oracle.adf.controller.faces.lifecycle.FacesPageLifecycle.prepareModel(FacesPageLifecycle.java:73)
         at oracle.adf.controller.v2.lifecycle.Lifecycle$8.execute(Lifecycle.java:210)
         at oracle.adf.controller.v2.lifecycle.Lifecycle.executePhase(Lifecycle.java:116)
         at oracle.adf.controller.faces.lifecycle.ADFPhaseListener.mav$executePhase(ADFPhaseListener.java:33)
         at oracle.adf.controller.faces.lifecycle.ADFPhaseListener$4.after(ADFPhaseListener.java:331)
         at oracle.adf.controller.faces.lifecycle.ADFPhaseListener.afterPhase(ADFPhaseListener.java:94)
         at com.sun.faces.lifecycle.LifecycleImpl.phase(LifecycleImpl.java:254)
         at com.sun.faces.lifecycle.LifecycleImpl.execute(LifecycleImpl.java:110)
         at javax.faces.webapp.FacesServlet.service(FacesServlet.java:197)
         at com.evermind.server.http.ResourceFilterChain.doFilter(ResourceFilterChain.java:64)
         at oracle.adfinternal.view.faces.webapp.AdfFacesFilterImpl._invokeDoFilter(AdfFacesFilterImpl.java:231)
         at oracle.adfinternal.view.faces.webapp.AdfFacesFilterImpl._doFilterImpl(AdfFacesFilterImpl.java:200)
         at oracle.adfinternal.view.faces.webapp.AdfFacesFilterImpl.doFilter(AdfFacesFilterImpl.java:122)
         at oracle.adf.view.faces.webapp.AdfFacesFilter.doFilter(AdfFacesFilter.java:106)
         at com.evermind.server.http.EvermindFilterChain.doFilter(EvermindFilterChain.java:15)
         at oracle.adf.model.servlet.ADFBindingFilter.doFilter(ADFBindingFilter.java:162)
         at com.evermind.server.http.EvermindFilterChain.doFilter(EvermindFilterChain.java:17)
         at oracle.adf.model.servlet.ADFBindingFilter.doFilter(ADFBindingFilter.java:162)
         at com.evermind.server.http.ServletRequestDispatcher.invoke(ServletRequestDispatcher.java:619)
         at com.evermind.server.http.ServletRequestDispatcher.forwardInternal(ServletRequestDispatcher.java:368)
         at com.evermind.server.http.HttpRequestHandler.doProcessRequest(HttpRequestHandler.java:866)
         at com.evermind.server.http.HttpRequestHandler.processRequest(HttpRequestHandler.java:448)
         at com.evermind.server.http.HttpRequestHandler.serveOneRequest(HttpRequestHandler.java:216)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:117)
         at com.evermind.server.http.HttpRequestHandler.run(HttpRequestHandler.java:110)
         at oracle.oc4j.network.ServerSocketReadHandler$SafeRunnable.run(ServerSocketReadHandler.java:260)
         at oracle.oc4j.network.ServerSocketAcceptHandler.procClientSocket(ServerSocketAcceptHandler.java:239)
         at oracle.oc4j.network.ServerSocketAcceptHandler.access$700(ServerSocketAcceptHandler.java:34)
         at oracle.oc4j.network.ServerSocketAcceptHandler$AcceptHandlerHorse.run(ServerSocketAcceptHandler.java:880)
         at com.evermind.util.ReleasableResourcePooledExecutor$MyWorker.run(ReleasableResourcePooledExecutor.java:303)
         at java.lang.Thread.run(Thread.java:595)
    Once the problem occurs, it is persistent and is not resolved except by logging the user out (session.invalidate()) or starting a new session.
    Is there anything I can do to resolve this?

  • Permissions issue - node creation

    Today our application developed a new bug related to posting messages into a SimpleChatModel node.  It tells us that the user does not have permission to create the node.
    We have approximately 50 rooms and all of them have the nodes we need already in them.  There is no node creation that takes place during normal operation of our application.
    Now, we've been doing this type of posting (successfully posting chat messages into the SimpleChatModel with only Publisher-level permissions) all last week and over the weekend.  It may be that we wrote a bug of course, but I couldn't help noticing that the timing coincided with Nigel's blog post introducing the new SDK.  Is it possible that the volume of new LCCS users, or the use of new server-side permission techniques is related to our issue?
    Thanks,
    -Mike

    Hironmay, I appreciate your input, I know I didn't really provide enough info but I wanted to see if there actually was a problem of which you were aware.
    The behavior was better this morning - but the error has returned (no changes to our code have been made).  So I suspect it is either a timing issue related to how elements of the swf load, or a bug in your service.
    Here is some of the code we use to initialize the chat pod.
    import com.adobe.rtc.sharedModel.descriptors.ChatMessageDescriptor;
    import com.adobe.rtc.events.ChatEvent;
    import com.adobe.rtc.sharedModel.SimpleChatModel;
    [Bindable]
    public var chatModel:SimpleChatModel;
    private function init():void{
    chatModel = new SimpleChatModel();
    chatModel.sharedID = "myChat_SimpleChatModel";
    sync();
    chatModel.addEventListener(ChatEvent.HISTORY_CHANGE, onChatMsg);
    this.addEventListener(KeyboardEvent.KEY_UP, onKeyStroke);
    public function sync():void
    chatModel.subscribe();
    protected function submitChat(str:String):void
    var cmd:ChatMessageDescriptor = new ChatMessageDescriptor();
    cmd.msg =  str;
    chatModel.sendMessage(cmd);
    chat_mesg_input.text = "";
    that code is in an mxml file that defines the chat pod.  the only other place in which we call sync() is reproduced with a small bit of context here:
    if (_usersInRoom == "2" && !_synched) {
    startPublication();
    if (chatPod) {
    chatPod.sync();
    _synched = true;
    this issue does not seem to be confined to any specific room(s) and we are using version 10.
    Error: MessageManager.createNode : insufficient permissions to create node
    at com.adobe.rtc.messaging.manager::MessageManager/http://www.adobe.com/2006/connect/cocomo/messaging/internal::createNode()[C:\work\branches \connect\1004\cocomoPlayer10\src\com\adobe\rtc\messaging\manager\MessageManager.as:253]
    at com.adobe.rtc.sharedModel::CollectionNode/publishItem()[C:\work\branches\connect\1004\coc omoPlayer10\src\com\adobe\rtc\sharedModel\CollectionNode.as:615]
    at com.adobe.rtc.sharedModel::SimpleChatModel/sendMessage()[C:\work\branches\connect\1004\co comoPlayer10\src\com\adobe\rtc\sharedModel\SimpleChatModel.as:377]
    at ChatComponent/submitChat()[/Users/mschwab/work/GoodChat/flex/src/ChatComponent.mxml:31]
    at ChatComponent/onKeyStroke()[/Users/mschwab/work/GoodChat/flex/src/ChatComponent.mxml:55]

  • Issues to pass a column name as parameter. please advice.

    hi all,
    i have some difficulty with oracle reports. i'm a novice with 2 days beginner knowledge.
    i am not able to use lexical parameters in reports. my query is simple like
    select &col_name abc from xyz;
    i have tried making a parameter before creating the SQL but still i recieve the error saying that ORA-00922: missing expression.
    also i have tried with bind variables like
    select :col_name abc from xyz;
    but it gives a :col_name inplace of the records data.
    could some help me with step by step procedure for creating a lexical parameter.
    i am using reports 6i.
    please let me know for any details required.
    thanks in advance!!!

    When I create a lexical, I simply type in the SQL:
    select
    &lp_column_name
    from table_x;Save the sql, then the lexical parameter will be automatically created. After that you can specify what lp_column_name means, by specifying its value in the Before Report trigger. You'll probably have something like this in the PL/SQL editor:
    begin
      if :p_column_name is not null then
        :lp_column_name := :p_column_name;
      end if;
    end;where :p_column_name is one of the input parameters when user runs a report in Oracle Applications.

  • Gettin "Assertion Failed" message and "Assert: parent node must have _DOMElement set", first when trying to bookmark and then when the "auto fill" on some web sites is used. Started after 3.6.9 automatic upgrade.

    Open Firefox and navigate to web site. Try to save to bookmarks and get the "assertion Failed" message and "Assert: parent node must have _DOMElement set" followed by a list of 8 (0-8) items.

    Try the Tiny Menu extension. I am using an older version of Tiny Menu on Lucid with Firefox 3.6.x and it works fine.

  • G550 Laptop Horizontal Lines - Known Issue - On my 2nd After Returning First - Not Feeling Confident

    I recently purchased a G550 model laptop -- This laptop has everything I would want in this price range and was pleased to have found it on sale and after a test drive left Fry's Electronics with a smile. When I was walking out, I saw a man bringing back in the same model for a return - I tried my best to ignore that and think positive.
    The 2nd day I used it I began to see intermittent white horizontal flicker lines -- sometimes across the majority of screen, always from right to left and then in the very top portion of the screen. It then evolved into a line of white small dashes in the middle of the very top of the screen. Searching the internet, I found many many posts and videos with exactly the same problem or very similar on this same model and others from Lenovo.
    I took the time to capture the line flickers with my video camera and decided to return it as it was only used briefly in the 5 days I had it in use. Since the lines were intermittent/random in their appearance times - I had a hard time verifying the defect - luckily the videos and the store manager helped me and offered me a new G550 and extended the return time as if I had bought it on return date (as he should). The man at the return desk actually said "You know you are buying one of our cheaper laptops in the whole store - so what do you expect?" - This was not what I or anybody should hear. If I am spending 300.00 on electronics - it should work as described. I bit my tongue and did not reply as it would not have been a polite response from me.
    So now I am running the new G550 that they replaced it with -- funny as certain software is on this one like the Lenovo support software that was NOT on my original purchased laptop.
    At the moment, I have app. 10 days left to get a full refund if this machine starts to do the "screen line flickers". However, I am feeling very UNCONFIDENT as I read more and more about this known issue.
    Yes, I know the warranty covers this scenario for one year - but nobody wants to ship their laptop back to the manafacturer and wait for repair and or replacement parts.
    Is there any known "fixes" for this that will not involve voiding my warranty? --- I understand it is a hardware issue and am watching for the flickers to appear always. Last thing I need -- being on a very low set monthly income - is to lose my 15 day return window and have the flickers appear on day 20.
    Can anyone please offer any info/suggestions so that I am not "computing scared" the next 10 days before my return window at Fry's expires?
    Shouldnt be feeling nervous after buying new laptops. Other than this issue, I love the feel/size/keyboard and eevrything else on this G550. I dont want it to go bad on me --- but I simply cannot afford to have it turn defective on me 2 weeks from now.
    Thanks to all who have read this lengthy post. I would be most grateful to anyone who replies.
    Sincerely, FP

    hi FA,,
    You're issues might be similar to this article - G550 - red, blue, yellow lines appeared on screen.
    Sorry to hear about your trouble there at the store. AFAIK, flickering issues / vertical lines are commonly caused by either the LCD cable, lcd inverter, or the LCD itself. Not sure if it's a bad batch but kindly check the solutions that were provided on the article above to see what's the best course of action for the issue.
    For the warranty coverage, flickering issues are usually covered if it's caused by a faulty lcd part (the lcd cable,  inverter, or the lcd itself), I've seen this happen on my laptop (which is a different brand) and the problem lies with the LCD cable. I recommend you contact lenovo for more info on how to go about having the computer serviced under warranty.
    Best regards,
    neokenchi
    Did someone help you today? Press the star on the left to thank them with a Kudo!
    If you find a post helpful and it answers your question, please mark it as an "Accepted Solution"! This will help the rest of the Community with similar issues identify the verified solution and benefit from it.
    Follow @LenovoForums on Twitter!

  • Coherence multicast issue - nodes leaves, cannot join back

    We have six nodes in a cluster. We use multicast with a TTL=1. The nodes are all part of same VLAN.
    After certain period of inactivity, we see multiple nodes leaving the cluster with messages like below...
    2011-11-22 18:47:52,973 ERROR [STDERR] 2011-11-22 18:47:52.972/1840.837 Oracle Coherence GE 3.5.1/461 <Error> (thread=PacketListenerN, member=2): Stopping cluster due to unhandled exception: com.tangosol.net.messaging.ConnectionException: Unable to refresh sockets: [UnicastUdpSocket{State=STATE_OPEN, address:port=10.137.2.64:8088}, MulticastUdpSocket{State=STATE_OPEN, address:port=224.3.5.7:35473, InterfaceAddress=10.137.2.64, TimeToLive=1}, TcpSocketAccepter{State=STATE_OPEN, ServerSocket=10.137.2.64:8088}]; last failed socket: MulticastUdpSocket{State=STATE_OPEN, address:port=224.3.5.7:35473, InterfaceAddress=10.137.2.64, TimeToLive=1}
         at com.tangosol.coherence.component.net.Cluster$SocketManager.refreshSockets(Cluster.CDB:91)
         at com.tangosol.coherence.component.net.Cluster$SocketManager$MulticastUdpSocket.onInterruptedIOException(Cluster.CDB:9)
         at com.tangosol.coherence.component.net.socket.UdpSocket.receive(UdpSocket.CDB:33)
         at com.tangosol.coherence.component.net.UdpPacket.receive(UdpPacket.CDB:4)
         at com.tangosol.coherence.component.util.daemon.queueProcessor.packetProcessor.PacketListener.onNotify(PacketListener.CDB:19)
         at com.tangosol.coherence.component.util.Daemon.run(Daemon.CDB:42)
         at java.lang.Thread.run(Thread.java:662)
    Caused by: java.net.SocketTimeoutException: Receive timed out
         at java.net.PlainDatagramSocketImpl.receive0(Native Method)
         at java.net.PlainDatagramSocketImpl.receive(PlainDatagramSocketImpl.java:145)
         at java.net.DatagramSocket.receive(DatagramSocket.java:725)
         at com.tangosol.coherence.component.net.socket.UdpSocket.receive(UdpSocket.CDB:20)
         at com.tangosol.coherence.component.net.UdpPacket.receive(UdpPacket.CDB:4)
         at com.tangosol.coherence.component.util.daemon.queueProcessor.packetProcessor.PacketListener.onNotify(PacketListener.CDB:19)
         at com.tangosol.coherence.component.util.Daemon.run(Daemon.CDB:42)
         at java.lang.Thread.run(Thread.java:662)
    2011-11-22 18:47:52,973 ERROR [STDERR] 2011-11-22 18:47:52.973/1840.838 Oracle Coherence GE 3.5.1/461 <D5> (thread=Cluster, member=2): Service Cluster left the cluster
    2011-11-22 18:47:53,093 ERROR [STDERR] 2011-11-22 18:47:53.090/1840.955 Oracle Coherence GE 3.5.1/461 <D5> (thread=DistributedCache, member=2): Service DistributedCache left the cluster+
    The exact same message appears on 4 out of 6 nodes. Other two nodes then join back and form a smaller cluster.
    When the next request goes to one of the "dead" node, that node tries to join back with the original cluster and it fails with the message below. The same kind of message happens on another server as well. Thus neither can join back the original cluster or form a new one.
    Questions:
    *1. Why would the members leave?"*
    *2. When they try to join back why do they get exceptions trying to join back to the cluster?"*
    *3. What are the recommendation to ensure that the members can join back? How can we increase the retry count so that they don't give up on retrying after 3 attempts?"*
    *4. Is there something to be concerned about when it says "Service DistributedCache left the cluster"? What is its meaning?*
    2011-11-23 14:11:31,559 ERROR [STDERR] 2011-11-23 14:11:31.559/71659.424 Oracle Coherence GE 3.5.1/461 <D5> (thread=Cluster, member=n/a): Service Cluster joined the cluster with senior service member n/a
    2011-11-23 14:11:58,045 ERROR [STDERR] 2011-11-23 14:11:58.045/71685.910 Oracle Coherence GE 3.5.1/461 <Warning> (thread=Cluster, member=n/a): This Member(Id=0, Timestamp=2011-11-23 14:11:31.499, Address=10.137.2.64:8088, MachineId=33088, Location=site:company.net,machine:host2,process:3527) has been attempting to join the cluster at address 224.3.5.7:35473 with TTL 1 for 26 seconds without success; this could indicate a mis-configured TTL value, or it may simply be the result of a busy cluster or active failover.
    2011-11-23 14:11:58,047 ERROR [STDERR] 2011-11-23 14:11:58.047/71685.912 Oracle Coherence GE 3.5.1/461 <Warning> (thread=Cluster, member=n/a): Received a discovery message that indicates the presence of an existing cluster that does not respond to join requests; this is usually caused by a network layer failure:
    Message "SeniorMemberHeartbeat"
    FromMember=Member(Id=1, Timestamp=2011-11-22 18:15:41.108, Address=10.137.2.63:8088, MachineId=33087, Location=site:ie.intuit.net,machine:qypprdfisap01,process:13982, Role=JavaLangThread)
    FromMessageId=0
    Internal=false
    MessagePartCount=1
    PendingCount=0
    MessageType=17
    ToPollId=0
    Poll=null
    Packets
    [000]=Broadcast{PacketType=0x0DDF00D2, ToId=0, FromId=1, Direction=Incoming, ReceivedMillis=14:11:58.45, MessageType=17, MessagePartCount=1, MessagePartIndex=0, Body=0x0000000133CE3505340A89023F00000000000000000000000040001F980000813F0001050104040E636C75737465723A3078433541420D69652E696E747569742E6E6574400D71797070726466697361703031053133393832400E4A6176614C616E67546872656164000000000133D27C381B010000000500, Body.length=121}
    Service=ClusterService{Name=Cluster, State=(SERVICE_STARTED, STATE_ANNOUNCE), Id=0, Version=3.5}
    ToMemberSet=null
    NotifySent=false
    LastRecvTimestamp=Wed Nov 23 14:11:56 PST 2011
    MemberSet=MemberSet(Size=2, BitSetCount=1, ids=[1, 3])
    2011-11-23 13:24:03,630 ERROR [STDERR] 2011-11-23 13:24:03.628/68794.632 Oracle Coherence GE 3.5.1/461 <D5> (thread=Cluster, member=n/a): Service Cluster left the cluster
    2011-11-23 13:24:03,632 ERROR [STDERR] 2011-11-23 13:24:03.632/68794.636 Oracle Coherence GE 3.5.1/461 <Error> (thread=ajp-0.0.0.0-8009-1, member=n/a): Error while starting cluster: com.tangosol.net.RequestTimeoutException: Timeout during service start: ServiceInfo(Id=0, Name=Cluster, Type=Cluster
    MemberSet=ServiceMemberSet(
    OldestMember=n/a
    ActualMemberSet=MemberSet(Size=0, BitSetCount=0
    MemberId/ServiceVersion/ServiceJoined/ServiceLeaving
    )

    Please do a test with %Coherence_Home%\bin\multicast-test.cmd to check that multicast is OK....
    and the do a test with %Coherence_Home%\bin\datagram-test.cmd to check your network performance....
    Look at the documentation it is well documented...

  • Video and Sound issues depending on how ATV2 is first used

    I have the HDMI run directly to TV, and the optical run to DAC/Amp
    1) TV is first off, then stream music from iPhone through Airplay
    Sound is great.  But later when TV is turned on, ATV2 only shows the apple logo with everything is only shades of green. Can not get the menu to appear again.
    2) TV is first on, then stream music from iPhone through Airplay
    Video works fine, but sound has noise and popping,

    And 3) A loud POP from the optical out when ATV2 first awakes
    Latest 4.4.3 firmware

Maybe you are looking for

  • How do I set up a vpn on blackberry q10?

    I just bought bbq10,,and i can`t access my network data,,because my sim that used in iphone 4 and after i put it in bbq10,i can only get a call but it can not connect internet,,i wanna creat new VPN/ANP for my phone,,but i dont know how to make it,,h

  • Service Number In Receiver communication channel

    Hi Guys Can u plz tell me what value should i enter against <b>Service Number</b> while creating communication chanell in ID  integration directory

  • Image Capture and special characters in file names.

    Hung up image capture yesterday: We tried to enter a date in the file name of the document we were scanning. It proceeded normally, but then did not save the file and image capture would not scan again until OS restarted. Problem repeated until we di

  • Beeps on a KT4 Ultra

    Ok this is the problem. I have an KT4 Ultra with an AMD AthlonXP1700+ that emits a single beep.  ?(  Not continously but every 1/2 minute to a minute. Sometimes it is quit for the whole day and than it starts again.  X( There is nothing in the manual

  • Opening from"Open Recent" does not show any files.  Help!

    Every time I start IBA the splash screen shows up the templates available.  At the bottom of the screen there is an option to "open recent" files.  The same at the "file" menu on the top menu bar.  I see no file records in either one.  I always have