getExpressionObjectReference "method not found".

Hello! I use the method:
  public void PasesPPR(ValueChangeEvent valueChangeEvent) {
    GenericButton gB = (GenericButton)JsfUtils.getExpressionObjectReference("#{GenericButton}");
    gB.getThirdLevel().setDisabled(true);
    AdfFacesContext.getCurrentInstance().addPartialTarget(gB.getThirdLevel());
    
  }
And I have error: getExpressionObjectReference method not found

Where would be the problem?

Best regards, Debuger!

Doggone it, OTN.

Here is the code

package oracle.fodemo.storefront.jsf.util;

import java.util.Iterator;
import java.util.Locale;
import java.util.Map;
import java.util.MissingResourceException;
import java.util.ResourceBundle;

import javax.el.ELContext;
import javax.el.ExpressionFactory;

import javax.el.MethodExpression;
import javax.el.ValueExpression;

import javax.faces.application.Application;
import javax.faces.application.FacesMessage;
import javax.faces.component.UIComponent;
import javax.faces.component.UIViewRoot;
import javax.faces.context.ExternalContext;
import javax.faces.context.FacesContext;

import javax.servlet.http.HttpServletRequest;

/**
 * General useful static utilies for working with JSF.
 * NOTE: Updated to use JSF 1.2 ExpressionFactory.
 *
 * @author Duncan Mills
 * @author Steve Muench
 *
 * $Id: JSFUtils.java 1885 2007-06-26 00:47:41Z ralsmith $
 */
public class JSFUtils {

    private static final String NO_RESOURCE_FOUND = "Missing resource: ";

    /**
     * Method for taking a reference to a JSF binding expression and returning
     * the matching object (or creating it).
     * @param expression EL expression
     * @return Managed object
     */
    public static Object resolveExpression(String expression) {
        FacesContext facesContext = getFacesContext();
        Application app = facesContext.getApplication();
        ExpressionFactory elFactory = app.getExpressionFactory();
        ELContext elContext = facesContext.getELContext();
        ValueExpression valueExp =
            elFactory.createValueExpression(elContext, expression,
                                            Object.class);
        return valueExp.getValue(elContext);
    }

    /**
     * @return
     */
    public static String resolveRemoteUser() {
        FacesContext facesContext = getFacesContext();
        ExternalContext ectx = facesContext.getExternalContext();
        return ectx.getRemoteUser();
    }

    /**
     * @return
     */
    public static String resolveUserPrincipal() {
        FacesContext facesContext = getFacesContext();
        ExternalContext ectx = facesContext.getExternalContext();
        HttpServletRequest request = (HttpServletRequest)ectx.getRequest();
        return request.getUserPrincipal().getName();
    }

    /**
     * @param expression
     * @param returnType
     * @param argTypes
     * @param argValues
     * @return
     */
    public static Object resolveMethodExpression(String expression,
                                                 Class returnType,
                                                 Class[] argTypes,
                                                 Object[] argValues) {
        FacesContext facesContext = getFacesContext();
        Application app = facesContext.getApplication();
        ExpressionFactory elFactory = app.getExpressionFactory();
        ELContext elContext = facesContext.getELContext();
        MethodExpression methodExpression =
            elFactory.createMethodExpression(elContext, expression, returnType,
                                             argTypes);
        return methodExpression.invoke(elContext, argValues);
    }

    /**
     * Method for taking a reference to a JSF binding expression and returning
     * the matching Boolean.
     * @param expression EL expression
     * @return Managed object
     */
    public static Boolean resolveExpressionAsBoolean(String expression) {
        return (Boolean)resolveExpression(expression);
    }

    /**
     * Method for taking a reference to a JSF binding expression and returning
     * the matching String (or creating it).
     * @param expression EL expression
     * @return Managed object
     */
    public static String resolveExpressionAsString(String expression) {
        return (String)resolveExpression(expression);
    }

    /**
     * Convenience method for resolving a reference to a managed bean by name
     * rather than by expression.
     * @param beanName name of managed bean
     * @return Managed object
     */
    public static Object getManagedBeanValue(String beanName) {
        StringBuffer buff = new StringBuffer("#{");
        buff.append(beanName);
        buff.append("}");
        return resolveExpression(buff.toString());
    }

    /**
     * Method for setting a new object into a JSF managed bean
     * Note: will fail silently if the supplied object does
     * not match the type of the managed bean.
     * @param expression EL expression
     * @param newValue new value to set
     */
    public static void setExpressionValue(String expression, Object newValue) {
        FacesContext facesContext = getFacesContext();
        Application app = facesContext.getApplication();
        ExpressionFactory elFactory = app.getExpressionFactory();
        ELContext elContext = facesContext.getELContext();
        ValueExpression valueExp =
            elFactory.createValueExpression(elContext, expression,
                                            Object.class);

        //Check that the input newValue can be cast to the property type
        //expected by the managed bean.
        //If the managed Bean expects a primitive we rely on Auto-Unboxing
        Class bindClass = valueExp.getType(elContext);
        if (bindClass.isPrimitive() || bindClass.isInstance(newValue)) {
            valueExp.setValue(elContext, newValue);
        }
    }

    /**
     * Convenience method for setting the value of a managed bean by name
     * rather than by expression.
     * @param beanName name of managed bean
     * @param newValue new value to set
     */
    public static void setManagedBeanValue(String beanName, Object newValue) {
        StringBuffer buff = new StringBuffer("#{");
        buff.append(beanName);
        buff.append("}");
        setExpressionValue(buff.toString(), newValue);
    }

    /**
     * Convenience method for setting Session variables.
     * @param key object key
     * @param object value to store
     */
    public static

    void storeOnSession(String key, Object object) {
        FacesContext ctx = getFacesContext();
        Map sessionState = ctx.getExternalContext().getSessionMap();
        sessionState.put(key, object);
    }

    /**
     * Convenience method for getting Session variables.
     * @param key object key
     * @return session object for key
     */
    public static Object getFromSession(String key) {
        FacesContext ctx = getFacesContext();
        Map sessionState = ctx.getExternalContext().getSessionMap();
        return sessionState.get(key);
    }

    /**
     * @param key
     * @return
     */
    public static String getFromHeader(String key) {
        FacesContext ctx = getFacesContext();
        ExternalContext ectx = ctx.getExternalContext();
        return ectx.getRequestHeaderMap().get(key);
    }

    /**
     * Convenience method for getting Request variables.
     * @param key object key
     * @return session object for key
     */
    public static Object getFromRequest(String key) {
        FacesContext ctx = getFacesContext();
        Map sessionState = ctx.getExternalContext().getRequestMap();
        return sessionState.get(key);
    }

    /**
     * Pulls a String resource from the property bundle that
     * is defined under the application <message-bundle> element in
     * the faces config. Respects Locale
     * @param key string message key
     * @return Resource value or placeholder error String
     */
    public static String getStringFromBundle(String key) {
        ResourceBundle bundle = getBundle();
        return getStringSafely(bundle, key, null);
    }

    /**
     * Convenience method to construct a FacesMesssage
     * from a defined error key and severity
     * This assumes that the error keys follow the convention of
     * using _detail for the detailed part of the
     * message, otherwise the main message is returned for the
     * detail as well.
     * @param key for the error message in the resource bundle
     * @param severity severity of message
     * @return Faces Message object
     */
    public static FacesMessage getMessageFromBundle(String key,
                                                    FacesMessage.Severity severity) {
        ResourceBundle bundle = getBundle();
        String summary = getStringSafely(bundle, key, null);
        String detail = getStringSafely(bundle, key + "_detail", summary);
        FacesMessage message = new FacesMessage(summary, detail);
        message.setSeverity(severity);
        return message;
    }

    /**
     * Add JSF info message.
     * @param msg info message string
     */
    public static void addFacesInformationMessage(String msg) {
        FacesContext ctx = getFacesContext();
        FacesMessage fm =
            new FacesMessage(FacesMessage.SEVERITY_INFO, msg, "");
        ctx.addMessage(getRootViewComponentId(), fm);
    }

    /**
     * Add JSF error message.
     * @param msg error message string
     */
    public static void addFacesErrorMessage(String msg) {
        FacesContext ctx = getFacesContext();
        FacesMessage fm =
            new FacesMessage(FacesMessage.SEVERITY_ERROR, msg, "");
        ctx.addMessage(getRootViewComponentId(), fm);
    }

    /**
     * Add JSF error message for a specific attribute.
     * @param attrName name of attribute
     * @param msg error message string
     */
    public static void addFacesErrorMessage(String attrName, String msg) {
        FacesContext ctx = getFacesContext();
        FacesMessage fm =
            new FacesMessage(FacesMessage.SEVERITY_ERROR, attrName, msg);
        ctx.addMessage(getRootViewComponentId(), fm);
    }

    // Informational getters

    /**
     * Get view id of the view root.
     * @return view id of the view root
     */
    public static String getRootViewId() {
        return getFacesContext().getViewRoot().getViewId();
    }

    /**
     * Get component id of the view root.
     * @return component id of the view root
     */
    public static String getRootViewComponentId() {
        return getFacesContext().getViewRoot().getId();
    }

    /**
     * Get FacesContext.
     * @return FacesContext
     */
    public static FacesContext getFacesContext() {
        return FacesContext.getCurrentInstance();
    }
    /*
   * Internal method to pull out the correct local
   * message bundle
   */

    private static ResourceBundle getBundle() {
        FacesContext ctx = getFacesContext();
        UIViewRoot uiRoot = ctx.getViewRoot();
        Locale locale = uiRoot.getLocale();
        ClassLoader ldr = Thread.currentThread().getContextClassLoader();
        return ResourceBundle.getBundle(ctx.getApplication().getMessageBundle(),
                                        locale, ldr);
    }

    /**
     * Get an HTTP Request attribute.
     * @param name attribute name
     * @return attribute value
     */
    public static Object getRequestAttribute(String name) {
        return getFacesContext().getExternalContext().getRequestMap().get(name);
    }

    /**
     * Set an HTTP Request attribute.
     * @param name attribute name
     * @param value attribute value
     */
    public static void setRequestAttribute(String name, Object value) {
        getFacesContext().getExternalContext().getRequestMap().put(name,
                                                                   value);
    }

    /*
   * Internal method to proxy for resource keys that don't exist
   */

    private static String getStringSafely(ResourceBundle bundle, String key,
                                          String defaultValue) {
        String resource = null;
        try {
            resource = bundle.getString(key);
        } catch (MissingResourceException mrex) {
            if (defaultValue != null) {
                resource = defaultValue;
            } else {
                resource = NO_RESOURCE_FOUND + key;
            }
        }
        return resource;
    }

    /**
     * Locate an UIComponent in view root with its component id. Use a recursive way to achieve this.
     * @param id UIComponent id
     * @return UIComponent object
     */
    public static UIComponent findComponentInRoot(String id) {
        UIComponent component = null;
        FacesContext facesContext = FacesContext.getCurrentInstance();
        if (facesContext != null) {
            UIComponent root = facesContext.getViewRoot();
            component = findComponent(root, id);
        }
        return component;
    }

    /**
     * Locate an UIComponent from its root component.
     * Taken from http://www.jroller.com/page/mert?entry=how_to_find_a_uicomponent
     * @param base root Component (parent)
     * @param id UIComponent id
     * @return UIComponent object
     */
    public static UIComponent findComponent(UIComponent base, String id) {
        if (id.equals(base.getId()))
            return base;

        UIComponent children = null;
        UIComponent result = null;
        Iterator childrens = base.getFacetsAndChildren();
        while (childrens.hasNext() && (result == null)) {
            children = (UIComponent)childrens.next();
            if (id.equals(children.getId())) {
                result = children;
                break;
            }
            result = findComponent(children, id);
            if (result != null) {
                break;
            }
        }
        return result;
    }

    /**
     * Method to create a redirect URL. The assumption is that the JSF servlet mapping is
     * "faces", which is the default
     *
     * @param view the JSP or JSPX page to redirect to
     * @return a URL to redirect to
     */
    public static String getPageURL(String view) {
        FacesContext facesContext = getFacesContext();
        ExternalContext externalContext = facesContext.getExternalContext();
        String url =
            ((HttpServletRequest)externalContext.getRequest()).getRequestURL().toString();
        StringBuffer newUrlBuffer = new StringBuffer();
        newUrlBuffer.append(url.substring(0, url.lastIndexOf("faces/")));
        newUrlBuffer.append("faces");
        String targetPageUrl = view.startsWith("/") ? view : "/" + view;
        newUrlBuffer.append(targetPageUrl);
        return newUrlBuffer.toString();
    }

}

Tags: Java

Similar Questions

  • code xdoxslt:Sum does not not in the RTF model: method not found "sum".

    We get the error when you run a RTF model customized using the application (Oracle HRMS) below and in Office BiPublisher for a particular set of data (1 employees check data). Format RTF model code which seems to be the cause of the error is the cumulative total code which is supposed to sum YTD_HOURS for all elements in the DataSet xml AC_EARNINGS:

    Problem code: <? xdoxslt:sum(YTD_HOURS_[.!_=''])? >

    The error message below it seems to be having trouble with the sum

    HRMS Oracle concurrent Manager error:

    java.lang.reflect.InvocationTargetException
    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:597)
    at oracle.apps.xdo.common.xml.XSLT10gR1.invokeProcessXSL(XSLT10gR1.java:677)
    at oracle.apps.xdo.common.xml.XSLT10gR1.transform(XSLT10gR1.java:425)
    at oracle.apps.xdo.common.xml.XSLT10gR1.transform(XSLT10gR1.java:244)
    at oracle.apps.xdo.common.xml.XSLTWrapper.transform(XSLTWrapper.java:182)
    at oracle.apps.xdo.template.fo.util.FOUtility.generateFO(FOUtility.java:1044)
    at oracle.apps.xdo.template.fo.util.FOUtility.generateFO(FOUtility.java:997)
    at oracle.apps.xdo.template.fo.util.FOUtility.generateFO(FOUtility.java:212)
    at oracle.apps.xdo.template.FOProcessor.createFO(FOProcessor.java:1665)
    at oracle.apps.xdo.template.FOProcessor.generate(FOProcessor.java:975)
    at oracle.apps.xdo.oa.schema.server.TemplateHelper.runProcessTemplate (TemplateH
    Elper.Java:5936)
    at oracle.apps.xdo.oa.schema.server.TemplateHelper.processTemplate (TemplateHelp
    St. Java:3459)
    at oracle.apps.xdo.oa.schema.server.TemplateHelper.processTemplate (TemplateHelp
    St. Java:3548)
    at oracle.apps.pay.core.documents.DocGenerator.process(DocGenerator.java:521)
    Caused by: oracle.xdo.parser.v2.XPathException: Extension function error: method
    not found 'sum' to the oracle.xdo.parser.v2.XSLStylesheet.flushErrors(XSLStylesheet.java:1534)
    at oracle.xdo.parser.v2.XSLStylesheet.execute(XSLStylesheet.java:521)
    at oracle.xdo.parser.v2.XSLStylesheet.execute(XSLStylesheet.java:489)
    at oracle.xdo.parser.v2.XSLProcessor.processXSL(XSLProcessor.java:271)
    at oracle.xdo.parser.v2.XSLProcessor.processXSL(XSLProcessor.java:155)
    at oracle.xdo.parser.v2.XSLProcessor.processXSL(XSLProcessor.java:192)
    ... more than 17

    HR_6882_HRPROC_ASSERT
    LOCATION pyjavacom:2
    APP-PAY-06882: Assertion failure detected at the location pyjavacom:2.

    Cause: an internal error has occurred at the location pyjavacom:2.

    Action: contact your Oracle customer representative.



    Note: The RTF check model works ok most of the time, but there is a problem with the model of XML data below. In this scenario, there is no YTD_HOURS and only one line of data for this employee, unlike the data second example of another audit below.

    The data that the code does NOT work with:

    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    revenues of < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 58423 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10511197 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 1200 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 1584.8 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 25698.88 < / YTD_AMOUNT >
    Normal salary < REPORTING_NAME > < / REPORTING_NAME >
    < CURRENT_HOURS > 80 < / CURRENT_HOURS >
    < YTD_HOURS > 1312 < / YTD_HOURS >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL > 19.81 < / RATE_MUL >
    < RATE_RET / >
    < / AC_EARNINGS >

    Data that works with the code:

    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    revenues of < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 58423 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10511197 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 1200 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 1584.8 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 25698.88 < / YTD_AMOUNT >
    Normal salary < REPORTING_NAME > < / REPORTING_NAME >
    < CURRENT_HOURS > 80 < / CURRENT_HOURS >
    < YTD_HOURS > 1312 < / YTD_HOURS >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL > 19.81 < / RATE_MUL >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    < ELEMENT_CLASSIFICATION > attributed gains < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 58444 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10511222 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 3250 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 1.46 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 25,51 < / YTD_AMOUNT >
    Life term for the Group < REPORTING_NAME > < / REPORTING_NAME >
    < CURRENT_HOURS / >
    < YTD_HOURS / >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    Additional gains < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 58431 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10511205 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 2500 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 9.6 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 163,2 < / YTD_AMOUNT >
    < REPORTING_NAME > dental CB < / REPORTING_NAME >
    < CURRENT_HOURS > 0 < / CURRENT_HOURS >
    < YTD_HOURS > 0 < / YTD_HOURS >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    revenues of < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 64614 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10518109 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 1526 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 0 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 1571.12 < / YTD_AMOUNT >
    < REPORTING_NAME > TOWP < / REPORTING_NAME >
    < CURRENT_HOURS / >
    < YTD_HOURS > 80 < / YTD_HOURS >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    revenues of < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 57863 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10510820 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 1200 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 0 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 937,2 < / YTD_AMOUNT >
    Holiday < REPORTING_NAME > < / REPORTING_NAME >
    < CURRENT_HOURS / >
    < YTD_HOURS > 48 < / YTD_HOURS >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    < ELEMENT_CLASSIFICATION > attributed gains < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 63592 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10517244 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 3250 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 0 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 285.07 < / YTD_AMOUNT >
    < REPORTING_NAME > F90 SVEU DIST < / REPORTING_NAME >
    < CURRENT_HOURS / >
    < YTD_HOURS / >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >
    -< AC_EARNINGS >
    < DATE_DISP_FLG > N < / DATE_DISP_FLG >
    Additional gains < ELEMENT_CLASSIFICATION > < / ELEMENT_CLASSIFICATION >
    < ELEMENT_TYPE_ID > 67074 < / ELEMENT_TYPE_ID >
    < PRIMARY_BALANCE > 10520289 < / PRIMARY_BALANCE >
    < PROCESSING_PRIORITY > 2500 < / PROCESSING_PRIORITY >
    < CURRENT_AMOUNT > 0 < / CURRENT_AMOUNT >
    < YTD_AMOUNT > 85.24 < / YTD_AMOUNT >
    < REPORTING_NAME > other Tx RRs < / REPORTING_NAME >
    < CURRENT_HOURS / >
    < YTD_HOURS / >
    < RATE / >
    < CURRENT_DAYS / >
    < YTD_DAYS / >
    < ATTRIBUTE_NAME / >
    < ORIGINAL_DATE_EARNED / >
    < EFFECTIVE_START_DATE / >
    < EFFECTIVE_END_DATE / >
    < ELEMENT_CATEGORY / >
    < JURISDICTION_CODE / >
    < RATE_MUL / >
    < RATE_RET / >
    < / AC_EARNINGS >


    If anyone has any ideas as to what is necessary to resolve the issue we have in our company can you please let me know? I appreciate your time. If you need more information please let me know and I'll post it.

    Thank you

    Greg

    Published by: gtruta on November 20, 2012 16:20

    Published by: gtruta on November 20, 2012 16:21

    xdoxslt sum allows us to avoid the issue while fields sum with the value null. as you already now the condition with the field u do not need xdoxslt

    is - enough try this

    you are able to get a preview of the template with the code of the sum.

    Send me your model and xml. I can try at my side
    E-mail: [email protected]

  • method not found

    Hello.

    I use jdeveloper 11.1.1.5
    I'm following this link
      http://marianne-horsch-adf.blogspot.com/2011/11/how-to-render-different-pages-for-each.html
    Now I tried to use this code
                HrRegionBean bean = (HrRegionBean) getBeanInstance("#{pageFlowScope.regionBean}");
                if (employeeKey == null) {
                bean.startEmpty();
                } else {
                DepartmentsViewImpl row =
                (DepartmentsViewImpl)getService().getDepartmentsViewView2().getCurrentRow();
                if (row.getManagerId() == null) {
                getService().getLocationsVO1().setb_id(row.getLocationId());   //getting error as setb_id method not found  since b-id is a paramter passed
                getService().getLocationsViewView1().executeQuery();
                getService().getLocationsViewView1().setCurrentRow(getService().getLocationsViewView1().first());
                bean.startLocation();
                } else {
                getService().getManagers1().setb_id(row.getManagerId());
                getService().getManagers1().executeQuery();
                getService().getManagers1().setCurrentRow(getService().getLocationsViewView1().first());
                bean.startManager();
                }
            }
    could someone help me solve this error

    Hello

    expose you a client method "setb_id" on the LocationsVO1? If not, then that is why.

    Frank

    PS: Please note that to access the business service classes impl - as DepartmentsViewImpl - is considered to be bad practice and you should only work with interfaces or through the link layer

    Frank

  • the length error "method not found".

    Using the line of code below and get the error "* function Extension error: caused by: oracle.xdo.parser.v2.XPathException: Extension function error: method not found 'length ' * '.

    <? xdoxslt:set_variable ($_XDOCTX, "LNG", xdoxslt:to_number(xdoxslt:length(LINE_ITEM_DESCRIPTION)))?) >

    I had the same problem before with the substr function. The answer to this problem was to use substring instead. There is another function that returns the length of a string as well? The next page using as reference but really nothing else.


    [http://download.oracle.com/docs/cd/E10415_01/doc/bi.1013/e12187/T421739T481158.htm]

    What Miss me? Thanks for your help.

    What about using the string-length function?

    Thank you!

  • enableThemes method not found in the oracle.lbs.mapclient.MapViewer class

    Hello
    I would ask about the error I recently.
    I don't know what's wrong with my code, but I '_enableThemes_ method not found in the class oracle.lbs.mapclient.MapViewer' when I tried to apply a theme to my card using the API of Java Bean.

    Another method does not recognize mapviewer is '_setAllThemesEnabled_ '.

    I don't know how to apply some themes I did for my card despite the use of the method.
    I have already imported oracle.lbs.mapclient.MapViewer.

    -----
    Here are my codes:

    < % @ page import = "java.util.Enumeration" % > "
    < % @ page import = "java.awt.geom.Point2D" % > "
    < % @ page import = "java.awt.Dimension" % > "
    < % @ page import = "oracle.lbs.mapclient.MapViewer" % > "
    < % @ page import = "oracle.lbs.mapclient.ScaleBarDef" % > "

    String mvURL = request.getParameter ("mvurl");
    mvURL = "http://localhost: 8888/mapviewer/omserver";

    MapViewer mv = session.getAttribute("gvis_mvhandle") (MapViewer);

    Boolean newSession = false;

    if(MV==null)
    {
    create a new ID customer mapviewer
    MV = new MapViewer (mvURL);
    mv.setImageFormat (MapViewer.FORMAT_PNG_URL);
    mv.setMapTitle("");
    session.setAttribute ("gvis_mvhandle", mv); keep the handle of the client in the session
    newSession = true;
    }

    mv.setDataSourceName ("mvdemo");

    String = "#000000" stroke1, fill1 = null, tr1 = null, labelc1 = null, asis1;

    int opacity1 = 128;

    String style1 = "gvis_" + ("NONE".equals (stroke1)? ". (': stroke1) + "_" +.
    ("NONE".equals (fill1)?" (': fill1) +.
    ((opacity1>0)?) » 128" : « ») ;

    String query1_ = "select * from counties;

    mv.addJDBCTheme ("peta", "theme1", query1_, null, null,
    Style1, labelc1, '_gvis_style_text_', true);

    mv.enableThemes ("THEMENAME");

    try {}
    mv.setFullExtent ();
    MV. Run();
    } catch (Exception e) {out.println (e.getMessage ()) ;}}

    String url = mv.getGeneratedMapImageURL ();

    -----


    I really appreciate your help...

    Hello
    Make sure that you type the correct setting. EnableThemes method requires an array of strings. Try the following:

    mv.enableThemes (new String() {"THEMENAME"});

  • XPathException: Function Extension error: method not found "abs".

    Hello

    I use - XMLP 5.6.3 on EBS 11.5.10.2
    In XML Publisher Admin, see model page, click on 'Sample' I receive a report, but all it contains is a long stack trace containing the following messages:

    java.lang.reflect.InvocationTargetException
    ...
    Caused by: oracle.xdo.parser.v2.XPathException: Extension function error: method not found "abs".


    In my RTF, the offending code is
    <?when:xdoxslt:abs(ACCOUNTED_CR)>xdoxslt:abs(ACCOUNTED_DR)?>
    It works fine on my pc where I have BI Publisher Office 10.1.3.4

    When I look at the documentation to [documentation XML Publisher | http://download.oracle.com/docs/cd/B25284_01/current/acrobat/115xdoug.pdf] in Chapter 7, I don't see the abs function in the game of XDOXSLT.

    The version of [10.1.3.4 | http://download.oracle.com/docs/cd/E12844_01/doc/bip.1013/e12187/T421739T481158.htm] has.

    To be sure, you could do a simple check with a blank report and a field as or something similar. You know for sure, it is not supported in EBS.

    [XPATH 1.0 | http://www.w3.org/TR/xpath#section-Number-Functions] does not have the abs function. So you should fix it yourself for example a widening when or...

  • ProcessTemplate method not found.

    Hi all

    I'm having a rough with the processTemplate class which I hope one of you can help me with.

    First some facts about the system.

    JDeveloper 9i RUP 7.
    XMLP 6.5.3
    Oracle APPS 11.5.10CU2

    I have the following code:

    ...
    dataTemplate.setOutput("/home/appsdev/kkristoff/KKR_TEST_1.xml");
    dataTemplate.processData ();

    OutputStream outputStream = new FileOutputStream("/home/appsdev/kkristoff/KKR_TEST_1.pdf");
    InputStream inputStream = new FileInputStream("/home/appsdev/kkristoff/KKR_TEST_1.xml");

    Properties prop = new Properties ();

    Process template
    TemplateHelper.processTemplateFile (appsContext, / / AppsContext)
    'BKFND', / / short name of the Application of the model
    "HelloReport", / / model model code
    'fr', / / the model ISO language code
    '00', / / ISO of the model territory code
    inputStream, / / the XML data in the model of
    TemplateHelper.OUTPUT_TYPE_PDF, / / output the procesed document type
    prop, / / properties of the treatment model
    outputStream); OutputStream where goes the transformed document.

    inputStream.close ();
    outputStream.close ();

    When I Isaiah to compile the project, I get the following error:

    method processTemplateFile (oracle.apps.fnd.common.AppsContext,
    java.lang.String,
    java.lang.String,
    java.lang.String,
    java.lang.String,
    java.io.InputStream,
    Byte,
    java.util.Properties,
    java.io.OutputStream) is not found in the oracle.apps.xdo.oa.schema.server.TemplateHelper class

    The javadoc for the API tells me that I can use the following method:

    public static void processTemplate (pContext, oracle.apps.fnd.common.AppsContext,
    java.lang.String pAppName,
    java.lang.String pTemplateCode,
    java.lang.String pLanguage,
    java.lang.String pTerritory,
    java.io.InputStream pData,
    pOutputType bytes,
    java.util.Properties pProp,
    PPerformance java.io.OutputStream)

    I checked the class oracle.apps.xdo.oa.schema.server.TemplateHelper to a method described above and which exists.

    Can someone please tell me why JDeveloper complaints regarding this call to the processTemplate method?

    Thank you in advance.

    Kenneth

    Hello

    Use ProcessTemplate method instead of ProcessTemplateFile.

    Kind regards
    Out Sharma

  • method not found Web service?

    Hello

    I try to call a web service method, which when I view directly at the URL, it shows the available method. However, when I try to call the method, I get this error:

    Service operation 'ValidateUser' Web site with
    parameters {password = 12345, username = {type}} is not found.


    I can call the method through an ASP.Net page without problem, but not by a CFM page. Also, other methods not requiring that whatever happened to them work correctly. Its only the methods that are in need of something of spent, as a method of connection.

    When I create the web service object and then throw, it shows the "ValidateUser" method, but has a 'returns void"next to him. Again, the only problem is he calling via CF.

    Here's how I call:

    < cfinvoke
    "WebService =" http://www.xyz.com/RemoteService.asmx?wsdl "
    method = "ValidateUser.
    returnvariable = "myresponse" >
    < cfinvokeargument name = "userName" value = "Guy" >
    < cfinvokeargument name = "password" value = "12345" >
    < / cfinvoke >

    or

    < cfset wsURL = " http://www.xyz.com/RemoteService.asmx?wsdl" >
    < cfscript >
    WS = CreateObject ("webservice","#wsURL #'");
    myResponse = ws. ValidateUser('Guy','12345');
    < / cfscript >

    < cfdump var = "#myresponse #" >


    Both give me the same error. Thanks for any help!

    Your web service validateUser method supports more these two arguments?

    From my experience, you must use for each possible method attribute that describes the WSDL. The error you get generally indicates that you do not provide the correct number of arguments.

    The problem with CF, it is that she will not automatically populate the NULL values for the arguments you specify, as do other platforms. Yes, it sucks a bit, but once you get used to it, you can live with it. This also makes the model CFSCRIPT to invoke a bit pointless, when there is a lot of optional arguments in the method.

    CFMX 7 of a new attribute "omit", which, I guess it just sends a NULL value for this attribute. Leave the empty value attribute when use you it.

    (Edited to complete a missing sentence of paragraph 3 :-)

  • Call2 method not found (ActiveX VI method)

    I have the following problem. I have an executable Server ActiveX is enabled.

    the code below is a calling VI. the code worked correctly before. When I inserted a new node called on the block diagram, I can't see not all methods.

    I think that the image below says a lot.

    Help, please!

    Thank you

    RENN

    LV2010Sp1 32-bit

    Hi Moritz M.

    you don't know. I'm happy to post the solution.

    Normally, the ActiveX Server is registered automatically at startup of the executable.

    But since the EXE EXE of old and new has the same name, at first, I had to cancel registration of the old activeX Server (see link: http://support.microsoft.com/kb/297279) save the new one manually.

    Its NEITHER too well documented on support page.

    How can I register type libraries, ActiveX controls and ActiveX servers?

    http://digital.NI.com/public.nsf/allkb/4F811A9B23F1D46E862566F700615B7A

    I got the diagram broken in appellant VI (that I've posted before) because the activeX Server (in my case the executable file) was not registered.

    Thanks for the reply

    RENN

  • Client interface methods not found in the data control

    Hello

    JDev 11.1.2.4

    I exposed some methods by including them in the client interface of my module of the application. I tested the app module and I can call methods. I refreshed the data control, but I do not see the data control methods. I have several other client application with interface module and I can see the operation. I only have the problem with this module of the application.

    Any ideas?

    Thank you

    Close jdev, delete the folder the model project of the module of the application classes and the classes folder of the project view controller where you want to use the datacontrol, start jdev, recompile the project model (and deploy the lib, if you use the library), recompile the view controller and finally see if you see the methods in the datacontrol.

    Timo

  • method not found 'setfocus '.

    I get the error message: hostPsuedoModel is not a 'setfocus' method we have installed something wrong.  Designer 8.2.1 version...

    Check the spelling in your code, setfocus must be setFocus.

  • invokeMethod (java.lang.String, org.w3c.dom.Element) method not found

    Calling a Web Service that returns an XML file. The XML file must be passed to a method that puts the XML in a table in my database.

    I'll download the 3 files that are used for this.

    When I rebuild my files I get the following error in CustomerCO.java:
    Error (78,38): invokeMethod (java.lang.String, org.w3c.dom.Element) method is not not in the interface oracle.apps.fnd.framework.OAApplicationModule

    Line 78 reads as follows:
    String status = (String) am.invokeMethod ("initSaveXml", wsXml);

    Any suggestions?

    PS: I am a newbie in java and framework :-(


    Here are my files:

    _______________________________________________________________________________________________________________________________
    CustomerCO.java:

    /*===========================================================================+
    | Copyright (c) 2001, 2005 Oracle Corporation, Redwood Shores, California.
    | All rights reserved. |
    +===========================================================================+
    | HISTORY |
    +===========================================================================*/
    package xxcu.oracle.apps.ar.customer.server.webui;

    import java.io.Serializable;

    import java.lang.Exception;

    Import oracle.apps.fnd.common.VersionInfo;
    Import oracle.apps.fnd.framework.OAApplicationModule;
    Import oracle.apps.fnd.framework.webui.OAControllerImpl;
    Import oracle.apps.fnd.framework.webui.OAPageContext;
    Import oracle.apps.fnd.framework.webui.beans.OAWebBean;

    Import org.w3c.dom.Element;

    Import xxcu.oracle.apps.ar.customer.ws.LindorffWS;




    /**
    * Controller for...
    */
    SerializableAttribute public class ClientCo extends OAControllerImpl implements Serializable
    {
    public static final String RCS_ID = "$Header$";
    public static final boolean RCS_ID_RECORDED =
    VersionInfo.recordClassVersion (RCS_ID, "packagename %");

    /**
    * Layout and logical configuration for a region page.
    @param pageContext OA page context
    @param webBean the grain of web for the region
    */
    ' Public Sub processRequest (pageContext OAPageContext, OAWebBean webBean)
    {
    super.processRequest (pageContext, webBean);
    }

    /**
    * How to manage remittances form for form elements in
    * a region.
    @param pageContext OA page context
    @param webBean the grain of web for the region
    */
    ' Public Sub processFormRequest (pageContext OAPageContext, OAWebBean webBean)
    {
    super.processFormRequest (pageContext, webBean);
    /**
    * 2009.07.09, Roy Feirud, lagt til for a utfore sporring
    */

    If (pageContext.getParameter ("Search")! = null)
    {
    OAApplicationModule am = pageContext.getApplicationModule (webBean);
    Bomber sokekriteriene til LindorffWS
    String Name = pageContext.getParameter ("SearchName");
    Address of string = pageContext.getParameter ("SearchAddress");
    String Zip = pageContext.getParameter ("SearchZipCode");
    String city = pageContext.getParameter ("SearchCity");
    Born string = pageContext.getParameter ("SearchBorn");
    Phone chain = pageContext.getParameter ("SearchPhoneNo");
    [Serializable] param = {Zip, name, address, city, born, phone};
    Bygger sokestrengen
    String SearchString = (String) am.invokeMethod ("initBuildString", param);
    Initialiserer LindorffWS
    LindorffWS WsConnection = new LindorffWS();
    Try
    {
    Kaller Web Sevice fra Lindorff
    Element wsXml = (Element) WsConnection.XmlFulltextOperator (SearchString).

    String status = (String) am.invokeMethod ("initSaveXml", wsXml);
    }
    catch (Exception WsExp)
    {
    WsConnection = new LindorffWS();
    System.out.println ("Kall til LindorffWS feilet!");
    }

    am.invokeMethod ("initQueryCustomer");
    }
    }

    }

    _______________________________________________________________________________________________________________________________


    CustomerAMImpl.java:

    package xxcu.oracle.apps.ar.customer.server;
    import java.io.Serializable;

    to import java.sql.CallableStatement;
    import java.sql.SQLException;
    import java.sql.Types;

    Import oracle.apps.fnd.common.MessageToken;
    Import oracle.apps.fnd.framework.OAException;
    Import oracle.apps.fnd.framework.server.OAApplicationModuleImpl;
    Import oracle.apps.fnd.framework.server.OADBTransaction;
    Import oracle.apps.fnd.framework.server.OAExceptionUtils;

    Import org.w3c.dom.Element;

    // ---------------------------------------------------------------
    -File generated by Oracle Business Components for Java.
    // ---------------------------------------------------------------

    SerializableAttribute public class CustomerAMImpl extends OAApplicationModuleImpl implements Serializable
    {
    /**
    *
    * This is the default constructor (do not remove)
    */
    public CustomerAMImpl()
    {
    }

    /**
    *
    * Main sample for debugging code of business using the tester components.
    */
    Public Shared Sub main (String [] args)
    {
    launchTester ("xxcu.oracle.apps.ar.customer.server", "CustomerAMLocal");
    }

    /**
    *
    Getter of the container for CustomerVO1
    */
    public CustomerVOImpl getCustomerVO1()
    {
    return (CustomerVOImpl) findViewObject ("CustomerVO1");
    }
    /**
    * 2009.07.09, Roy Feirud, Lagt til for a utfore sporring.
    */
    Public Sub initQueryCustomer()
    {
    CustomerVOImpl vo = getCustomerVO1();
    If (vo! = null)
    {
    vo.initQuery ();
    }
    }
    /**
    * 2009.08.31, Roy Feirud, Lagt til a bygge entered opp til WebService hos Lindorff.
    */
    public String initBuildString (String Name
    Address of the string
    String Zip
    City of string
    String born
    String phone)
    {
    String ws_string = null;
    CallableStatement cs = null;
    Try
    {
    String sql = "BEGIN ISS_WS_LINDORFF_PKG. BUILD_STRING (?,?,?,?,?,?,?); END; « ;
    TXN OADBTransaction = getOADBTransaction();
    CS = txn.createCallableStatement(sql,1);
    cs.setString(1,Name);
    cs.setString(2,Address);
    cs.setString(3,Zip);
    cs.setString(4,City);
    cs.setString(5,Born);
    cs.setString(6,Phone);
    cs.registerOutParameter(7,Types.VARCHAR);
    CS. Execute();
    OAExceptionUtils.checkErrors (txn);
    WS_STRING = cs.getString (7);
    CS. Close();
    }
    catch (SQLException sqle)
    {
    String Prosedyre = 'ISS_WS_LINDORFF_PKG. BUILD_STRING ';
    String Errmsg = sqle.toString ();
    Tokens [] MessageToken = {new MessageToken ("PROSEDYRE", Prosedyre), new MessageToken ("Message of ERROR", Errmsg)};
    throw new OAException ("ISS", "ISS_PLSQL_ERROR", tokens, OAException.ERROR, null);
    }
    Return ws_string;
    }
    public String initSaveXml (item WsXml)
    {
    String status = "error";
    CallableStatement cs = null;
    Try
    {
    String sql = "BEGIN ISS_XML2TABLE_PKG. ISS_AR_CUSTOMERS_TMP (?,?); END; « ;
    TXN OADBTransaction = getOADBTransaction();
    CS = txn.createCallableStatement(sql,1);
    cs.setObject(1,WsXml);
    cs.registerOutParameter(2,Types.VARCHAR);
    CS. Execute();
    OAExceptionUtils.checkErrors (txn);
    Status = cs.getString (2);
    CS. Close();
    }
    catch (SQLException sqle)
    {
    String Prosedyre = 'ISS_XML2TABLE_PKG. ISS_AR_CUSTOMERS_TMP ';
    String Errmsg = sqle.toString ();
    Tokens [] MessageToken = {new MessageToken ("PROSEDYRE", Prosedyre), new MessageToken ("Message of ERROR", Errmsg)};
    throw new OAException ("ISS", "ISS_PLSQL_ERROR", tokens, OAException.ERROR, null);
    }
    Back to Status;
    }
    }

    _______________________________________________________________________________________________________________________________

    LindorffWS.java:

    package xxcu.oracle.apps.ar.customer.ws;
    Import oracle.soap.transport.http.OracleSOAPHTTPConnection.
    Import org.apache.soap.encoding.soapenc.BeanSerializer.
    Import org.apache.soap.encoding.SOAPMappingRegistry;
    Import org.apache.soap.util.xml.QName.
    import java.util.Vector;
    Import org.w3c.dom.Element;
    import java.net.URL;
    Import org.apache.soap.Body;
    Import org.apache.soap.Envelope.
    Import org.apache.soap.messaging.Message.
    Import oracle.jdeveloper.webservices.runtime.WrappedDocLiteralStub;
    /**
    * Generated by the generator of Stub/Skeleton Oracle9i JDeveloper Web Services.
    * Date of creation: kills Jul 10 10:37:21 2009 CEST
    * WSDL URL: http://services.lindorffmatch.com/Search/Search.asmx?WSDL
    */

    SerializableAttribute public class LindorffWS extends WrappedDocLiteralStub
    {
    public LindorffWS()
    {
    m_httpConnection = new OracleSOAPHTTPConnection();
    }

    public endpoint point String = "http://services.lindorffmatch.com/Search/Search.asmx";
    private OracleSOAPHTTPConnection m_httpConnection = null;
    private SOAPMappingRegistry m_smr = null;

    public XmlFulltextOperator (String xmlString) element throws Exception
    {
    EndpointURL URL = new URL (endpoint);

    Envelope requestEnv = new Envelope();
    Body requestBody = new Body();
    Vector requestBodyEntries = new Vector();

    String wrappingName = "XmlFulltextOperator";
    String targetNamespace = "http://services.lindorffmatch.com/search";
    Vector requestData = new Vector();
    requestData.add (new Object() {"xmlString", xmlString});

    requestBodyEntries.addElement ((wrappingName, targetNamespace, requestData) toElement);
    requestBody.setBodyEntries (requestBodyEntries);
    requestEnv.setBody (requestBody);

    Message msg = new Message();
    msg.setSOAPTransport (m_httpConnection);
    Msg. Send (endpointURL, "http://services.lindorffmatch.com/search/XmlFulltextOperator", requestEnv);

    Envelope responseEnv = msg.receiveEnvelope ();
    Body responseBody = responseEnv.getBody ();
    Vector responseData = responseBody.getBodyEntries ();

    return (Element) fromElement ((Element) responseData.elementAt (0), org.w3c.dom.Element.class);
    }
    }


    _______________________________________________________________________________________________________________________________

    Hello

    Create an Interface to your application Module then the interface of your method call,

    see http://www.oraclearea51.com/oracle-technical-articles/oa-framework/oa-framework-beginners-guide/213-how-to-call-am-methods-from-controller-without-using-invokemethod.html for creation of Interface for AM and call it to the controller.

    Kind regards
    Out Sharma

  • How can I solve this: method not found: ' int32 microsoft.sqlserver.management.sdk.sfc.isfcdomain.getlogicalversion)

    I started with Sql Server 2008 R2, but after having tried to publish on my hosting site, Server version problem, I tried in vain to uninstall (I still see programs in)

    the Add/Remove list of programs that will not disappear).  Then, I installed Sql Server 2005 Express and got the error above. There are forums that siad that I had to install

    SQL Server 2008 express and I (still get it) here's the log of him.

    Summary of all:
    Final result: past
    Exit code (decimal): 0
    Exit message: past
    Start time: 2011-10-25 20:44:26
    End time: 2011-10-25 21:13:52
    Requested action: install

    Computer properties:
    Computer name: PDSPIPING02
    The machine processor count: 2
    OS version: Windows Vista
    Operating system service pack: Service Pack 2
    Region of the BONE: United States
    OS language: English (United States)
    Operating system architecture: x 64
    Process architecture: 64-bit
    Cluster OS: No.

    Discovered product features:
    Version of product Instance Instance ID function language edition in cluster

    The package properties:
    Description: SQL Server Database Services 2008
    SQLProductFamilyCode: {628F8F38-600E-493D-9946-F4178F20A8A9}
    ProductName: SQL2008
    Type: RTM
    Version: 10
    SPLevel: 0
    Installation location: c:\eb70481bacc36e8a06531cbe\x64\setup\
    Edition of the installation: EXPRESS_ADVANCED

    The user input parameters:
    ACTION: install
    ADDCURRENTUSERASSQLADMIN: false
    AGTSVCACCOUNT: NT AUTHORITY\NETWORK SERVICE
    AGTSVCPASSWORD: *.
    AGTSVCSTARTUPTYPE: disabled
    ASBACKUPDIR: backup
    ASCOLLATION: Latin1_General_CI_AS
    ASCONFIGDIR: Config
    ASDATADIR: data
    ASDOMAINGROUP:
    ASLOGDIR: Journal
    ASPROVIDERMSOLAP: 1
    ASSVCACCOUNT:
    ASSVCPASSWORD: *.
    ASSVCSTARTUPTYPE: automatic
    ASSYSADMINACCOUNTS:
    ASTEMPDIR: Temp
    BROWSERSVCSTARTUPTYPE: disabled
    CONFIGURATIONFILE: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\ConfigurationFile.ini
    CUSOURCE:
    ENABLERANU: true
    ERRORREPORTING: false
    FEATURES: SQLENGINE, REPLICATION, FULLTEXT, RS, SUBMISSIONS, SSMS, OCS
    FILESTREAMLEVEL: 0
    FILESTREAMSHARENAME:
    FTSVCACCOUNT: NT AUTHORITY\LOCAL SERVICE
    FTSVCPASSWORD: *.
    HELP: false
    INDICATEPROGRESS: false
    INSTALLSHAREDDIR: c:\Program Files\Microsoft SQL Server\
    INSTALLSHAREDWOWDIR: c:\Program Files (x 86) \Microsoft SQL Server\

    INSTALLSQLDATADIR:
    INSTANCEDIR: C:\Program Files\Microsoft SQL Server\
    INSTANCEID: SQLExpress
    INSTANCENAME: SQLEXPRESS
    ISSVCACCOUNT: NT AUTHORITY\NetworkService
    ISSVCPASSWORD: *.
    ISSVCSTARTUPTYPE: automatic
    NPENABLED: 0
    PCUSOURCE:
    PID:                           *****
    QUIET: false
    QUIETSIMPLE: false
    RSINSTALLMODE: FilesOnlyMode
    RSSVCACCOUNT: PDSPIPING02\Rick
    RSSVCPASSWORD: *.
    RSSVCSTARTUPTYPE: automatic
    SAPWD:                         *****
    SECURITYMODE:
    SQLBACKUPDIR:
    SQLCOLLATION: SQL_Latin1_General_CP1_CI_AS
    SQLSVCACCOUNT: Rick
    SQLSVCPASSWORD: *.
    SQLSVCSTARTUPTYPE: automatic
    SQLSYSADMINACCOUNTS: PDSPIPING02\Rick
    SQLTEMPDBDIR:
    SQLTEMPDBLOGDIR:
    SQLUSERDBDIR:
    SQLUSERDBLOGDIR:
    SQMREPORTING: false
    TCPENABLED: 0
    X 86: false

    Configuration file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\ConfigurationFile.ini

    Detailed results:
    Function: Database engine Services
    Status: passed
    : Status MSI
    Configuration status: past

    Feature: SQL Server replication
    Status: passed
    : Status MSI
    Configuration status: past

    Feature: Full text search
    Status: passed
    : Status MSI
    Configuration status: past

    Feature: Reporting Services
    Status: passed
    : Status MSI
    Configuration status: past

    Feature: Management tools - Basic
    Status: passed
    : Status MSI
    Configuration status: past

    Feature: Business Intelligence Development Studio
    Status: passed
    : Status MSI
    Configuration status: past

    Function: Microsoft Sync Framework
    Status: passed
    : Status MSI
    Configuration status: past

    Rules with failures:

    Global rules:

    Scenario-specific rules:

    Carry-over rules file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\SystemConfigurationCheck_Report.htm
    Summary of all:
    Final result: past
    Exit code (decimal): 0
    Exit message: past
    Start time: 2011-10-25 20:42:58
    End time: 2011-10-25 20:44:23
    Requested action: ComponentUpdate

    Computer properties:
    Computer name: PDSPIPING02
    The machine processor count: 2
    OS version: Windows Vista
    Operating system service pack: Service Pack 2
    Region of the BONE: United States
    OS language: English (United States)
    Operating system architecture: x 64
    Process architecture: 64-bit
    Cluster OS: No.

    The package properties:
    Description: SQL Server Database Services 2008
    SQLProductFamilyCode: {628F8F38-600E-493D-9946-F4178F20A8A9}
    ProductName: SQL2008
    Type: RTM
    Version: 10
    SPLevel: 0
    Installation location: c:\eb70481bacc36e8a06531cbe\x64\setup\
    Edition of the installation: EXPRESS_ADVANCED

    The user input parameters:
    ACTION: ComponentUpdate
    CONFIGURATIONFILE:
    HELP: false
    INDICATEPROGRESS: false
    PID:                           *****
    QUIET: false
    QUIETSIMPLE: false
    X 86: false

    Configuration file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\ConfigurationFile.ini

    Detailed results:

    Rules with failures:

    Global rules:

    There is no scenario-specific rules.

    Carry-over rules file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\SystemConfigurationCheck_Report.htm

    Summary of all:
    Final result: past
    Exit code (decimal): 0
    Exit message: past
    Start time: 2011-10-25 20:42:28
    End time: 2011-10-25 20:42:55
    Requested action: RunRules

    Computer properties:
    Computer name: PDSPIPING02
    The machine processor count: 2
    OS version: Windows Vista
    Operating system service pack: Service Pack 2
    Region of the BONE: United States
    OS language: English (United States)
    Operating system architecture: x 64
    Process architecture: 64-bit
    Cluster OS: No.

    Discovered product features:
    Version of product Instance Instance ID function language edition in cluster

    The package properties:
    Description: SQL Server Database Services 2008
    SQLProductFamilyCode: {628F8F38-600E-493D-9946-F4178F20A8A9}
    ProductName: SQL2008
    Type: RTM
    Version: 10
    SPLevel: 0
    Installation location: c:\eb70481bacc36e8a06531cbe\x64\setup\
    Edition of the installation: EXPRESS_ADVANCED

    The user input parameters:
    ACTION: RunRules
    CONFIGURATIONFILE:
    FEATURES:
    HELP: false
    INDICATEPROGRESS: false
    INSTANCENAME:
    QUIET: false
    QUIETSIMPLE: false
    RULES: GlobalRules
    X 86: false

    Configuration file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\ConfigurationFile.ini

    Detailed results:

    Rules with failures:

    Global rules:

    There is no scenario-specific rules.

    Carry-over rules file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_204225\SystemConfigurationCheck_Report.htm

    Entered Forum then said to install Service Pack 1 (newspaper follows), then sp2 and sp3. None helped to solve the problem. I worked on it for 5 days now. Can someone please tell me what to do?

    Summary of all:
    Final result: past
    Exit code (decimal): 0
    Exit message: past
    Start time: 2011-10-25 21:17:51
    End time: 2011-10-25 21:42:51
    Requested action: Patch

    Overall summary of SQLEXPRESS instance:
    Final result: past
    Exit code (decimal): 0
    Exit message: past
    Start time: 2011-10-25 21:29:07
    End time: 2011-10-25 21:41:34
    Requested action: Patch

    Computer properties:
    Computer name: PDSPIPING02
    The machine processor count: 2
    OS version: Windows Vista
    Operating system service pack: Service Pack 2
    Region of the BONE: United States
    OS language: English (United States)
    Operating system architecture: x 64
    Process architecture: 64-bit
    Cluster OS: No.

    Discovered product features:
    Version of product Instance Instance ID function language edition in cluster
    SQL Server 2008 SQLEXPRESS MSSQL10. SQLEXPRESS Database Engine Services Express Edition 10.0.1600.22 No. 1033
    SQL Server 2008 SQLEXPRESS MSSQL10. SQL Server Replication Express Edition 10.0.1600.22 No. 1033 SQLEXPRESS
    SQL Server 2008 SQLEXPRESS MSSQL10. Full-Text Search Express Edition 10.0.1600.22 No. 1033 SQLEXPRESS
    SQL Server 2008 SQLEXPRESS MSRS10. SQLEXPRESS Reporting Services Express Edition 10.0.1600.22 No. 1033
    SQL Server 2008 - Basic Express Edition 10.0.1600.22 No. 1033 administration tools

    The package properties:
    Description: SQL Server Database Services 2008
    SQLProductFamilyCode: {628F8F38-600E-493D-9946-F4178F20A8A9}
    ProductName: SQL2008
    Type: RTM
    Version: 10
    SPLevel: 1
    KBArticle: KB968369
    KBArticleHyperlink: http://support.microsoft.com/?kbid=968369
    PatchType: SP
    AssociateHotfixBuild: 0
    Platform: x 64
    PatchLevel: 10.1.2531.0
    ProductVersion: 10.0.1600.22
    GDRReservedRange: 10.0.1000.0:10.0.1099.0; 10.0.3000.0:10.0.3099.0
    PackageName: SQLServer2008-KB968369 - x 64 .exe
    Installation location: c:\a1e72fbdad482fec6b47\x64\setup\

    Product Edition:
    Edition of the instance
    SQLEXPRESS EXPRESS_ADVANCED

    The user input parameters:
    ACTION: Patch
    ALLINSTANCES: false
    CLUSTERPASSIVE: false
    CONFIGURATIONFILE:
    HELP: false
    INDICATEPROGRESS: false
    INSTANCENAME:
    QUIET: false
    QUIETSIMPLE: false
    X 86: false

    Rules with failures:

    Global rules:

    There is no scenario-specific rules.

    Carry-over rules file: C:\Program Files\Microsoft SQL Server\100\Setup Bootstrap\Log\20111025_211738\SystemConfigurationCheck_Report.htm

    Look at the bottom of this link:

    http://social.msdn.Microsoft.com/forums/en-us/SQLExpress/thread/22e6b8ff-4302-45ca-81A9-ed6003511f48/

    This should help you, it fixed my problem

  • Method not found: catg1.suggestedItems (java.lang.String) ADF_FACES-60097: for more information, see the error log of the server for an entry beginning with: ADF_FACES - Exception during the PPR, #1 60096:Server

    Hello

    I have a text input where I have an autosuggest behavior. I can't do the method for auto suggest behavior. I just tried to do random expression, but I get the error that I've specified.

    < af:inputText value = "#{bindings." Catgcode.inputValue}.
    label = "#{bindings." Catgcode.hints.label}.
    required = "#{bindings." Catgcode.hints.Mandatory}.
    columns = "#{bindings." Catgcode.hints.displayWidth}.
    maximumLength = "#{bindings." Catgcode.hints.Precision}.
    shortDesc = "#{bindings." Catgcode.hints.ToolTip}.
    ID = "socatg" >
    < f: validator binding = "#{bindings." Catgcode.Validator} "/ >"
    < af:autoSuggestBehavior suggestedItems = ' #{bindings. " Catgcode.suggestedItems} "/ >"
    < / af:inputText >

    Thank you good Sir, I solved it... I just needed to make a method of bindings.

  • The getColdFusionInstances method was not found.

    On a Solaris server, I'm trying to connect a CF11 update 7-8 update instance. Another group of development updated all other instances except for the two that I work on without talking to me first.

    On one of my cases CF page updated, I see the following error message:

    The web site, you access has met an unexpected error.
    Please contact the site administrator.

    The following information is for the creation of Web sites for debugging purposes.
    Error occurred while demand treatment
      

    The getColdFusionInstances method was not found.

    He doesn't are has no method with the method specified name and the arguments types or the getColdFusionInstances method is overloaded with argument types ColdFusion cannot decrypt reliably. ColdFusion found 0 methods that correspond to the provided arguments. If it is a Java object and you verified that the method exists, use the javacast function to reduce ambiguity.

    I tried to delete the server JAR file. This reset the download buttons and I was able to re - download the JAR file. But it still shows the error message CF prevents the installation of the update.

    Seems that this missing method breaks the JavaScript installation feature.

    I'm tempted to delete the {cf_install_home}/{instance_home}/hf_updates/hf-11-00008/updates.xml.} After that I have the rear first.

    I got access to one of the other forums on the CF server that was on a previous version of the fix and used to update it and it broke a. Correction of the problem and removed the error.

Maybe you are looking for

  • import bookmarks

    How to import bookmarks from chrome?

  • Load a tab at a time

    can he that when I open pages in new tabs at once firefox will load them one at the time and one after the other. And in this way it will end all loading?

  • JumpList bug

    When Firefox 4 is uninstalled, it will leave behind task jumplist items:-Open a new tab-Open a new fenΩtre-Start private browsing When after that Firefox 3 is installed, the jumplist items are always displayed, but they should not exist more. Since F

  • Display Satellite 5100 adapter fails suddenly with NVIDIA GeForce

    I have a 5100 501 Satellite, which uses the NVIDIA GeForce 440 Go display adapter. Without changing the settings, the display has stopped working about two weeks ago. Other users have had the same problem (see http://www.geekstogo.com/forum/index.php

  • Broken keyboard key is covered by the warranty?

    Hello I bought Thinkpad T520 a month ago. Today, one of the areas that hold the key broken Z. The key is still usable but can be detached easily. I used the laptop on a desk only and I have not pressured the keys that could break them. It is a defect