TEDS date

Hello everebody...
I recently fixed a bug a had with the date when i wrote it to a TEDS:
Every date was written with a day less than specified, ex: I typed 23/03/2006 and it wrote 22/03/2006. And this was the case for every date in the TEDS range.
My solution is that I had to inject a specific time to the date. I saw that when a TEDS date is read, the time is 18:00:00,000, so I force 18:00:00 into the date cluster.
The conversion with my date, whose time was something between 8:30:00,000 and 16:30:00,000 did take a day back. Why? I don't know. I imagin some problem with my timezone (Brussels) and that from NI, or because LabVIEW date is the number of seconds past since 1/1/1904 0:0:0,000 and the TEDS date is the number of days passed since 1/1/1998.
Since the bug is fixed, I don't need any help for this topic, nut I thought I might post it, this problem could occur to someone else...
Thanks for reading...

Hi Assaf, where is your date picker located- IE: in a custom form, a web part or the physical list or library?
Since it's only happening for some users, my guess is it's related to the settings on their computers. Did you try logging in on their computer to see if it works for you? Things to check: install the latest Active X and make sure they're using IE 32 bit
version only. Also have them remove any extraneous plugins like Google toolbar, etc.
cameron rautmann

Similar Messages

  • Can read TEDS in MAX but not with DAQmx VIs

    Hi,
    I have a cdaq 9181 with a 9234 accelerometer module.  I have 3 teds equipped accelerometers connected to ai0, ai1, and ai2 repectively.  In MAX, when I reserve the chassis I can read all three teds, no errors.  When I do the same thing in labview (ie reserve the chassis, create a daqmx task, associate teds data with each physical channel, all with daqmx VIs) I can only read two out of three teds.  The third one throws a "no teds sensor detected" error.  This code has been in use for about four months now, though I just rewrote the calling VIs, and hasn't displayed this problem.  I've attached a snippet of the task building VI for reference.
    Any ideas what's going on?
    Thanks.
    Using LV2012 and MAX 5.3.1 running on Windows 7 32 bit.
    CLAD
    Attachments:
    Build Daq Task Snippet.png ‏58 KB

    Nope.  That's a delete from array, length 1, index 3.
    In any case, I eliminated that block since the string array wired to the for loop controls how many devices the VI attempts to configure.  Same result, verified it was trying to configure ai2.  Here's the updated snippet:
    CLAD
    Attachments:
    Build Daq Task Snippet v2.png ‏54 KB

  • LabView TEDS library into DLL or ActiveX Control so that I can use it in C or Visual Basic?

    We are developing software in LabWindows/CVI and Microsoft C. I heard that LabView can generate DLLs. Can I turn LabView TEDS library into DLL or ActiveX Control so that I can use it in C or Visual Basic development environment?

    Technically what you are proposing is possible with LabVIEW. With LabVIEW's application builder, VIs can be built into dlls. Also, LV has ActiveX hooks and so you could create a system for calling into it from CVI. However, this is not what I would recommend.
    The LabVIEW VIs have been written to a preliminary version of the IEEE specification (1451.4) that describes the TEDS data which is primarily why I'm advising you against using them. Once the IEEE spec is approved (the current timeline is currently late March), it will become public and you can write your own code according to the specification (or wait for someone else to write it). To help you get started, the spec includes flex and bison code that describes the syntax and structure of the template files
    Internally, we've written some C, C++ and Java code to the preliminary version of the spec and we've found that we can duplicate the functionality of the TEDS Library for LV in roughly 2 weeks in any other language.

  • Encryption/Decryption  failure for pdf and MSWord files

    Hi,
    Is there anybody to help me to find out what is wrong with my class (listing below)? I am sucessfuly using this class to encrypt and decrypt txt, html files but for unknown reasons I am unable to use it for e.g. pdf files. The encrypion somehow works but any atempt to decrypt is a failure.
    /* This class accepts an input file, encrypts/decrypts it using DES algorithm and
    writes the encrypted/decrypted output to an output file. DES is used in Cipher
    Block Chaining mode with PKCS5Padding padding scheme. Note that DES is a symmetric
    block cipher that uses 64-bit keys for encryption. A password of length no less
    than 8 is to be passed to the encryptFile/ decryptFile methods. This password is
    used to generate the encryption key. All exception handling is to be done by
    calling methods. These exceptions are thrown by encryptFile/ decryptFile methods.
    The input buffer is 64 bytes, 8 times the key size.
    import java.io.*;
    import javax.crypto.*;
    import javax.crypto.spec.*;
    import java.security.*;
    import java.security.spec.*;
    public class Crypto
    public Crypto(FileInputStream inStream_, FileOutputStream outStream_)
    fInputStream_ = inStream_;
    fOutputStream_ = outStream_;
    public void encryptFile(String password_) throws InvalidKeySpecException, InvalidKeyException,
    InvalidAlgorithmParameterException, IllegalStateException, IOException, Exception
    DataOutputStream dataOutStream_ = new DataOutputStream(fOutputStream_);
    // key generation
    SecretKey encryptKey_ = createEncryptionKey(password_);
    // Cipher initialization
    Cipher cipher_= Cipher.getInstance(cipherType);
    cipher_.init(Cipher.ENCRYPT_MODE, encryptKey_);
    // write initialization vector to output
    byte[] initializationVector_ = cipher_.getIV();
    dataOutStream_.writeInt(initializationVector_.length);
    dataOutStream_.write(initializationVector_);
    // start reading from input and writing encrypted data to output
    while (true) {
    inputLength_ = fInputStream_.read(input_);
    if (inputLength_ ==-1) break;
    byte[] output_ = cipher_.update(input_, inputOffset_, inputLength_);
    if (output_ != null)
    dataOutStream_.write(output_);
    // finalize encryption and wrap up
    byte[] output_ = cipher_.doFinal();
    if (output_ != null)
    dataOutStream_.write(output_);
    fInputStream_.close();
    dataOutStream_.flush();
    dataOutStream_.close();
    public void decryptFile(String password_) throws IllegalStateException, IOException, Exception
    DataInputStream dataInStream_ = new DataInputStream(fInputStream_);
    // key generation
    SecretKey encryptKey_ = createEncryptionKey(password_);
    // read initialization vector from input
    int ivSize_ = dataInStream_.readInt();
    byte[] initializationVector_ = new byte[ivSize_];
    dataInStream_.readFully(initializationVector_);
    IvParameterSpec ivParamSpec_= new IvParameterSpec(initializationVector_);
    // Cipher initialization
    Cipher cipher_= Cipher.getInstance("DES/CBC/PKCS5Padding");
    cipher_.init(Cipher.DECRYPT_MODE, encryptKey_, ivParamSpec_);
    // start reading from input and writing decrypted data to output
    while (true) {
    inputLength_ = fInputStream_.read(input_);
    if (inputLength_ ==-1) break;
    byte[] output_ = cipher_.update(input_, inputOffset_, inputLength_);
    if (output_ != null)
    fOutputStream_.write(output_);
    // finalize decryption and wrap up
    byte[] output_ = cipher_.doFinal();
    if (output_ != null)
    fOutputStream_.write(output_);
    fInputStream_.close();
    fOutputStream_.flush();
    fOutputStream_.close();
    // the following method creates the encryption key using the supplied password
    private SecretKey createEncryptionKey(String passwd_) throws InvalidKeySpecException,
    InvalidKeyException, NoSuchAlgorithmException
    byte[] encryptionKeyData_ = passwd_.getBytes();
    DESKeySpec encryptionKeySpec_ = new DESKeySpec(encryptionKeyData_);
    SecretKeyFactory keyFactory_ = SecretKeyFactory.getInstance(algorithm_);
    SecretKey encryptionKey_ = keyFactory_.generateSecret(encryptionKeySpec_);
    return encryptionKey_;
    private FileInputStream fInputStream_;
    private FileOutputStream fOutputStream_;
    private final String algorithm_= "DES";
    private final String cipherType= "DES/CBC/PKCS5Padding";
    private byte[] input_ = new byte[64]; // The input buffer size is 64
    private int inputLength_;
    private final int inputOffset_= 0;
    }

    Please can u give me refined code for me///
    at [email protected]
    Hi,
    I found at least one thing wrong. In the decrypt
    method you are reading from 'fInputStream_' rather
    than 'dataInStream'.
    Worked for me on MSWord after changing this!
    Roger
    // start reading from input and writing decrypted
    ted data to output
    while (true) {
    inputLength_ = fInputStream_.read(input_);
    if (inputLength_ ==-1) break;
    byte[] output_ = cipher_.update(input_,
    input_, inputOffset_, inputLength_);
    if (output_ != null)
    fOutputStream_.write(output_);

  • SCC-SG24 & SCC68 (Torque transducer​)

    HW: PCI6229, SCC68, SCC-SG24, TRT-25 (Transducer techniques, torque transducer) using Virtual TEDS from ni.com
    SW: LV 8.2.1, DAQmx 8.3
    Hi guys, with the 'rig' above i'm trying to extract the torque of a motor.
    Based on what i know, the SCC-SG24 will detect the small change of
    voltage in the bridge of the transducer, amplify it can send it to my
    DAQ through the SCC68 connector block. The TEDS data will be used to
    properly scale my data so that i'll get an accurate Torque vs Sample
    graph. I have attached the screenshot from MAX and it shows the
    Amplitude vs Sample of my transducer. As you can see the values are
    very small, in the mV range. I've tried changing the max/min input
    limit to 200m/-200m but it doesn't allow me to do that. And how do i
    convert this voltage measurement to torque?
    Attachments:
    SCC-SG24.JPG ‏125 KB

    Hi Atma,
    Doing and average of the signal coming from the torque transducer will help better understand what is happening because the torque transducer can be very sensitive and that is why your readings oscillates between -0.35 and -0.39.  In the manual page 23 says that (in the picture) those are the offset nulling resistor for AIX.
    If no strain is apply to the torque transducer then yes change the resistor until your signal is in average in 0.  For the other three times it can be noise, it can be poor connections it will also depends on your torque transducer specs, this is a useful link for basics in torque measurements http://zone.ni.com/devzone/cda/ph/p/id/255, Another very good resource for strain measurements in general is http://zone.ni.com/devzone/cda/tut/p/id/3642 What are the values the other three times when it does not match the wrench?  How those the images look when you apply strain? Let’s say you apply a know strain how does the measurement looks like?
    JaimeF
    Message Edited by Jaime F on 08-29-2007 03:54 PM
    Jaime Hoffiz
    National Instruments
    Product Expert
    Digital Multimeters and LCR Meters

  • Complex VO as AdvancedDataGrid dataProvider

    I would like to access fields in a complex VO from my AdvancedDataGrid.
    By 'complex' I mean - that my AdvancedDataGrid dataProvider point to VO of type 'A' which containes (besides properties) VO of type 'B'.
    I would like that part of my colums will point to B's fields (e.g.<mx:AdvancedDataGridColumn dataField="B.Myfield"/>
    Is that possible?

    After digging the web, I've found several user solutions for this issue.
    It seems that ADOBE not found this issue to be urgent enough, thus not support it in standard manner
    For those of you who just  encounter this issue, here are few solutions I've found:
    - http://natescodevault.com/?p=61
    - http://active.tutsplus.com/tutorials/flex/working-with-the-flex-datagrid-and-nes  ted-data-structures/
    - http://www.switchonthecode.com/tutorials/nested-data-in-flex-datagrid-by-extendi  ng-datagridcolumn
    (NOTE: for the last one, I found a  post which describes how to support edit-mode too: http://kennethteo.com/2008/12/19/editing-nested-data-for-flex-datagrid/)
    Cheers,  Haim

  • SCXI-1314T

    I have a number of test stands which use a SCXI-1520 with SCXI-1314T terminal block to measure various bridge-type sensors.  I'm only using this terminal block for the convienence of the RJ-50 connectors, not for the TEDS functionality.  I'm having a bit of trouble getting this setup to work with a third-party LabView RT application which supports the SCXI-1520, but which has not been tested with the SCXI-1314T terminal block.
    Figure 3 in the SCXI-1314T manual shows the excitation, bridge output, remote sense, and shunt cal. signals being passed straight through the SCXI-1314T module from the RJ-50 connectors to the SCXI-1520 front panel connector.  Is this always the case?  The application vendor has suggested that the SCXI-1314T may not always pass-through these signals, or may need to be specially configured to do so.
    Thanks,
    Mark Moss

    Hello Mark,
    When you configure your SCXI-1520 in Measurement & Automation Explorer (MAX) you can also assign an accessory such as the SCXI-1314T to the module.  Since you can also assign an SCXI-1314 as an accessory to the SCXI-1520, you should be aware that the signals in the 1314 and 1314T are different. But, to answer your specific question, yes, the SCXI-1314T always passes the excitation, bridge output, remote sense, shunt calibration, and TEDS data signals from the RJ-50 connectors to the SCXI-1520 front panel connector. Of course, if you do not wire a signal to the RJ-50 modular plug, the signal will not be fed through to the 1520.  If you are having problems, one thing that I would suggest is making sure that the accessory to the SCXI-1520 is actually a 1314T, and not a 1314 in MAX.
    Best wishes,
    Wallace F.
    National Instruments
    Applications Engineer

  • Users unable to save data in .pdf

    Greetings,
    I created a rather simple form in LiveCycle Designer 8.2.  However, when users open the form in Acrobat Reader 9.0+ they are informed that they cannot save the data in the file and that it must be printed out.  I've looked through Ted Padova/Angie Okamoto's PDF Forms using LiveCycle Bible and have found nothing that can remotely explain this.  Perhaps I have missed a step, an option or saved it correctly.  Can anyone out there give me a hint, an explaination, or a fix for this problem?
    Thanks!

    Hi,
    The issue is that the form will have certain restrictions when opened in Reader. For example, users cannot save the data that they have entered into the form.
    There is a step you can take, which is to "Reader Enable" the form before you send it out. There are two approaches:
    You can Reader Enable the form using Acrobat Standard v9 and above or Acrobat Pro v8.
    You can use the full server product LC Reader Extensions ES2 to apply the Reader rights. 
    The features that are available to the user will depend on which was you apply the Reader rights.
    For example:
    In your situation, you are at Option 2: form is not Reader Enabled and the user opens the form in Reader.
    In order to enable the user to be able to save the data in the form, you need to get to Option 3 (enabling the form using Acrobat) OR Option 4 (enabling the form using LC Reader Extensions).
    There is more information here: http://assure.ly/etkFNU.
    Please note that there are licensing restrictions in Reader Enabling a form in Acrobat. Also you need to Reader Enable the form before you send it out to the users.
    Hope that helps,
    Niall

  • How to create a report with data using the Crystal Reports for Java SDK

    Hi,
    How do I create a report with data that can be displayed via the Crystal Report for Java SDK and the Viewers API?
    I am writing my own report designer, and would like to use the Crystal Runtime Engine to display my report in DHTML, PDF, and Excel formats.  I can create my own report through the following code snippet:
    ReportClientDocument boReportClientDocument = new ReportClientDocument();
    boReportClientDocument.newDocument();
    However, I cannot find a way to add data elements to the report without specifying an RPT file.  Is this possible?  I seems like it is since the Eclipse Plug In allows you to specify your database parameters when creating an RPT file.
    is there a way to do this through these packages?
    com.crystaldecisions.sdk.occa.report.data
    com.crystaldecisions.sdk.occa.report.definition
    Am I forced to create a RPT file for the different table and column structures I have? 
    Thank you in advance for any insights.
    Ted Jenney

    Hi Rameez,
    After working through the example code some more, and doing some more research, I remain unable to populate a report with my own data and view the report in a browser.  I realize this is a long post, but there are multiple errors I am receiving, and these are the seemingly essential ones that I am hitting.
    Modeling the Sample code from Create_Report_From_Scratch.zip to add a database table, using the following code:
    <%@ page import="com.crystaldecisions.sdk.occa.report.application.*"%>
    <%@ page import="com.crystaldecisions.sdk.occa.report.data.*"%>
    <%@ page import="com.crystaldecisions.sdk.occa.report.document.*"%>
    <%@ page import="com.crystaldecisions.sdk.occa.report.definition.*"%>
    <%@ page import="com.crystaldecisions.sdk.occa.report.lib.*" %>
    <%@ page import = "com.crystaldecisions.report.web.viewer.*"%>
    <%
    try { 
                ReportClientDocument rcd = new ReportClientDocument();
                rcd.newDocument();
    // Setup the DB connection
                String database_dll = "Sqlsrv32.dll";
                String db = "qa_start_2012";
                String dsn = "SQL Server";
                String userName = "sa";
                String pwd = "sa";
                // Create the DB connection
                ConnectionInfo oConnectionInfo = new ConnectionInfo();
                PropertyBag oPropertyBag1 = oConnectionInfo.getAttributes();
                // Set new table logon properties
                PropertyBag oPropertyBag2 = new PropertyBag();
                oPropertyBag2.put("DSN", dsn);
                oPropertyBag2.put("Data Source", db);
                // Set the connection info objects members
                // 1. Pass the Logon Properties to the main PropertyBag
                // 2. Set the Server Description to the new **System DSN**
                oPropertyBag1.put(PropertyBagHelper.CONNINFO_CRQE_LOGONPROPERTIES, oPropertyBag2);
                oPropertyBag1.put(PropertyBagHelper.CONNINFO_CRQE_SERVERDESCRIPTION, dsn);
                oPropertyBag1.put("Database DLL", database_dll);
                oConnectionInfo.setAttributes(oPropertyBag1);
                oConnectionInfo.setUserName(userName);
                oConnectionInfo.setPassword(pwd);
                // The Kind of connectionInfos is CRQE (Crystal Reports Query Engine).
                oConnectionInfo.setKind(ConnectionInfoKind.CRQE);
    // Add a Database table
              String tableName = "Building";
                Table oTable = new Table();
                oTable.setName(tableName);
                oTable.setConnectionInfo(oConnectionInfo);
                rcd.getDatabaseController().addTable(oTable, null);
        catch(ReportSDKException RsdkEx) {
                out.println(RsdkEx);  
        catch (Exception ex) {
              out.println(ex);  
    %>
    Throws the exception
    com.crystaldecisions.sdk.occa.report.lib.ReportSDKException: java.lang.NullPointerException---- Error code:-2147467259 Error code name:failed
    There was other sample code on SDN which suggested the following - adding the table after calling table.setDataFields() as in:
              String tableName = "Building";
                String fieldname = "Building_Name";
                Table oTable = new Table();
                oTable.setName(tableName);
                oTable.setAlias(tableName);
                oTable.setQualifiedName(tableName);
                oTable.setDescription(tableName) ;
                Fields fields = new Fields();
                DBField field = new DBField();
                field.setDescription(fieldname);
                field.setHeadingText(fieldname);
                field.setName(fieldname);
                field.setType(FieldValueType.stringField);
                field.setLength(40);
                fields.add(field);
                oTable.setDataFields(fields);
                oTable.setConnectionInfo(oConnectionInfo);
                rcd.getDatabaseController().addTable(oTable, null);
    This code succeeds, but it is not clear how to add that database field to a section.  If I attempt to call the following:
    FieldObject oFieldObject = new FieldObject();
                oFieldObject.setDataSourceName(field.getFormulaForm());
                oFieldObject.setFieldValueType(field.getType());
                // Now add it to the section
                oFieldObject.setLeft(3120);
                oFieldObject.setTop(120);
                oFieldObject.setWidth(1911);
                oFieldObject.setHeight(226);
                rcd.getReportDefController().getReportObjectController().add(oFieldObject, rcd.getReportDefController().getReportDefinition().getDetailArea().getSections().getSection(0), -1);
    Then I get an error (which is not unexpected)
    com.crystaldecisions.sdk.occa.report.lib.ReportDefControllerException: The field was not found.---- Error code:-2147213283 Error code name:invalidFieldObject
    How do I add one of the table.SetDataFields()  to my report to be displayed?
    Are there any other pointers or suggestions you may have?
    Thank you

  • Previewing Data in EAS Console on client machine throws an error.

    When I preview data in EAS console(version 11.1.1.4) on a client workstation I get a "Cannot sign on to domain. Error initializing the ORB.java.io.FileNotFoundException: domain.db (Access is denied)" error. Now if I Use the URL for Admin Console on the same client machine am able to preview the data fine. Also when I preview data on the client installed on the server am able to preview data fine. Just that when I use the Admin console client installed on a workstation I get that error. Any suggestions?
    Thanks,
    Ted.
    Edited by: Teddd on Mar 26, 2013 2:51 PM

    Ok I am using 11.1.1.4 EAS console. When I kick off the EAS console installed on the client machine I have observed the javaw.exe process which kicks off. And when I right click and do "open file location" on it it takes me to the E:\Hyperion\common\JRE\Sun\1.5.0\bin\javaw.exe which tells me it is using the java version which came with the product. But I still am having issues like expanding outlines(not issues, I just cant expand the outline dimensions to view members) and previewing data. On the other hand when I come through the URL the javaw.exe which kicks off is in the folder "C:\Program Files\JavaSoft\jre\1.6.0_11\bin\javaw.exe" which tells me it is using the java installed on the client workstation. And this 1.6 version one works just fine without any issues whatsoever. So in my case it is the supported version which is not working and the not supported one works without any issues. Please suggest guys, this is driving me nuts and I have no idea why our developers donot want to use the URL and want to use only the console installed on their machines. Even with a workaround available there should be a reason as to why it is happening and why it is not working.
    Thanks,
    Ted.
    Edited by: Teddd on Mar 28, 2013 3:20 PM

  • Report with two Command is empty if one of the two commands returns no data

    Hi all,
    I have a report with two Commands not linked together.
    If ONLY one of the two Commands returns no data, the full report is empty (although the other Command returns data).
    I'm using Crystal Report 2008 and the CRJ 12.2.205
    Have an idea?

    Hi Ted,
    how can I solve the problem, please? It is important.
    If I can help yourself, the problem is appeared in many reports since I updated the library (the old library version 11.8.4.1094 works fine with all). I'm waiting for your answer, please.
    Thank you very much.

  • How can I transfer and store data from my PC on the ipad without using icloud

    I am a new user having received the iPad air/2 from my family as an 80th birthday gift. (at my request).
    At this stage my principal usage is to transfer photos for PC to show family when visiting. I tried iTunes but it caused many problems with my PC, so I un-installed it. I found an ap which did the job simply and easily via wi fi transfer.
    My other main usage is to be able to play my music transferred from my PC to the ipad and held in it's memory so that it can be used even when off line.
    In other words iCloud doesn't seem to be able to do this.
    I sent myself a song via an email, downloaded it on to the ipad, listened to it, then closed the email.
    I cannot now find where that song has got to to retrieve... ipad search says it can't find it.
    Basically I want to transfer a folder of music into the ipad and play them back at will.
    Can anyone help me?
    Sorry to be so longwinded.. cheers Ted
    My PC runs Windows 7 64 bit.
    iPad is IOS8 I believe with 64 GB memory.

    You shouldn't be worrying about 'hackers'. Apple have good security & so long as you pick good passwords the data should be safe.
    There are parts of using iOS & iTunes that requires an Apple ID & iCloud, however you can disable many of the feature you do not need, and avoid syncing any files into iCloud. It can be annoying, but a lot of the services help to make backups easy.
    You may want to visit into an Apple store if you are near one, they may try to sell you on the benefits of iCloud (it's kind of their job), but they may also be able to help you get the iPad under control. See if you can get the PC setup with iTunes, that is probably where you need to start.
    Good luck with it

  • Using TEDS as storage for precision standards instead of transducers

    My company makes and calibrates precision resistance, capacitance and inductance standards. These are not transducers, yet they posess calibration data that would benefit from 'internal storage'. Some data could event be represented as a polynomial or a table (capac vs. freq; resistance vs. temp)
    Is there a standard like TEDS for 'source' components; or could TEDS be used to create a built-in datasheet? (Call it "SEEDS", Standards Equipped with Electronic Data Sheet ;-) .
    Now is the right time to use %^<%Y-%m-%dT%H:%M:%S%3uZ>T
    If you don't hate time zones, you're not a real programmer.
    "You are what you don't automate"
    Inplaceness is synonymous with insidiousness

    Hello,
    As of now, if there is such a standard, I am unaware of it. However, there may be a way to do something like this using TEDS. The IEEE 1451.4 (TEDS) standard does include an optional calibration section where different types of calibration data can be stored. So you may be able to utilize TEDS to store information about the resistors/capacitors/inductors. However, National Instruments software does not currently read in the calibration information and automatically process it.
    Something else that could be considered is that along with the calibration section there is a user data section in TEDS format that allows the placement of ASCII data.
    Also, with NI-DAQ 7.2, you have the ability to read in a bitstream from a TEDS sensor. So it is also possibl
    e to develop your own format and read in the binary information and process it using LabVIEW. However, you would have to understand IEEE 1451.4, and how to write in the proper checksums, and then create your own TEDS sensor, but I do believe it is possible.
    Interesting Idea! Keep them coming!
    Justin T.
    National Instruments

  • Is there any way to create fields reports users can enter data into?

    I am using Crystal XI to develop reports for my company and have not received any formal training on it.  I'm learning it fairly well through the help files. 
    One of the reports I need to create summarizes our scrap, rework, and additional incurred expenses for our monthly quality reports.  Most of the information is stored in the main program used by all employees, a very small amount of it is not.  I have created sub-reports for each of the different types of costs that are tracked in the system.
    Is there any way to create an area on the report that our QA people can use to enter the items not tracked in the main system?  I am imagining that it would be through another sub-report of some kind, but do not know how to create the fields needed. 
    Thank you very much for any assistance you can provide, even if it is to tell me "You can't do that, ma'am..."  At least then I would know and wouldn't beat my head against the desk trying to figure out how to do it.

    Is defining parameter prompts in the Crystal Report and displaying it in the report a possible workaround? 
    If you define parameter prompts, then Crystal will query the user before running the report - so this would be problematic if the user needs to reference data in the report to enter appropriate values (one possibility then is to use interactive parameters feature available in CR 2008).
    Sincerely,
    Ted Ueda

  • Unexpected database connector error, when data sent from POJO.. Plz Help Me

    Hi, Please Help me about this, I have started learning to develop a crystal report with java swing in crystal report integrated eclipse IDE 3.5 but when i am trying to send data from pojo to report file its giving error like "Unexpected database connector error" and Error code:-2147215349 Error code name:docNotReady.... please hlep me... i uploaded my program and the link to download my file is :
    http://www.4shared.com/file/mz8O4iQi/SimplePojoReport.html
    and i am not using any database just setting the data in the pojo...
    i wrote my problem here before, but nobody replied me... so this time i uploaded my project.. please help me...
    thanks...

    Hell Ted Ueda,
          Thanks for your reply, and did you downloaded my project files ? if not then please download it first.. because i retrieving data from the POJO not from any database.. from database its working fine but in case of POJO its not, because i wanna retrieve data dynamically from directly fields to report, means that user will fill all the information in the text box (Swing) and when he click on the button then the data from the text box should be pushed to report file and also should have to saved in the database.. so please download my project file... and help me...
    link : http://www.4shared.com/file/mz8O4iQi/SimplePojoReport.html
    thanking you..
    Arun...

Maybe you are looking for