3d graph axes labels versus valuepairs for axis

I have specific labels for each x axis item which contain a text string unique to that position.
I can not figure out how to write new valuepairs on to the x axis and get rid of the normal integer indices that are on the graph. I get a mixture of the two instead.  Anyone know how to do this?
In the attached VI below, the string "mylabel" is being written as a valuepair but I cant get rid of the other labels.
Attachments:
MyLabel.vi ‏22 KB

Hi id,
To give you more control over the 3D Curve, on the front panel right-click the 3D curve and choose CWGraph3D >> Properties...  This will let you test different settings quickly.  However, to my knowledge your last post is your best option. You could use extra value pairs as " " to eliminate the other labels.
Will
Certified LabVIEW Architect, Certified Professional Instructor
Choose Movement Consulting
choose-mc.com

Similar Messages

  • Duplicate y-axis labels on charts for small data values -- is this a bug?

    Hi,
    I have several charts where the data values are small (1,2,3). The y-axis labels are duplicated for these charts. For example, if the data value was 2 the y-axis labels display as 0 1 1 1 2 2 2. I know that I can manually set the maximum y-axis value and also set the segments on the chart to eliminate the duplicate values. My issue is that I have over 100 charts in my dashboard and I have to manually set the values each month, and then in the next month when the data values are larger I have to remove the maximum y-axis value so the y-axis value is dynamically created. Is this a known bug within the software? Is there any fix for this besides what I'm already doing?
    Please let me know if anyone else has seen this issue and if this is a bug, or if this has been corrected in any fix packs.
    Thanks!!

    Hi Jim,
    I have data for three months in the data range A1 to B3 as given below -
    Jan - 1
    Feb - 2
    Mar - 3
    In Cell D1 write a formula =MAX(B1:B3)+1 (This will give you value 4)
    Go to Chart property -> Behavior -> Scale -> Manual (Y) Axis ->  Minimum 0 and Maximum will be pointing to cell D1.
    Go to Chart property -> Behavior -> Scale -> Division -> Size of Division 1 and Minor Divisions 1
    This will give you Y Axis values as 0,1,2,3,4
    Now change value of any month to 5.  Now value in D1 would become 6 and Y-Axis would change to 0,2,4,6.
    Hope this helps.
    Rashmi
    Edited by: RashmiG on Jan 8, 2010 4:45 PM

  • Plot a 2D Graph as Date being on X-Axis

    hi all,
    I'm a quite a new bee to Java 2D an would like to know if there are any possibilities to plot a graph in java 2D with X Axis representing Date.
    I would need a graph somewhat like
    Y
    |_____
    | _______
    |
    |_____
    |
    |________________________ X Axis = Date ->
    I have to plot a graph which has a Blocks (consisting of Start & end Dates).
    So my graph looks like as shown above and starting point of my graph being the start date of Block & End point being End Date respectively.
    Any help in this regard will be highly appreciable.
    Thanx
    Ati

    import java.awt.*;
    import java.awt.font.*;
    import java.awt.geom.*;
    import java.text.*;
    import java.util.*;
    import javax.swing.*;
    public class PlottingData extends JPanel {
        int[] xVals;
        int[] yVals;
        final int MIN = 50;
        final int MAX = 100;
        final int PAD = 25;
        public PlottingData() {
            // Create a couple of "dates".
            Calendar start = Calendar.getInstance();
            start.setTime(new Date());
            Calendar end = Calendar.getInstance();
            end.setTime(start.getTime());
            end.add(Calendar.DAY_OF_MONTH, 16);
            DateFormat df = new SimpleDateFormat("dd MMM");
            System.out.printf("start = %s  end = %s%n",
                               df.format(start.getTime()),
                               df.format(end.getTime()));
            // Calculate the number of days in between.
            Date difference = new Date(end.getTime().getTime() -
                                       start.getTime().getTime());
            Calendar c = Calendar.getInstance();
            c.setTime(difference);
            int days = c.get(Calendar.DAY_OF_MONTH);
            System.out.println("days = " + days);
            // Instantiate xVals.
            xVals = new int[days];
            // Prepare to count from start to end in days.
            int startDay = start.get(Calendar.DAY_OF_MONTH);
            int endDay = end.get(Calendar.DAY_OF_MONTH);
            Calendar counter = Calendar.getInstance();
            counter.setTime(start.getTime());
            // Initialize elements of xVals array.
            for(int j = 0; j < days; j++) {
                counter.add(Calendar.DAY_OF_MONTH, 1);
                xVals[j] = counter.get(Calendar.DAY_OF_MONTH);
            //System.out.printf("xVals = %s%n", Arrays.toString(xVals));
            // Instantiate yVals array and initialize its elements.
            yVals = new int[days];
            Random seed = new Random();
            for(int j = 0; j < yVals.length; j++) {
                yVals[j] = MIN + seed.nextInt(MAX-MIN+1);  // [50 - 100]
            //System.out.printf("yVals = %s%n", Arrays.toString(yVals));
        protected void paintComponent(Graphics g) {
            super.paintComponent(g);
            Graphics2D g2 = (Graphics2D)g;
            g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,
                                RenderingHints.VALUE_ANTIALIAS_ON);
            int w = getWidth();
            int h = getHeight();
            double xInc = (double)(w - 2*PAD)/(xVals.length-1);
            double yInc = (double)(h - 2*PAD)/(MAX - MIN);
            //System.out.printf("xInc = %.1f  yInc = %.1f%n", xInc, yInc);
            // Origin of graph:
            double x0 = PAD;
            double y0 = h-PAD;
            // Draw ordinate.
            g2.draw(new Line2D.Double(PAD, PAD, PAD, h-PAD));
            // Draw tick marks.
            for(int j = MAX-MIN; j >= 0; j -= 10) {
                double y = y0 - j*yInc;
                g2.draw(new Line2D.Double(x0, y, x0-2, y));
            // Label ordinate.
            Font font = g2.getFont();
            FontRenderContext frc = g2.getFontRenderContext();
            LineMetrics lm = font.getLineMetrics("0", frc);
            float height = lm.getAscent() + lm.getDescent();
            for(int j = 0; j <= MAX-MIN; j += 10) {
                String s = String.valueOf(j+MIN);
                float width = (float)font.getStringBounds(s, frc).getWidth();
                float x = (PAD - width)/2;
                float y = (float)(y0 - j*yInc + lm.getDescent());
                g2.drawString(s, x, y);
            // Draw abcissa.
            g2.draw(new Line2D.Double(PAD, h-PAD, w-PAD, h-PAD));
            // Draw tick marks.
            for(int j = 0; j < xVals.length; j++) {
                double x = PAD + j*xInc;
                g2.draw(new Line2D.Double(x, y0, x, y0+2.0));
            // Label abcissa with xVals.
            float sy = h - PAD + (PAD + height)/2 - lm.getDescent();
            for(int j = 0; j < xVals.length; j++) {
                String s = String.valueOf(xVals[j]);
                float width = (float)font.getStringBounds(s, frc).getWidth();
                float x = (float)(PAD + j*xInc - width/2);
                g2.drawString(s, x, sy);
            // Plot data.
            g2.setPaint(Color.red);
            for(int j = 0; j < yVals.length; j++) {
                double x = x0 + j*xInc;
                double y = y0 - (yVals[j] - MIN)*yInc;
                g2.fill(new Ellipse2D.Double(x-1.5, y-1.5, 4, 4));
        public static void main(String[] args) {
            JFrame f = new JFrame();
            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.add(new PlottingData());
            f.setSize(400,400);
            f.setLocation(200,200);
            f.setVisible(true);
    }

  • Graph Data Labels in OBIEE 11g - Customizing

    Hi folks!
    Would somebody know how to select what is shown in graph data labels in OBIEE 11g?
    For example in a scatter graph data label I'd like to show the Group only (not the combination of Series, Group, X and Y, as by default). For a pie chart one can select the data shown in data labels to some extent (name / value), however couldn't find this option for scatter graph.
    After searching I could only find instructions for 10g - such as John's instructions at http://obiee101.blogspot.com.es/2008/01/obiee-xy-and-data-in-mouse-over-label.html.
    However, my understanding is that the graph engine in OBIEE 11g is now different, and the 10g instructions are not valid for 11g anymore.
    I was also having a look on the .cxml files in OBIEE 11g but those seem to relate to colors only?
    Any help appreciated, best regards,
    Ilmari

    hello,
    i'm facing the same situation here,did you find a solution for your problem?

  • GRAPH LEGEND LABELS NEED TO BE USER MODIFIABLE

    GRAPH LEGEND LABELS NEED TO BE USER MODIFIABLE FOR DYNAMIC PARAM INPUT CONTROL
    I've been told on Metalink that my problem can not be resolved in Reports 9i or 10G but a Internal enhancement request 3071917 has been logged.
    Is it possible to have some timescales on this limitation?

    I'd suggest that the easiest approach would be to add a trigger to the table:
    CREATE OR REPLACE TRIGGER trigger_name
    BEFORE UPDATE OF comment_txt ON table_name
    FOR EACH ROW
    BEGIN
      :new.last_updated_by := USER;
      :new.last_update_date := SYSDATE;
    END;This trigger will only fire when the COMMENT_TXT field is being updated and will set the LAST_UPDATE... values accordingly. The only downside to this approach would be if you want to store the OBI user and not the DB user. Effectively, you'd need to pass a parameter from OBI to the trigger to use instead of USER - bit more tricky...
    Going back to your suggested approach, I don't think you need to worry about the RPD; the SQL that you define in the XML will bypass the RPD completely. In terms of what to use for the criteria for the report, you should be able to select the OBI user from a session variable and reference SYSDATE, SYSTIMESTAMP or the OBI equivalent to get what you need.
    Edited by: BarryGoodsell on Sep 26, 2012 12:04 PM
    Added code tags

  • Chart:: preventing the label of the Y axis from being overlapped

    Hi,
    I am trying to figure out how to prevent the label of the Y axis from being overlapped by the axis tick labels.
    My best guess would be to add some padding on its right to give some more room to the tick labels (as well as decreasing their font size).
    But having looked at the "Styling chart with CSS" guide and at caspian.css, it seems there is no selector or particular styleclass defined for this label (same for the label of the X axis).
    Any clue before I end up writing another Jira bug fix request?
    Thanks
    Edited by: bouye on Feb 22, 2012 2:46 PM

    Hi Shwu,
    Please have a look at this discussion:
    Crystal Report Bar Chart Y Access Setting
    -Abhilash

  • SOAP receiver adapter for Axis

    Hi,
    I used SOAP receiver adapter for Axis  like below:
    Transport Prorocol : HTTP
    Message Protocol : Axis
    Url: http://<IP>:<Port>/xxx/WebService/services/Head/yyy
    Authentication : Basic
    User: <user>
    Password: <password>
    SOAP Version : 1.1
    SOAP Action: : <method>
    Encapsulation Format : MIME
    Payload Extraction : SOAP Body
    When i drive PI message it generates error below.
    What must i do to solve this problem?
    Thanks.
    Error message
    com.sap.engine.interfaces.messaging.api.exception.MessagingException: javax.ejb.EJBException: Exception in getMethodReady() for stateless bean sap.com/com.sap.aii.axis.appxml|com.sap.aii.adapter.axis.ejb.jarxml|AFAdapterBean; nested exception is: com.sap.engine.services.ejb3.util.pool.PoolException: javax.ejb.EJBException: Exception raised from invocation of public void com.sap.aii.adapter.axis.modules.AFAdapterBean.ejbCreate() throws javax.ejb.CreateException method on bean instance com.sap.aii.adapter.axis.modules.AFAdapterBean@20715646 for bean sap.com/com.sap.aii.axis.appxml|com.sap.aii.adapter.axis.ejb.jarxml|AFAdapterBean; nested exception is: javax.ejb.CreateException: java.lang.NoClassDefFoundError: org/apache/axis/types/URI$MalformedURIException

    *Url:*  http://172.28.6.194:8080/AssetManagerWebService/services/Head/SapTest
    When i use Url with *?wsdl* it generates below (it'is very long. I give part of it)
    wsdl
    <?xml version="1.0" encoding="UTF-8" ?>
    - <wsdl:definitions targetNamespace="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Wsdl" xmlns:apachesoap="http://xml.apache.org/xml-soap" xmlns:impl="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Wsdl" xmlns:intf="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Wsdl" xmlns:tns1="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Types" xmlns:tns2="http://schemas.hp.com/AssetManager/R51/ACMetaData" xmlns:wsdl="http://schemas.xmlsoap.org/wsdl/" xmlns:wsdlsoap="http://schemas.xmlsoap.org/wsdl/soap/" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
    - <!--
    WSDL created by Apache Axis version: 1.2.1
    Built on Jun 14, 2005 (09:15:57 EDT)
      -->
    - <wsdl:types>
    - <schema attributeFormDefault="unqualified" elementFormDefault="qualified" targetNamespace="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Wsdl" xmlns="http://www.w3.org/2001/XMLSchema" xmlns:AdministrationTypes="http://schemas.hp.com/AssetManager/Custom/Head/Administration/Types" xmlns:CableTypes="http://schemas.hp.com/AssetManager/Custom/Head/Cable/Types" xmlns:CatalogTypes="http://schemas.hp.com/AssetManager/Custom/Head/Catalog/Types" xmlns:ChargebackTypes="http://schemas.hp.com/AssetManager/Custom/Head/Chargeback/Types"
      <import namespace="http://schemas.hp.com/AssetManager/R51/ACMetaData" />
      <import namespace="http://schemas.hp.com/AssetManager/Custom/Head/SapTest/Types" />
    - <annotation>
      <documentation>Auto-generated schema for AssetCenter web services for Head/SapTest Implementation</documentation>
      </annotation>
      <import namespace="http://schemas.hp.com/AssetManager/Custom/Head/SAM/Types" schemaLocation="../../schema/Head/SAM/SAMTypes.xsd" />
      <import namespace="http://schemas.hp.com/AssetManager/R51/ACMetaData" ......
    <wsdl:operation name="retrieveAllBusinessAPIListByName">
      <wsdlsoap:operation soapAction="retrieveAllBusinessAPIListByName" />
    <wsdl:input name="retrieveAllBusinessAPIListByNameRequest">
      <wsdlsoap:body use="literal" />
      </wsdl:input>
    <wsdl:output name="retrieveAllBusinessAPIListByNameResponse">
      <wsdlsoap:body use="literal" />
      </wsdl:output>
      </wsdl:operation>
      </wsdl:binding>
    <wsdl:service name="SapTestService">
    <wsdl:port binding="impl:SapTestSoapBinding" name="SapTest">
      <wsdlsoap:address location="http://172.28.6.194:8080/AssetManagerWebService/services/Head/SapTest" />
      </wsdl:port>
      </wsdl:service>
      </wsdl:definitions>

  • Creating SOAP Receiver comm.channel for axis web service

    Hi,
    I created Soap Receiver comm. channel fro Axis web service like below:
    *Target URL* : http://<IP>:<Port>/<x>/service
    *User:* <user>
    *Password :* <password>
    *SOAP Action:* <target namespace>/method
    when i drive PI Message that use Soap Receiver it get error below
    I do same method for .Net web service, it runs properly.
    How can i solve this problem?
    Error
    <?xml version="1.0" encoding="UTF-8" standalone="yes" ?>
    <!--  Call Adapter -->
    <SAP:Error xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:Category>XIServer</SAP:Category>
      <SAP:Code area="MAPPING">NO_MAPPINGPROGRAM_FOUND</SAP:Code>
      <SAP:P1>Object ID B3004965647F340C997B5F2CC9EA7E22 Software Component 4CF44F80503211DEB2A0D3F40A194B29</SAP:P1>
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText />
      <SAP:Stack>Mapping program is not available in runtime cache: Object ID B3004965647F340C997B5F2CC9EA7E22 Software Component 4CF44F80503211DEB2A0D3F40A194B29</SAP:Stack>
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>

    Hi,
    I did all  but nothing changed?
    I have doubt about axis side. Because respose like below.
    <SAP:Error xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:Category>Application</SAP:Category>
      <SAP:Code area="UNKNOWN">APPLICATION_ERROR</SAP:Code>
      <SAP:P1 />
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText>application fault</SAP:AdditionalText>
      <SAP:ApplicationFaultMessage namespace="http://xml.apache.org/axis/">hostname</SAP:ApplicationFaultMessage>
      <SAP:Stack />
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>
    May be Soap Receiver setting for axis web service must be different.
    Thanks.

  • Error on SOAP Receiver for Axis

    Hi all, 
    Is there anybody to help for solution?
    Thanks.
    Error on SOAP Receiver for axis
    Error Message
    <SAP:Category>XIAdapterFramework</SAP:Category>
      <SAP:Code area="MESSAGE">GENERAL</SAP:Code>
      <SAP:P1 />
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText>com.sap.engine.interfaces.messaging.api.exception.MessagingException: javax.ejb.EJBException: Exception in getMethodReady() for stateless bean sap.com/com.sap.aii.axis.appxml|com.sap.aii.adapter.axis.ejb.jarxml|AFAdapterBean; nested exception is: com.sap.engine.services.ejb3.util.pool.PoolException: javax.ejb.EJBException: Exception raised from invocation of public void com.sap.aii.adapter.axis.modules.AFAdapterBean.ejbCreate() throws javax.ejb.CreateException method on bean instance com.sap.aii.adapter.axis.modules.AFAdapterBean@3ff5ea5d for bean sap.com/com.sap.aii.axis.appxml|com.sap.aii.adapter.axis.ejb.jarxml|AFAdapterBean; nested exception is: javax.ejb.CreateException: java.lang.NoClassDefFoundError: org/apache/axis/types/URI$MalformedURIException</SAP:AdditionalText>
      <SAP:Stack />
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>

    We deployed com.sap.aii.af.axisproviderlib.sda to use SOAP for axis.
    We sent data from SAP to Axis, error below ocured?
    What must we do to solve problem?
    Thanks.
    Error
    <SAP:Error xmlns:SAP="http://sap.com/xi/XI/Message/30" xmlns:SOAP="http://schemas.xmlsoap.org/soap/envelope/" SOAP:mustUnderstand="1">
      <SAP:Category>XIAdapterFramework</SAP:Category>
      <SAP:Code area="MESSAGE">GENERAL</SAP:Code>
      <SAP:P1 />
      <SAP:P2 />
      <SAP:P3 />
      <SAP:P4 />
      <SAP:AdditionalText>com.sap.engine.interfaces.messaging.api.exception.MessagingException: org.apache.axis.ConfigurationException: handler is not instantiated org.apache.axis.ConfigurationException: handler is not instantiated at com.sap.aii.adapter.axis.modules.HandlerCore.process(HandlerCore.java:73) at com.sap.aii.adapter.axis.modules.HandlerBean.process(HandlerBean.java:75) at sun.reflect.GeneratedMethodAccessor360_10000.invoke(Unknown Source) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25) at java.lang.reflect.Method.invoke(Method.java:585) at com.sap.engine.services.ejb3.runtime.impl.RequestInvocationContext.proceedFinal(RequestInvocationContext.java:43) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:166) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatesTransition.invoke(Interceptors_StatesTransition.java:19) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Resource.invoke(Interceptors_Resource.java:71) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.doWorkWithAttribute(Interceptors_Transaction.java:38) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.invoke(Interceptors_Transaction.java:22) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:189) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatelessInstanceGetter.invoke(Interceptors_StatelessInstanceGetter.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_SecurityCheck.invoke(Interceptors_SecurityCheck.java:21) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_ExceptionTracer.invoke(Interceptors_ExceptionTracer.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.DefaultInvocationChainsManager.startChain(DefaultInvocationChainsManager.java:133) at com.sap.engine.services.ejb3.runtime.impl.DefaultEJBProxyInvocationHandler.invoke(DefaultEJBProxyInvocationHandler.java:164) at $Proxy2634_10000.process(Unknown Source) at com.sap.aii.af.app.mp.ejb.ModuleProcessorBean.process(ModuleProcessorBean.java:275) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25) at java.lang.reflect.Method.invoke(Method.java:585) at com.sap.engine.services.ejb3.runtime.impl.RequestInvocationContext.proceedFinal(RequestInvocationContext.java:43) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:166) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatesTransition.invoke(Interceptors_StatesTransition.java:19) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Resource.invoke(Interceptors_Resource.java:71) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.doWorkWithAttribute(Interceptors_Transaction.java:38) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.invoke(Interceptors_Transaction.java:22) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:189) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatelessInstanceGetter.invoke(Interceptors_StatelessInstanceGetter.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_SecurityCheck.invoke(Interceptors_SecurityCheck.java:21) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_ExceptionTracer.invoke(Interceptors_ExceptionTracer.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.DefaultInvocationChainsManager.startChain(DefaultInvocationChainsManager.java:133) at com.sap.engine.services.ejb3.runtime.impl.DefaultEJBProxyInvocationHandler.invoke(DefaultEJBProxyInvocationHandler.java:164) at $Proxy1431_10000.process(Unknown Source) at com.sap.aii.af.app.listener.AFWListenerBean.onMessage(AFWListenerBean.java:332) at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method) at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:39) at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:25) at java.lang.reflect.Method.invoke(Method.java:585) at com.sap.engine.services.ejb3.runtime.impl.RequestInvocationContext.proceedFinal(RequestInvocationContext.java:43) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:166) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatesTransition.invoke(Interceptors_StatesTransition.java:19) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Resource.invoke(Interceptors_Resource.java:71) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.doWorkWithAttribute(Interceptors_Transaction.java:38) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_Transaction.invoke(Interceptors_Transaction.java:22) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:189) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_StatelessInstanceGetter.invoke(Interceptors_StatelessInstanceGetter.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_SecurityCheck.invoke(Interceptors_SecurityCheck.java:21) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.Interceptors_ExceptionTracer.invoke(Interceptors_ExceptionTracer.java:16) at com.sap.engine.services.ejb3.runtime.impl.AbstractInvocationContext.proceed(AbstractInvocationContext.java:177) at com.sap.engine.services.ejb3.runtime.impl.DefaultInvocationChainsManager.startChain(DefaultInvocationChainsManager.java:133) at com.sap.engine.services.ejb3.runtime.impl.DefaultEJBProxyInvocationHandler.invoke(DefaultEJBProxyInvocationHandler.java:164) at $Proxy1479_10000.onMessage(Unknown Source) at com.sap.engine.messaging.impl.spi.ServicesImpl.deliver(ServicesImpl.java:314) at com.sap.aii.adapter.xi.ms.XIEventHandler.onDeliver(XIEventHandler.java:1000) at com.sap.engine.messaging.impl.core.queue.consumer.RequestConsumer.onMessage(RequestConsumer.java:73) at com.sap.engine.messaging.impl.core.queue.Queue.run(Queue.java:921) at com.sap.engine.messaging.runtime.MSWorkWrapper.run(MSWorkWrapper.java:56) at com.sap.engine.core.thread.impl3.ActionObject.run(ActionObject.java:37) at java.security.AccessController.doPrivileged(Native Method) at com.sap.engine.core.thread.impl3.SingleThread.execute(SingleThread.java:152) at com.sap.engine.core.thread.impl3.SingleThread.run(SingleThread.java:247)</SAP:AdditionalText>
      <SAP:Stack />
      <SAP:Retry>M</SAP:Retry>
      </SAP:Error>

  • A new tab always opens Yahoo versus wait for an address

    I downloaded an MP4 player and it did something to Mozilla such that every time I open a new tab it opens yahoo versus wait for a site address to find. How do I get rid of this nuisance?
    == Operating system ==
    Windows XP2002 SP 3

    Hello Jack C. Anderson,
    this problem could probably be caused by a Firefox extension.
    To make sure that no extension is causing the problems,
    start Firefox in Safe Mode by following the instructions in the [[Safe Mode]] article.
    Kind regards,
    Tobbi
    Firefox Support Volunteer

  • Netbeans versus Eclipse for JNI

    We have a significant about of code to rehost on solaris 8, from xview, to new java guis interfacing legacy C code. Current develpment environment is vi and make. We want to evolve to Junit, Ant, CVS and eand IDE either Netbeans or Eclipse (maybe JbuilderX). Have used both for java but never for JNI. Now exploring Eclipse. Can anyone lead us to a forum on Netbeans versus Eclipse for this type of effort?

    Hi Ivar, thanks for your reply.
    Actually both Netbeans and Eclipse provide a C/C++ plug-in, so you can develop the C side as well. I'm using it in Eclipse. There is a C Ant task also, so you can build the C and Java together. (Ideally, we want to be able to step, in the source level debugger, from the java into the C native method, but I don't believe that has been worked out in any IDE.) I am working with Eclipse now, and you can edit java in the java perspective, click a C file, and automatically switch to the C perspective. That seems to work pretty well. On the other hand, Netbeans is a Sun sponsored project, and we are on Solaris, so maybe Netbeans has some platform dependent goodies that might tip the balance.
    You and I both know that while a tool may have a capability, that does not mean it does the job well. Somebody else must be doing the same thing that I am, so I'm looking to learn from the experience of others who are farther into the process. Maybe I can avoid having to get deeply into one tool, only to find I should have used another.

  • Define suitable labels and descriptions for an entry point.

    Hi All,
          I have tried to define suitable labels and descriptions for an entry point. I am following the documentation:
    http://help.sap.com/saphelp_nw04/helpdata/en/36/8b6b4066d9bf49e10000000a1550b0/content.htm
    I have done all those steps as per the documentation. But it is not working. I am not getting any display change for my entry point folder.
    Any idea of what to do?
    Please help me out.
    **Points will be rewarded for a suitable answer.
    Regards,
    Uttam.

    Hi,
    in side project folder src.api:
    package: com.XXX (Created File Label.properties)
    =_d=Description
    package:  com.sap.netweaver.rf.wrapper
    Class: IRFServiceWrapper.java
    import com.sapportals.portal.prt.service.IService;
    public interface IRFServiceWrapper extends IService{
        public static final String KEY = "com.XXX";
    Class: RFServiceWrapper
    package com.sap.netweaver.rf.wrapper;
    import com.sapportals.portal.prt.service.IServiceConfiguration;
    import com.sapportals.portal.prt.service.IServiceContext;
    import com.sapportals.wcm.crt.CrtClassLoaderRegistry;
    public class RFServiceWrapper implements IRFServiceWrapper{
    private IServiceContext mm_serviceContext;
    Generic init method of the service. Will be called by the portal runtime.
    @param serviceContext
    public void init(IServiceContext serviceContext){
      mm_serviceContext = serviceContext;
      // only NW04: CrtClassLoaderRegistry.addClassLoader(this.getKey(), this.getClass().getClassLoader());
      CrtClassLoaderRegistry.addClassLoader(this.getClass().getClassLoader());
    This method is called after all services in the portal runtime have already been initialized.
    public void afterInit(){
    configure the service : @param configuration
    public void configure(IServiceConfiguration configuration){
    This method is called by the portal runtime when the service is destroyed.
    public void destroy(){
    This method is called by the portal runtime when the service is released.
    public void release(){
    @return the context of the service, which was previously set by the portal runtime
    public IServiceContext getContext(){
      return mm_serviceContext;
    This method should return a string that is unique to this service amongst all
    other services deployed in the portal runtime.
    @return a unique key of the service
    public String getKey(){
      return KEY;
    Config file portalpp.xml
    Bundle File : com.XXX.Labels
    I hope that it works to you
    Greeting Toni Guzmá

  • SQL-Developer  4.0.0.13.80 Bug? No negative values for axis scale accepted

    I reported this problem already for the versions EA1 and EA2 of SQL-Developer 4 (4.0EA1 No negative values for axis scales in diagrams) but it still exists in 4.0.0.13.80:  Even if it is now possible to define the minimum and maximum values for the y-axis of a diagram, I found no way to enter negative values for the minimum value. Neither -100 nor (100) is accepted. The value always switches to 0. I have a report which shows values from -97 to 387. Automatic scaling sets the y-axis from -200 to 500 but I would prefer a scale from -100 to 400. How is this possible?
    btw.: the German translation for "scale" in the diagram settings is bad. It is translated with "Nachkommastellen" but it should be "Skalierung".

    In 4.0EA2 this topic is still not fixed.

  • What to do for Streaming??? : 'axis interface pragma' vs 'pragma for ap_fifo interface and RESOURCE for AXIS'

    Hi all,
    I need streaming interface with accelerator. I followed one tutorial. There I mentioned through pragma that ap_fifo interface will be used along with AXIS RESOURCE. But now I found that there is one option for axis interface in pragma. I want to know what is the difference between this two procedure. It is very confusing. Can I blindly change "ap_fifo interface + AXIS RESOURCE" to "axis interface"??? Or there is some differences?? Which one is hardware optimized.??????

    Depends on the HLS version. In the current tool version, if you are interested in setting up an AXIS interface then the directive to be used in axis.
    void example(int A[50], int B[50]) {
    //Set the HLS native interface types
    #pragma HLS INTERFACE axis port=A
    #pragma HLS INTERFACE axis port=B
    If you are using hls::stream<> then by default the top level interface is implemented as ap_fifo interface. ap_fifo will not support bi-directional access.

  • Petalinux driver problem for AXI Interrupt Controller on Zynq

    We are trying to use the AXI interrupt controller because we have more than 16 uarts. We are running Petalinux 2013.10 and the device tree is attached. 
    When a UART is connected directly without using the AXI interrupt controller it seems to work as expected; the interrupt fires and all data gets through at any baud rate. However, if the interrupt is going through the AXI interrupt controller the interrupt fires but we consistently get an overrun if we send more than 16 bytes at 115200 baud. Note that this is when there is only data on that one port. This would seem to imply that the interrupt is taking so long that the UART buffer overflows. 
    The kernel output (attached) says that all the uarts going through interrupt controllers (uarts 1-32) are on IRQ 0, which seems wrong. I would expect a different IRQ number for each of the two AXI interrupt controllers.
    From this forum post, it looks like the driver is meant for microblaze but they got it working on Zynq:
    http://forums.xilinx.com/t5/Embedded-Linux/Petalinux-driver-for-AXI-Interrupt-Controller-core/m-p/525305#M10742
    Unfortunately they didn't specify what they did to get it working.
    Has anyone successfully used the AXI Interrupt Controller on a Zynq or other non-microblaze architecture?
    Thanks,
    Jaymes

    I really appreciate your help. I'm getting closer to a solution.
    I ORed all 33 of our interrupts together using a utility logic block. I added interrupt settings to each uart device tree entry:
    interrupt-parent = <&ps7_scugic_0>;
    interrupts = <0 57 4>;
    This results in all uarts at IRQ 89, which I think is correct. I also tried interrupts = <1 73 4> with the same result.
    It seems that all uarts are responding to interrupts, but only the last (33rd) uart is generating interrupts. If I try to send/receive data on any uart other than 33 it won't be sent/received until there is activity on uart 33. Any ideas?
    vanmierlo wrote:
    Further the kernel driver needs to have IRQF_SHARED defined and some other fixes as discussed int this issue:
    https://github.com/Xilinx/linux-xlnx/issues/24
    Maarten
    This is supported with an "IRQ sharing" kernel option in the 16550 uart driver.
    Thanks,
    Jaymes

Maybe you are looking for

  • Mid 2010 Macbook Pro Random Restarts

    Hello everyone , My mid 2010 MBP has been recently restarting randomly , this has happened after upgrading to Mountain Lion, however I don't know if it is a coincidence or not. I have done a clean re-install but the problem has been happening, I've a

  • [SOLVED] Lastfm-Client, Installation fails.

    Hello! A week ago the package lastfm-client moved to the AUR from [community]. Since that I encounter an error trying to install it. The erroroutput doesn't say me anything so I hoped probably someone of you knows how to fix this. /usr/bin/ld: ../bui

  • Older canon ZR 85 won't show up on newish imac through 8 pin fire wire

    imac 2.93intel2 and running OSX10.6.2. trying to upload video from older canon ZR 85. this means the newer 8 pin firewire. camera will not show up on imovie9. is the 8 pin firewire supported with the older camera? do I need a 6 pin and an adapter?

  • How to use signed classes/Jars in Java Stored Procedure?

    I am using java encryption API in my java application that I want to deploy as java stored procedure. The API is kept in the signed jar files. The Application is running in the MS-DOS environment but not in Oracle8i. It gives me following error. java

  • Flooring pictures in adobe premiere pro

    For my company we need to make nice pictures for clients, where on the adobe website could you download the adobe premiere pro