Formula function in formula of type Rate Value Calculation does not work

Hi,
We are trying to prorate eligible salary based on some business rules.
We have defined Standard rates with calculation method as 'Calculate for Enrollment Rule' and attached a formula in the 'Value Rule' field.
Now inside the formula, if i directly return a value like 'Return 9000' , it works correctly. However, if i have a fomrula function and return the value as follows,
l_value = CUSTOM_FF_FUNCTION()
retunr l_value
it does not return value.
I have attached a package function that simply returns 4000 just for debugging.
Even this does not return the value back to the formula
Any pointers will be useful
Thanks,
LN

Sorry. I had not checked this post earlier.
We had 2 functions with same name and same contexts on the same database. Each of the functions called a separate package function and had its own logic.
So sometimes the first function was called.At some other times, the second function was called.
We deleted one of the functions and the formula worked well.

Similar Messages

  • This.print(pp) with interactive type silent or automatic does not work  after upgrade acrobat reader 9 to acrobat reader 11

    After an upgrade of acrobat reader 9 to acrobat reader 11 the automatic printing of a pdf. The pdf is opened, but the print does not happen. With acrobat reader 9 it works. But with acrobat reader 11 the printing does not happen.
    I discovered when you specify pp.constants.interactionLevel.full it works on acrobat reader 11. But when you specify pp.constants.interactionLevel.silent or pp.constants.interactionLevel.automatic it does not work on acrobat reader 11. But with the full option we have a dialog  print box
    we do not want.
    In our jsp we load a pdf document and create a message handler to detect the print events of a pdf document that is in an <object> tag.
    In the pdf document we add
    package be.post.lpo.util;
    import org.apache.commons.lang.StringEscapeUtils;
    import org.apache.commons.lang.StringUtils;
    public class AcrobatJavascriptUtil {  
        public String getPostMessageToHostContainer(String messageName, String messageBody){
            return "var aMessage=['"+messageName+ "', '"+ messageBody+"'];this.hostContainer.postMessage(aMessage);";
        public String getAutoPrintJavaScript(String interactiveType, String printerName,String duplexType) {    
            String interactiveTypeCommand = "";
            if (StringUtils.isNotBlank(interactiveType)){
                interactiveTypeCommand = "pp.interactive = " + interactiveType + ";";
            String duplexTypeCommand = "";
            if (StringUtils.isNotBlank(duplexType)){
                duplexTypeCommand = "pp.DuplexType = " + duplexType + ";";
            return "" + // //
                    "var pp = this.getPrintParams();" + // //
                    // Nointeraction at all dialog, progress, cancel) //
                    interactiveTypeCommand + //
                    // Always print to a printer (not to a file) //
                    "pp.printerName = \"" + StringEscapeUtils.escapeJavaScript(printerName) + "\";" + //
                    // Never print to a file. //
                    "pp.fileName = \"\";" + //
                    // Print images using 600 DPI. This option MUST be set or some barcodes cannot //
                    // be scanned anymore. //
                    "pp.bitmapDPI = 600;" + //
                    // Do not perform any page scaling //
                    "pp.pageHandling = pp.constants.handling.none;" + //
                    // Always print all pages //
                    "pp.pageSubset = pp.constants.subsets.all;" + //
                    // Do not autocenter //
                    "pp.flags |= pp.constants.flagValues.suppressCenter;" + //
                    // Do not autorotate //
                    "pp.flags |= pp.constants.flagValues.suppressRotate;" + //
                    // Disable setPageSize i.e. do not choose paper tray by PDF page size //
                    "pp.flags &= ~pp.constants.flagValues.setPageSize;" + //
                    // Emit the document contents. Document comments are not printed //
                    "pp.printContent = pp.constants.printContents.doc;" + //
                    // printing duplex mode to simplex, duplex long edge, or duplex short edge feed //
                    duplexTypeCommand +
                    // Print pages in the normal order. //
                    "pp.reversePages = false;" + //
                    // Do the actual printing //
                    "this.print(pp);";
    snippets for java code that adds
    package be.post.lpo.util;
    import org.apache.commons.lang.StringUtils;
    import com.lowagie.text.Document;
    import com.lowagie.text.DocumentException;
    import com.lowagie.text.pdf.PdfAction;
    import com.lowagie.text.pdf.PdfDestination;
    import com.lowagie.text.pdf.PdfImportedPage;
    import com.lowagie.text.pdf.PdfName;
    import com.lowagie.text.pdf.PdfReader;
    import com.lowagie.text.pdf.PdfWriter;
    import java.io.IOException;
    import java.io.InputStream;
    import java.io.OutputStream;
    import java.util.ArrayList;
    import java.util.Iterator;
    import java.util.List;
    public class PdfMergerUtil{
        private static final PdfName DID_PRINT = PdfName.DP;
        private static final PdfName WILL_PRINT = PdfName.WP;
        private List<PdfActionJavaScriptHolder> actionJavaScripts = new ArrayList<PdfActionJavaScriptHolder>();
        private class PdfActionJavaScriptHolder{
            private final PdfName actionType;
            private final String javaScript;
            public PdfActionJavaScriptHolder(PdfName actionType, String javaScript) {
                super();
                this.actionType = actionType;
                this.javaScript = javaScript;
            public PdfName getActionType(){
                return this.actionType;
            public String getJavaScript(){
                return this.javaScript;
        public void writePdfs(OutputStream outputStream, List<InputStream> documents, String documentLevelJavaScript) throws Exception {
            Document document = new Document();
            try {          
              // Create a writer for the outputstream
              PdfWriter writer = PdfWriter.getInstance(document, outputStream);
              document.open();      
              // Create Readers for the pdfs.
              Iterator<PdfReader> iteratorPDFReader = getPdfReaders(documents.iterator());
              writePdfReaders(document, writer, iteratorPDFReader);
              if (StringUtils.isNotBlank(documentLevelJavaScript)){
                  writer.addJavaScript(documentLevelJavaScript);
              addAdditionalActions(writer);
              outputStream.flush();      
            } catch (Exception e) {
                e.printStackTrace();
                throw e;
            } finally {
                if (document.isOpen()){
                    document.close();
                try {
                    if (outputStream != null){
                        outputStream.close();
                } catch (IOException ioe) {
                    ioe.printStackTrace();
                    throw ioe;
        public void addAdditionalDidPrintAction(String javaScript){
            actionJavaScripts.add(new PdfActionJavaScriptHolder(DID_PRINT, javaScript));   
        public void addAdditionalWillPrintAction(String javaScript){
            actionJavaScripts.add(new PdfActionJavaScriptHolder(WILL_PRINT, javaScript));   
        private void writePdfReaders(Document document, PdfWriter writer,
                Iterator<PdfReader> iteratorPDFReader) {
            int pageOfCurrentReaderPDF = 0;      
              // Loop through the PDF files and add to the output.
              while (iteratorPDFReader.hasNext()) {
                PdfReader pdfReader = iteratorPDFReader.next();
                // Create a new page in the target for each source page.
                while (pageOfCurrentReaderPDF < pdfReader.getNumberOfPages()) {
                  document.newPage();
                  pageOfCurrentReaderPDF++;          
                  PdfImportedPage page = writer.getImportedPage(pdfReader, pageOfCurrentReaderPDF);
                  writer.getDirectContent().addTemplate(page, 0, 0);          
                pageOfCurrentReaderPDF = 0;
        private void addAdditionalActions(PdfWriter writer) throws DocumentException{
            if (actionJavaScripts.size() != 0 ){
                PdfAction action = PdfAction.gotoLocalPage(1, new PdfDestination(PdfDestination.FIT), writer);
                writer.setOpenAction(action);
                for (PdfActionJavaScriptHolder pdfAction : actionJavaScripts ){
                    if (StringUtils.isNotBlank(pdfAction.getJavaScript())){
                        action = PdfAction.javaScript(pdfAction.getJavaScript(), writer);
                        writer.setAdditionalAction(pdfAction.getActionType(), action);
        private Iterator<PdfReader> getPdfReaders(Iterator<InputStream> iteratorPDFs) throws IOException {
            List<PdfReader> readers = new ArrayList<PdfReader>();
              while (iteratorPDFs.hasNext()) {
                InputStream pdf = iteratorPDFs.next();
                PdfReader pdfReader = new PdfReader(pdf);
                readers.add(pdfReader);        
            return readers.iterator();
    JSP code
    <script type="text/javascript" src="<bean:message key="scripts.js.internal.jquery" bundle="app"/>"></script>
        <script language="javascript">
        function goToDidPrintUrl(){
            var url = "<%=didPrintUrl%>";
            window.location.assign(url);
        function createMessageHandler() {
            var PDFObject = document.getElementById("myPdf");
            PDFObject.messageHandler = {
                onMessage: function(msg) {
                     if (msg[0] == "WILL_PRINT"){      
                        $("#printingTransitFeedBackMessage").text('<%=willPrintMessage%>');                   
                     if(msg[0] == "DID_PRINT"){
                        $("#printingTransitFeedBackMessage").text('<%=didPrintMessage%>');               
                        setTimeout('goToDidPrintUrl()',4000);
                onError: function(error, msg) {
                    alert(error.message);
        </script>
    </head>
    <body onLoad="createMessageHandler();">
    <div id="printingTransitFeedbackArea">
      <div class="info" id="printingTransitFeedBackMessage"><%=documentOpenMessage%></div>
    </div>
    <object id="myPdf" type="application/pdf" width="100%" height="100%"  data="<%=toBePrintedUrl%>">
    </object>
    </body>

    From the JS API Reference of the print method:
    Non-interactive printing can only be executed during batch, console, and menu
    events.
    Outside of batch, console, and menu events, the values of bUI and of interactive are ignored
    and a print dialog box will always be presented.

  • html:link action="" input type="button"... does not work under IE browser

    Greeting,
    I have the following codes in struts1.3.5. It works fine under Firefox, but it does not work at all under Internet Explore (IT) at all. Any clues why under IE it does not work?
    <html:link action="/private/search">
    <input
    type="button"
    value="Search"
    class="search-button">
    </html:link>
    Thanks a lot!

    This would probably generate a HTML in which there will be a button inside anchor tag.
    This is not a standard HTML feature and no wonder this is not supported by IE. I copied the generated html codes into test.html to try on IE, the button does not work at all.
    Firefox is probably lenient here. True. test.html works in Firefox.
    You might want to just have a link or do a form submission on button click.The action designed does not need an actionForm. I updated my code to :<html:button onclick="location.href='processSearch'"
    property ="Search"
    value ="Search">
    </html:button>
    And now both Firefox & IE works fine.
    Thanks a lot!

  • Convert Sample Rate on Import- does not work

    Setting: *"Automatically convert sample rate of imported audio"*
    You'll want to set this if you have audio on your computer
    that wasn't sampled at 44k. It prevents your imported audio from
    sounding like Mickey Mouse drinking a gallon of espresso and inhaling helium.
    HOWEVER...It does NOT work when you drag audio into the project from
    Logic's internal File Browser.
    Dragging audio into the project from Logic's Browser,
    or browsing to the file in Logic's Browser and choosing to
    "Add selected Files to Audio Bin",
    will NOT convert to the audio's sample rate.
    Sample rate of your audio is only converted if you do: "Import audio file",
    then browse to the file(again) in a popup browser dialog, and then choose import.
    If the audio is already in your Audio Bin, choosing "Convert File"
    will bring up another Finder Dialog asking you where you want the
    converted audio to be placed.
    Now you'll have to Browse (yet again) to the song's folder, because that's where
    you'll probably want it anyway, and choose to put
    your converted audio into the song's folder.
    Please realize: If a composer or producer wants his/her audio to sound like
    Mickey Mouse on Helium and Espresso, he will do it after the fact, on purpose, using a plugin.
    Is it too much to ask, to have this Setting do what it says it does, with ALL audio brought into the song?
    No matter how I bring audio material into a Project, the sample rate should always conform
    to the Project's sample rate.

    Hi there
    I've been using Captivate since version 1. And to be honest, I'm not sure I've ever seen the option work. If it does work, I'd also like to know under what conditions it works. Perhaps it only works with certain applications. I'm not sure. Largely I've ignored the option exists because I've never recorded anything where I wanted tooltips to be an option. I've never wanted to simulate to that detail.
    You should probably consider filing a bug report.
    Cheers... Rick
    Helpful and Handy Links
    Captivate Wish Form/Bug Reporting Form
    Adobe Certified Captivate Training
    SorcerStone Blog
    Captivate eBooks

  • Value mapping does not work

    Hi All,
    I can not get value mapping in XI 3.0 to work. Has anyone experience with this, the documentation is soo bad. This is what I have done:
    In the Graphical mapper I used the object "Value mapping" and filled in the following parameters:
    Value mapping context: http://sap.com/xi/XI
    Source
    Agency: System1
    Schema: UnitSystem1
    Target
    Agency: System2
    Schema: UnitSystem2
    In the directory I created an Value mapping table with the same paremeters as above and filled in the table.
    When I test the complete flow, the value mapping is not used. The unchanged values are just copied over to the target field.
    Any help is appreciated.
    Cheers,
    Frank

    Hi Colin,
    In test Mode you can't test the value mapping, because the value mapping table is part of the Directory. Instead of the Value Mapping I tried "Fixed Values" and that works, but you can not re-used it.
    If this advanced mapping guide explanes how to use the value mapping better then the standard "how to" mapping guide, please send it to me.
    email: [email protected]
    Cheers,
    Frank

  • Value help does not work for ONE person only !

    Hi,
    we have a strange problem. In the Web IC, we are using a standard value help for the country field for a Business Partner. This works fine for everyone (ie, it picks up the country and slots it into the field) except one person. For her, it never returns any value into the country field. We are guessing that it's not Web IC related but is something in her browser settings etc...but haven't been able to pin it down. Can anyone offer any advice on this ?
    thanks for looking.
    Malcolm.

    Hello Malcolm,
    If this error occurs for one user only it's definitely related to the clients PC.
    Did you already delete all temporary files and the cookies on that PC? Usually this does the trick!
    If this does not solve the problem, try to let that particular user login on another PC where the problem does not occur. (If the error does occur on another PC too it's probably profile/authorization related)
    Hope this helps!
    Regards,
    Joost

  • E301 Symbol type in value file does not match symbol type in layout

    Hello Experts,
    Please help me. I am getting this kind of error when I am trying to open a report in cg02 using Report From Template option.
    Regards
    Dheeraj

    Dear Dheeraj
    Regarding:I am facing this problem only with one specification. For the other specifications I am able to open the report properly from Report from Template option.
    Please compare data from one spec to the other. One spec does have more data. This "more" data yield to the result that a different WWI code is used and this WWI code is not "ok" and therefore you get problems.
    Regarding; "Maitain Parameter Values" => try to skip or write "hello world" or whatebver; parameter values are needed later; only on "rare" cases they have impact on the e.g. report from template creation so taht you get a problem
    Regarding:
    I tried creating the report but the report is not created.The status of the report is Error. i went to information tab and clicked on F6 Parameter Values. System has thrown a message saying "No Parameter Symbols found in the template". But system is trying to pass the parameter values. I think because of this I am getting error..
    Either you have used the wrong symbol type or used wrong function module to assign it to a own developped report symbol. etc. Please check; what was the last change either in WWI code or in report symbol definition.
    Some thread have shown that sometimes the report symbol is prepared as report type "01" but should be "02" (or the other way around). This is one reason for such issues
    Only by doing it step by step and checking:
    a.) what has been changed in template?
    b.) what is the difference in data on sepc 1 in comparison to spec 2
    You will succeed. Sorry to say: to debug WWI is not as simple as ABAP code. This is one reason why some developpers might get "frustrated" in WWI;
    May be check: WWI for Beginners
    as well
    C.B.

  • Planning system value mapping does not work (planingsys)

    Hello,
    When sending a Material from R3 to SBO one of the materials fails with this error:
    DI Error -1004 : (-1004) '' is not a valid value for field 'PlaningSys'. The valid values are: 'M' - 'MRP', 'N' - 'None' =| (End of appended Exceptions)
    I immediatly set a value mapping for Planning System ( '' -> 'N' ) but the same error still occurs (i also tried with '' -> 'M' ).
    Can anybody help ?
    Thanks,
    Fabrice.

    I finally found a solution
    The value mapping that needs to be done was:
    'PD' -> 'bop_MRP'
    the value '' in the error is wrong: the value was 'PD' and the mapping has to be done with the SBO SDK variable name.
    Bye.
    Message was edited by:
            Fabrice NANNI

  • Posting date = Value date does not work

    hi,
       this is the problem given by them,
    symptom:
    When the parameter 'Posting date is value date' is active, the posting date of all movements of a bank statement is the bank statement date and not the value date of the individual movements of the bank statement.
    other terms:
    RFEBBE00,CODA,Belgian Bank statement,PAR_VALD,FEBPDO-BEVALD,FEBBEVALD
    Reason & Prerequisites:
    The program converts the belgian bank statement format to the Multicash format.The multicash format uses the bank statement date as the posting date.
    I want to know how the logic is done so that we will get the posting date = value date and in which user exit is it written?
    Plz help me.
    Regards,
    Shalini

    Basically can you please clarrify your requirement as to what you want to change ..what I understand you would need to change the code for ABAP - RFEBBE00
    Value Date code in the above abap
            IF PAR_VALD = 'X'.
              MOVE C2-VALDT TO HLP_VALDT.  "  VALUE DATE
             write hlp_valdt to umsatz-budat dd/mm/yy.
            ELSE.
              MOVE C8-BALDT TO HLP_BALDT.
              MOVE HLP_BALDT TO HLP_VALDT.
            write hlp_valdt to umsatz-budat dd/mm/yy.
            ENDIF.
               MOVE HLP_VALDT(2) TO UMSATZ-BUDAT.
               MOVE HLP_VALDT2(2) TO UMSATZ-BUDAT3.
               MOVE HLP_VALDT4(2) TO UMSATZ-BUDAT6.
    Regards
    Anurag
    Message was edited by: Anurag Bankley

  • Steve, "Simple JSF Popup List of Values Page " does not work..

    Hi Steve,
    I read "Not Yet Documented ADF Sample Applications" #80 : "Simple JSF Popup List of Values Page " and download SimpleADFBCLOVJSF.zip, but when I try to run the sample, I get this error :
    JBO-33001: Cannot find the configuration file /xxx/common/bc4j.xcfg in the classpath
    What is wrong ?
    Thank you,
    xtanto

    Thanks for reporting this. I've uploaded a newer version of the zip file that fixes this issue.
    It was due to a last-minute refactoring of my model project from having the application module living in a package named "xxx" to another package named "example.model"

  • My function /automation tool/ in adobe photoshop 10 (new) does not work. how to fix the problem

    please help me fix it ....

    Hi my operating system is Windows 7. Installing Adobe Photoshop Elements 10
    I  expect that possess features that I need. Specifically, (AUTOMATION
    TOOLS). I wanted to use the AP10. The operation concerns the CREATE  of
    one illustration of several others (such as panorama). Illustrations come from
    a scanner, which I copied from   large parts of the one big  illustrations
    . In other words, in terms of "stich assist."

  • In OS Yosemite the search function in Mail, Finder, Spotlight- does not work

    MacBook Pro (Retina, 15-inch, Late 2013)
    2,6 GHz Intel Core i7
    16 GB 1600 MHz DDR3
    NVIDIA GeForce GT 750M 2048 MB
    OS Yosemite,
    Finder versión 10.10.1
    Mail Versión 8.1 (1993)
    In OS Yosemite the search function in Mail, Finder, Spotlight… does not work. Messages or documents with the search criteria are there and one could find them manually, but the search function fails to find them. Following advice from Apple Support (728965377):
    1. I applied an Apple protocol for adware removal (Remove unwanted adware that displays pop-up ads and graphics on your Mac); I had none, because I had formally utilized a similar protocol that I had found in Internet, actually an app that implemented automatically Apple's adware removal protocol.
    2. I rebuild the post boxes in Mail (Mail (Yosemite): Reconstruir buzones); It took a while but it functioned properly
    3. I re-install the System (OS X Yosemite: Reinstalar OS X); It took about 4 hours but there was no problem whatsoever with the installation.
    Afterwards I searched for messages in Mail, and documents in Finder and Spotlight, without any difficulty. The search function in all of them was working properly. But the next time that I needed to search messages or documents, an hour later or so, the problem reappear and a couple of new issues occurred:
    1. in app RagTime 6.5.2 (Build 1821), www.ragtime.de, the menu bar disappears (it is invisible), when one performs certain operations, e. g., calculating a value with a formula, whether it is in a spreadsheet or some other component (text, drawing, etc.). After touching with the cursor the menu bar is visible again.
    2. after reading an e-mail in Mail or copying an address, this is seeing as a floating object in the finder and over every application. There is no logical way to get rid of the floating object and neither copying or deleting or cutting it. It is not a big issue but nonetheless bothersome.
    3. In Mail, messages with Flag or in VIP contacts cannot be seen in the appropriate folders, only in the Incoming mail folder, together with other messages. It seems to me, this issue is part of same search function problem.
    4. The preview function within Mail does not show the attached documents to a message, whether it is in the IN, OUT or Draft boxes.

    Launch the Console application in any of the following ways:
    ☞ Enter the first few letters of its name into a Spotlight search. Select it in the results (it should be at the top.)
    ☞ In the Finder, select Go ▹ Utilities from the menu bar, or press the key combination shift-command-U. The application is in the folder that opens.
    ☞ Open LaunchPad and start typing the name.
    The title of the Console window should be All Messages. If it isn't, select
              SYSTEM LOG QUERIES ▹ All Messages
    from the log list on the left. If you don't see that list, select
              View ▹ Show Log List
    from the menu bar at the top of the screen.
    Click the Clear Display icon in the toolbar. Then try again to re-index Spotlight. Select any messages that appear in the Console window. Copy them to the Clipboard by pressing the key combination command-C. Paste into a reply to this message by pressing command-V.
    The log contains a vast amount of information, almost all of which is irrelevant to solving any particular problem. When posting a log extract, be selective. A few dozen lines are almost always more than enough.
    Please don't indiscriminately dump thousands of lines from the log into this discussion.
    Please don't post screenshots of log messages—post the text.
    Some private information, such as your name or email address, may appear in the log. Anonymize before posting.

  • Palm Desk Top 6.2 Address Look Up Function Does Not Work In Windows 7

    I recently upgraded my desk top computer's operating system from Windows Vista Home Premium to Windows 7 Home Premium.  I synchronize with a Palm Tx PDA.  HP PalmOS customer support Chat helped me work through a compatibility issue that was preventing display of Address, Calendar, Memo and To Do items on my desk top computer via the Palm Desk Top 6.2 application.  I now find that the address look up function does not work (although it worked fine when I was running Vista).  Without success, I tried running the repair tool as well as reloading the software (both overlay and clean reinstall).  I would appreciate any help or suggestions to fix?
    Post relates to: Palm TX

    Hi,
    844869 wrote:
    CREATE TABLE TEST_EMPLOYEES
    FIRST_NAME VARCHAR2(26 CHAR),
    GRADE VARCHAR2(5 CHAR)
    INSERT INTO TEST_EMPLOYEES (FIRST_NAME, GRADE) VALUES ( 'William', 45 ); ...Thanks for posting the CREATE TABLE and INSERT statements; that's very helpful.
    William&45     1
    Robin 43     1
    Raymond          43     1
    Richard          43     1
    Karen          28     1
    Michelle               1
    Jonathan               1
    Mark               1
    Ann               1You may have noticed that this site normally doesn't display multiple spaces in a row.
    Whenever you post formatted text (such as query results) on this site, type these 6 characters:
    \(small letters only, inside curly brackets) before and after each section of formatted text, to preserve spacing.
    This is one of the many helpful things found in the forum FAQ {message:id=9360002}
    Are the results above what you're getting with some existing query, or are they the results you want? 
    If those are your current results, post your query.  In that case, what are the results you want?  Do you want this?FIRST_NAME GRADE RNK
    William 45 1
    Robin 43 2
    Raymond 43 2
    Richard 43 2
    Karen 28 5
    Michelle 6
    Jonathan 6
    Mark 6
    Ann 6
    Edited by: Frank Kulash on Feb 21, 2013 2:39 PM
    I see you've added the desired results to your original message.
    Here's one way to do that:SELECT first_name
    ,     grade
    ,     RANK () OVER (ORDER BY grade NULLS FIRST)     AS rnk
    FROM     test_employees
    ORDER BY grade          DESC     NULLS LAST

  • Any idea what this errorr means? the data type of the reference does not match the data type of the variable

    I am using Veristand 2014, Scan Engine and EtherCat Custom Device.  I have not had this error before, but I was trying to deploy my System Definition File (run) to the Target (cRio 9024 with 6 modules) and it failed. It wouldn't even try to communicate with the target. I get the 'connection refused' error.  
    I created a new Veristand project
    I added the Scan Engine and EtherCat custom device.
    I changed the IP address and auto-detected my modules
    i noticed tat Veristand didn't find one of my modules that was there earlier. (this week)
     So, i went to NiMax to make sure software was installed and even reinstalled Scan Engine and Veristand just to make sure.
    Now, it finds the module, but when i go to deploy it getsto the last step of deploying the code to the target, and then it fails.
    Any thoughts?
    Start Date: 4/10/2015 11:48 AM
    • Loading System Definition file: C:\Users\Public\Documents\National Instruments\NI VeriStand 2014\Projects\testChassis\testChassis.nivssdf
    • Initializing TCP subsystem...
    • Starting TCP Loops...
    • Connection established with target Controller.
    • Preparing to synchronize with targets...
    • Querying the active System Definition file from the targets...
    • Stopping TCP loops.
    Waiting for TCP loops to shut down...
    • TCP loops shut down successfully.
    • Unloading System Definition file...
    • Connection with target Controller has been lost.
    • Start Date: 4/10/2015 11:48 AM
    • Loading System Definition file: C:\Users\Public\Documents\National Instruments\NI VeriStand 2014\Projects\testChassis\testChassis.nivssdf
    • Preparing to deploy the System Definition to the targets...
    • Compiling the System Definition file...
    • Initializing TCP subsystem...
    • Starting TCP Loops...
    • Connection established with target Controller.
    • Sending reset command to all targets...
    • Preparing to deploy files to the targets...
    • Starting download for target Controller...
    • Opening FTP session to IP 10.12.0.48...
    • Processing Action on Deploy VIs...
    • Setting target scan rate to 10000 (uSec)... Done.
    • Gathering target dependency files...
    • Downloading testChassis.nivssdf [92 kB] (file 1 of 4)
    • Downloading testChassis_Controller.nivsdat [204 kB] (file 2 of 4)
    • Downloading CalibrationData.nivscal [0 kB] (file 3 of 4)
    • Downloading testChassis_Controller.nivsparam [0 kB] (file 4 of 4)
    • Closing FTP session...
    • Files successfully deployed to the targets.
    • Starting deployment group 1...
    The VeriStand Gateway encountered an error while deploying the System Definition file.
    Details:
    Error -66212 occurred at Project Window.lvlibroject Window.vi >> Project Window.lvlib:Command Loop.vi >> NI_VS Workspace ExecutionAPI.lvlib:NI VeriStand - Connect to System.vi
    Possible reason(s):
    LabVIEW: The data type of the reference does not match the data type of the variable.
    =========================
    NI VeriStand: NI VeriStand Engine.lvlib:VeriStand Engine Wrapper (RT).vi >> NI VeriStand Engine.lvlib:VeriStand Engine.vi >> NI VeriStand Engine.lvlib:VeriStand Engine State Machine.vi >> NI VeriStand Engine.lvlib:Initialize Inline Custom Devices.vi >> Custom Devices Storage.lvlib:Initialize Device (HW Interface).vi
    • Sending reset command to all targets...
    • Stopping TCP loops.
    Waiting for TCP loops to shut down...
    • TCP loops shut down successfully.
    • Unloading System Definition file...
    • Connection with target Controller has been lost.

    Can you deploy if you only have the two 9401 modules in the chassis (no other modules) and in the sysdef?  I meant to ask if you could attach your system definition file to the forum post so we can see it as well (sorry for the confusion).  
    Are you using any of the specialty configurations for the 9401 modules? (ex: counter, PWM, quadrature, etc)
    You will probably want to post this on the support page for the Scan Engine/EtherCAT Custom Device: https://decibel.ni.com/content/thread/8671  
    Custom devices aren't officially supported by NI, so technical questions and issues are handled on the above page.
    Kevin W.
    Applications Engineer
    National Instruments

  • Typeahead function in search field inside Facebook does not work in Firefox 13.0

    Until 3 or 4 days ago, cool typeahead function inside search field inside Facebook always worked in Firefox. Now since 4 days ago, it does not work. But the typeahead function works inside search field inside Facebook on Internet Explorer BUT I prefer to use Firefox and do NOT want to switch to IE!!!
    Is there anything I can do to regain that function?
    Aharon

    Shalom DJST,
    Thank you for reply.
    The behavior did not start with Firefox 13. I actually upgraded to Firefox 13 in hope it would solve the problem that happened in previous older versions. It failed to solve the problem.
    It had been working for 3 years on Firefox until last or 2 weeks ago.
    Regarding search, I mean by "type-ahead" which is that FB's search field offers a drop down list of possible search results as I type. For example, if I type S, it will show list of all people or groups with first letter S. If I type sk, it will show list of anything such as people or groups that starts with Sk, and so on. This is most valuable time saving technique to look for my pals to say hi or groups that I do not belong to but want to read their news or info.
    I think it is Facebook's programming problem but if I ask them, they will point to Firefox's fault by saying that it works for my Internet Explorer but not for Firefox and I do not want to get involved into tug war between Facebook and Mozilla.
    I am just bummed that the valuable time saving search method no longer exists on Firefox.
    Regards,
    Aharon

Maybe you are looking for

  • Safari 2.0.4  IS this BETA?

    Safari 2.0.4 It constantly locks up (not responding) I'd like to give it a response! It quits while deleting email repeatedly. I'd like to delete IT! If this is BETA is there a higher one I can download and how and do I need to get rid of the 2.0.4?

  • I can't open aperture after upgrading OS to Mavericks 10.9.3

    I upgared the OS to 10.9.3 Maverics and I cant open Aperture. My aperture version is 3.1.3. Please help!

  • Social networking share widgets for iWeb... any solutions?

    I've been trying in vain for sometime to get one of the social networking share widgets (ShareThis, AddThis, TellaFriend) to work in iWeb 08 and am hoping someone might be able to help. With all i am pasting the code provided by these services into t

  • Mac does not sleep under second internal HD

    I got a problem with the Mac not going to sleep while running from the second internal HD under Mac OS 10.4.10. It remains awaken after a period of inactivity. I have two HDs, one is primary and the other is second (only just installed last spring).

  • How to get name of a Component retuned by FocusEvent.getOppositeComponent()

    Hi, I have three instances of JTable named table1, table2, table3 and one button. For the button I have FocusListener which listens to focusGained event. The FocusEvent enables me to get the Component which has lost the focus by e.getOppositeComponen