Update a field in an access database via TestStand

I want to read a value from a numeric field in an MS Access database, increment that value by one, and then update the database record that I got the value from with the new value. I am able to execute an Open Database step, execute a Open SQL Statement step with a SELECT query, execute a "Get" operation in a Data Operation step to get the value into a TestStand variable, and increment the value, but I'm at a loss for how to update the databse record with the incremented value.
I tried to execute another Open SQL Statement step with an UPDATE statement, but I get a "Specified value does not have the expected type." error. The TestStand variable type is a number, and the Data Type of the database field is Number. I've tried using long integer, double, and decimal as field sizes, but they all give me the same error.
I also tried to execute a "Set" operation with another Data Operation step against the original Statement Handle. When I do this, the Data Operation runs without error, but when I run a Close SQL Statement step against the statement handle I get an "ADODB.Recordset: Operation is not allowed in this context." error.
Any help would be appreciated.

Scripter -
When you try to do a Set and Put, it is always good to explicitly set the statement's cursor type to something other than forward only, like keyset, and the lock type to something other than read-only. See if that helps...
Scott Richardson
National Instruments

Similar Messages

  • I need to pass data from an Access database to Teststand by using the built in Data step types(open data

    base /open SQL Statement etc) the first time i defined the system everything was fine but when i changed the Database (using M.S.Access) the " open SQL Statement" it would show the tables but not thier columns ,I"m using win98 sec edition / Teststand 1.0.1i need to pass data from an Access database to Teststand by using the built in Data step types(open database /open SQL Statement etc) the first time i defined the system everything was fine but when i changed the Database (using M.S.Access) the " open SQL Statement" it would show the tables but not thier columns ,I"m using win98 sec edition / Teststand 1.0.1
    When I tried the same thing on another cmputer the same thing
    happend
    appreiciate u"r help

    base /open SQL Statement etc) the first time i defined the system everything was fine but when i changed the Database (using M.S.Access) the " open SQL Statement" it would show the tables but not thier columns ,I"m using win98 sec edition / Teststand 1.0.1Hello Kitty -
    Certainly it is unusual that you can still see the tables available in your MS Access database but cannot see the columns? I am assuming you are configuring an Open Statement step and are trying to use the ring-control to select columns from your table?
    Can you tell me more about the changes you made to your file when you 'changed' it with MS Access? What version of Access are you using? What happens if you try and manually type in an 'Open Statement Dialog's SQL string such as...
    "SELECT UUT_RESULT.TEST_SOCKET_INDEX, UUT_RESULT.UUT_STATUS, UUT_RESULT.START_DATE_TIME FROM UUT_RESULT"
    Is it able to find the columns even if it can't display them? I am worried that maybe you are using a version of MS Access that is too new for the version of TestSt
    and you are running. Has anything else changed aside from the file you are editing?
    Regards,
    -Elaine R.
    National Instruments
    http://www.ni.com/ask

  • Update Access database via OleDB from DataGridView

    I have been scouring these forums and the internet in general as well as doing a lot of reading, all to no avail.  I can not seem to successfully update the Access database from an edited DataGridView.  I am trying to use Stored Procedures that
    are in the Access database and work fine therein.  The DGV is filled in properly.  I have tried an ever-increasing number of variants to update the database (Private Sub BtnUpdate...)  without success.  I'd really, really appreciate some
    guidance here.
    Here is my code thus far:
    Public Class Form1
        Dim con As OleDbConnection    
        Dim cmd As OleDbCommand
        Dim da As OleDbDataAdapter
        Dim ds As DataSet
        Dim ProviderConnectionString As String = "Provider=Microsoft.Jet.OLEDB.4.0;Data Source="
        Dim TargetList As String = "C:\Users\Administrator\Documents\Visual Studio 2010\Projects\Development5\Test.mdb"
        Private Sub Form1_Load(ByVal sender As Object, ByVal e As System.EventArgs) Handles Me.Load
            'establish a connection to the database
            con = New OleDbConnection(ProviderConnectionString & TargetList)
            con.Open()
            'define the command to be used
            cmd = New OleDbCommand
            cmd.Connection = con
            cmd.CommandType = CommandType.StoredProcedure
            cmd.CommandText = "ListAllTargets"
             'create the data adapter based on the command
            da = New OleDbDataAdapter(cmd)
            'fill the data set based on the command
            ds = New DataSet
            da.Fill(ds, "AllTargets")
            'bind and load dgvTargets with the data
            dgvTargetList.DataSource = ds.Tables("AllTargets")  ' Binding to dgvtargetlist
         End Sub
        Private Sub btnUpdate_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles btnUpdate.Click
             da.UpdateCommand = New OleDbCommand("UPDATE TargetList SET;", con)
            Validate()
            da.Update(ds.Tables("AllTargets"))
            Me.ds.AcceptChanges()
        End Sub
    End Class

    Hi John,
    Welcome to MSDN forums!
    Cor pointed you to the right direction. An OleDBCommandbuilder object is required, which can be used to automatically
    generate DeleteCommand, UpdateCommand and InsertCommand for DataAdapter object.
    Here is detailed walkthrough: How to update
    (Insert/Update/Delete) data back into MS Access database from DataGridView.
    1) New a WinForms project, drag&drop DataGridView1 and Button1 onto
    Form1.
    2) Add database file test.mdb to project via: Data menu -> Add New Data Source
    Wizard ... then you can use ralative path to this database file in code
    3) Select/click
    your database file test.mdb in Solution Explorer
    -> Properties Pane
    -> change the "copy to ouput directory" to "copy
    if newer"
    4) Code sample
    Imports System.Data.OleDb
    Public
    Class Form1
    Dim myDA As OleDbDataAdapter
    Dim myDataSet As DataSet
    Private Sub Form1_Load(ByVal sender
    As System.Object, ByVal e
    As System.EventArgs) Handles
    MyBase.Load
    Dim con As OleDbConnection =
    New OleDbConnection("Provider=Microsoft.jet.oledb.4.0;data source=|DataDirectory|\test.mdb")  ' Use relative path to database file
    Dim cmd As OleDbCommand =
    New OleDbCommand("SELECT * FROM Table1", con)
    con.Open()
    myDA = New OleDbDataAdapter(cmd)
    'Here one CommandBuilder object is required.
          'It will automatically generate DeleteCommand,UpdateCommand and InsertCommand for DataAdapter object  
    Dim builder As OleDbCommandBuilder =
    New OleDbCommandBuilder(myDA)
    myDataSet = New DataSet()
    myDA.Fill(myDataSet, "MyTable")
    DataGridView1.DataSource = myDataSet.Tables("MyTable").DefaultView
    con.Close()
    con = Nothing
    End Sub
    ' Save data back into database  
    Private Sub Button1_Click(ByVal sender
    As System.Object, ByVal e
    As System.EventArgs) Handles Button1.Click
    Me.Validate()
    Me.myDA.Update(Me.myDataSet.Tables("MyTable"))
    Me.myDataSet.AcceptChanges()
    End Sub
    End
    Class
    Best regards,
    Martin Xie
    MSDN Subscriber
    Support in Forum
    If you have any feedback on our support, please contact
    [email protected]
    Please remember to mark the replies as answers if they help and unmark them if they provide no help.
    Welcome to the All-In-One Code Framework! If you have any feedback, please tell us.

  • How to update single row of ms access database

    Hi All,
    can somebody tell me how can i edit/update a single row of ms access database?
    let say i want to edit the first row of the figure in the left. What i want is when i click in the row, it will pop up a window where i can edit the fields content. or may be is it possible to add a column with "edit" text which link to the appropriate row. so when i click the "edit" it will open the edit window.
    Thank you

    If you use a multi-column listbox indicator there is a "double-click" event that you can capture with an event structure. The event, when fired, returns the row that the user double-clicked. Use that parameter to fetch/modify the data as needed. Remember that to update the data in the database the table containing the data must have a primary key - or at lease something you can use to uniquely identify the rows.
    Remember that in a database, there is no such thing as "the first row"; you have to explicitly identify which row you wish to modify.
    Mike...
    Certified Professional Instructor
    Certified LabVIEW Architect
    LabVIEW Champion
    "... after all, He's not a tame lion..."
    Be thinking ahead and mark your dance card for NI Week 2015 now: TS 6139 - Object Oriented First Steps

  • Urgent!!!----Update a field of Long data type via trigger

    While it is obvious that it is no way for an Oracle trigger to update a field of a Long data type, is it a feasible way to call a java stored procedure from the trigger to achieve that purpose? If not, can you suggest any good solution to this?
    Thanks so much.

    Scripter -
    When you try to do a Set and Put, it is always good to explicitly set the statement's cursor type to something other than forward only, like keyset, and the lock type to something other than read-only. See if that helps...
    Scott Richardson
    National Instruments

  • Updating a Access Database via a Bean

    I�m having a problem using a java bean to update the contents of a database. I receive the error message:
    Cannot find a method to read property 'firstname' in a bean of type 'myBeans.UpdateGuestBean'
    I have an html form embedded in a jsp page as follows:
    <FORM NAME="members" ACTION="members.jsp"
          METHOD="POST">
        <TABLE BORDER="1" WIDTH="50%" ALIGN="center" BGCOLOR="lightgreen" CELLPADDING="2">
        <TR>
             <TD WIDTH="25%"><B>Firstname:</B></TD>
             <TD WIDTH="25%"><INPUT TYPE="text" SIZE="25" NAME="firstname" VALUE="<%= firstname %>"></TD>
        </TR>
        <TR>
             <TD><B>LastName:</B></TD>
             <TD><INPUT TYPE="text" NAME="surname" SIZE="25" VALUE="<%= surname %>"></TD>
        </TR>
        <TR>
             <TD><B>Email:</B></TD>
             <TD><INPUT TYPE="text" NAME="email" SIZE="25" VALUE="<%= email %>"></TD>
        </TR>
             <TD COLSPAN="2" ALIGN="right" WIDTH="50%"><INPUT TYPE="submit" VALUE="Update"></TD>
        </TR>I then call on members.jsp
    <%@ page language="java" contentType="text/html" errorPage="errorpage.jsp" %>
    <HTML>
    <HEAD><TITLE>Order Form</TITLE></HEAD>
    <BODY>
    import java.sql.*;
    <jsp:useBean id="members" class="myBeans.UpdateGuestBean" />
    <jsp:setProperty name="members" property="*"/>
    <ul>
    <li>first: <jsp:getProperty name="members" property="firstname" />
    <li>secondname: <jsp:getProperty name="members" property="surname" />
    <li>email: <jsp:getProperty name="members" property="email" />
    </ul>
    <% members.updateDatabase(); %>
    <jsp:forward page="confirmation.jsp" />
    </BODY>
    </HTML>Finally calling my java bean:
    package myBeans;
    import java.sql.*;
    class UpdateGuestBean
      //declare variables
      private String firstname;
      private String surname;
      private String email;
      //set methods
      public void setfirstname(String inputFirstname)
        this.firstname=inputFirstname;
      public void setsurname(String inputSurname)
        this.surname=inputSurname;
      public void setemail(String inputEmail)
        this.email=inputEmail;
      public void makeChanges(String email)
        try
          Class.forName("sun.jdbc.odbc.JdbcOdbcDriver").newInstance();
          Connection conn = DriverManager.getConnection("jdbc:odbc:Driver={Microsoft Access Driver (*.mdb)};DBQ=C:/Tomcat/jakarta-tomcat-4.1.31/webapps/ROOT/MyDB.mdb","","");
          Statement statement = conn.createStatement();
          String sql = "UPDATE members SET MyDB.Firstname='" + this.firstname + "' WHERE Username ='" + email + "';";
          statement.executeUpdate(sql);
          if (statement != null) statement.close();
          if (conn != null) conn.close();
        catch(Exception e)
          System.out.println("My error: " + e);
    }Help! I�ve run out of ideas. For a reminder, the error message is
    Cannot find a method to read property 'firstname' in a bean of type 'myBeans.UpdateGuestBean'
    Thanks in advance.

    Thanks for that. I put the getter methods in and it resolved that error message, however now I get a new error message:
    cannot resolve symbol
    symbol: method updateDatabase ()
    location: class myBeans.UpdateGuestBean
    members.updateDatabase();
    ^
    Any ideas? I think its referring to the jsp file members.jsp:
    <%@ page language="java" contentType="text/html" errorPage="errorpage.jsp" %>
    <HTML>
    <HEAD><TITLE>Order Form</TITLE></HEAD>
    <BODY>
    import java.sql.*;
    <jsp:useBean id="members" class="myBeans.UpdateGuestBean" />
    <jsp:setProperty name="members" property="*"/>
    <ul>
    <li>first: <jsp:getProperty name="members" property="firstname" />
    <li>secondname: <jsp:getProperty name="members" property="surname" />
    <li>email: <jsp:getProperty name="members" property="email" />
    </ul>
    <% members.updateDatabase(); %>
    <jsp:forward page="confirmation.jsp" />
    </BODY>
    </HTML>

  • How to administer an Access database via web-based interface?

    There are times when I need to edit a database record to do something my CMS wasn't designed to do, so I have to manually edit it. Normally I just ftp the Access mdb file to my pc, make edits, and reupload the mdb file and hope nobody updated the database in the meantime.  Does anyone know of a web-based database admin system that will allow me to edit Access data?  Sure would be nice if I could install something on the server that would allow me to edit any datasource there and not have to have a separate, customized interface for each datasource.
    Thanks for looking, Bill

    I would recommend naming that page with an extension that the web server will not serve.  Rename it to use it and then rename it back when done.
    Or just put access restrictions on it via the web server, so one needs to authenticate to the system before using it.
    Or stop using Access and use a decent DB: Access is not appropriate to be used as a DB for a web application.  But that might not be an option.
    Adam

  • New login can't access database via SSMS

    I created my Azure database “MyDatabase” and established admin login “MyAdmin” at that time via the Azure management website.
    Now I want to create an application login and user “MyUser” to access the data.  But, when I did the below I still cannot connect via SSMS.  I get error:
    Cannot open database “master” requested by the login.
    I’m just trying to get to the tables under MyDatabase via SSMS.  What am I doing wrong please?
    -- Connect to master database as myadmin and run:
    CREATE LOGIN myuser WITH password=‘Blah$Blah$Etc’
    -- Connect to mydatabase database as myadmin and run:
    CREATE USER myuser FROM LOGIN myuser;
    EXEC sp_addrolemember 'db_datareader', ‘myuser’;
    EXEC sp_addrolemember 'db_datawriter', ‘myuser’;
    Thanks for any help!

    Hello fiverc,
    Thank you for reaching out. You might be connecting to the wrong database (master instead of the user DB). In the 'Connect to Server' window in SSMS, click the 'Options' button. Then enter the name of the database ("MyDatabase"
    in your case) in the 'Connect to database' field and then try to connect.
    Hope that helps,
    Jan

  • Link between SAP Ztables and MS-ACCESS database via XI

    Hi All,
    I have two application one is in Ms-Access and other is in SAP . I have to link the SAP ztables to the MS-Access databse, is this be done with via XI. If yes, do i need to write the interface programs while fetching the data from the XI to SAP, or XI will take care of the updation and linking between the SAP and access application , since the cross flow of data between two application will be there .
    Regards
    Gajendra

    hi !!
    It is possible with XI, of course.
    You can use jdbc as sender at the MS-Access end and at R/3 (as reciever) you can have an RFC to put the data into the tables.
    There is no need of interface programming to be done manually.
    you have to be clear at what condition the synchronizations should happen and there is more enhancements that could be done.
    regards,
    nikhil.
    **reward if helpful

  • Submitting Pdf form fields to a MySQL database via PhP

    Hi there,
    I have recently created a Pdf in Adobe LiveCycle which looks great, and I have added a submit button which is set up to send all the form data in HTML to a PhP file on the server side. The PhP file then collects the form data and inserts it into my MySQL database.
    When I run this form from Adobe reader or Professional it works great and the new record is inserted in the database. However I am trying to embed the form into a HTML page, which again looks fine, and all other buttons i.e. Save As, Print work fine.
    The submit button however is not working properly now. It inserts a new record into my database, but the fields are blank as if the form data has not been sent or received?
    Can you possibly advise me where i'm going wrong.
    Much appreciated
    Cane

    Hi Cane,
    I'm relatively new to creating Adobe Forms but I'm looking to do exactly what you have set up, submitting the results to php which sends the results to a database. I don't like the responses being sent to a pdf response file then every so often you have to export to csv then import the results into a database....too tedious. Can you perhaps provide the code that goes behind the submit button and maybe the code that you use on the php/server side? Again, relatively new to this and don't know where to begin but if I can look at the code behind this it would make things a lot easier.
    Thanks,
    Ed

  • Accessing database via OID username and password

    I've have 2 servers, one with the following software:
    --- SERVER #1 ---
    * Oracle database v9.2.0.1
    * Management Server
    * OID
    --- SERVER #2 ---
    and the other database server with:
    * Oracle database v9.2.0.1
    * and the database that it is registered (via dbca) with the OID database above...
    I'm pretty sure everything is pretty close to configured correctly due to the
    the following: only 1 tnsnames file exist on my laptop, from the DOS prompt, if I comment out the tns entry that points to the database on server #2 then tnsping
    the database on server #2 it returns a message saying that it uses the LDAP file and it comes back with a message that ends w/OK, meaning (or what I believe means) that it hit the OID server for authentication.
    My only issue is logging in though, I always get a invalid username & password error message.... I did log into "Enterprise Securtiy Manager" on server #1 and register the database from server #2.... I also created that guest user w/"create user guest identified globally as '';".... I also created the "schema mapping" on server #1 to the guest schema and users within OID.... On what server was I supposed to run this command: "create user guest identified globally as '';", on server #1 or #2? I read a lot of stuff on the Internet about Oracle Wallets, not sure where this comes in, is this where I'm going wrong? When I ran the DBCA assistant on the db on server #2 it didn't prompt\ask for any Oracle Wallet info....
    What am I missing???
    Thanks in advance for your help,
    Wes

    You have another thread on this as well.
    Server 1 is the LDAP server (Oracle's implementation of it: OID), it can be used for network alias resolving as well as for authentication and authorization.
    There is no need to use OID for network resolving, so let's skip that. The only need is that server#2 is registered in OID (server#1) - the wallet comes in when server#2 needs to communicate passwords with OID - when you used DBCA on server #2, it should have created the wallet, altered your network (on server#2), and created ldap.ora.
    On server #2:
    - sqlnet.ora should contain LDAP in addition to other configured options on the names.directory_path entry
    - ldap.ora should contain your ldap server location, default (realm) context, and type (=OID)
    After running DBCA, you should be able to see the instance on server#2 in cn=OracleContext,dc=<your default realm context> in Oracle Directory manager (ODM)
    All the mapping stuff, I answered in the other thread, although I always use:
    create user global_schema identified globally;
    This works for 10G - and there have been changes from 9 to 10, but I'd check the syntax once more, if I were you

  • How to make a field Identity in Access Database

    Hi All,
    Attached is the screenshot which has a split form and if we are in the middle of entering a new record in the datasheet below it creates a new record already and gives the same ID to the next one,so while entering the next record the number again will be
    7 instead of 8. However if i make the form a single form instead of a split form it works fine. 
    My code for Default Value of "ClaimRecoveryID" is
    =IIf(IsNull(DLookUp("Max([ClaimRecoveryID]) + 1 ","[ClaimRecovery]")),1,DLookUp("Max([ClaimRecoveryID]) + 1 ","[ClaimRecovery]"))   ( where ClaimRecovery is the name of the table and i think its giving
    the next record as the 7 is not yet in the system. Can someone please help me on how to change my code.

    To do that, you would need to assign the number before saving the record. As I mentioned, that is not a good idea in a multi-user environment.
    If one user starts a record and you immediately assign the new number, it is not saved yet. Then another user starts a new record they would be assigned the same number, because that number will not yet exist in the table. Before saving the record, you could
    check to see if the number already exists and change it, but that would defeat your purpose of displaying it immediately. The user would see 9 and it would change to 10.
    If multi-user is not a problem, then move the line Me!ClaimRecoveryID = nz(DMax("ClaimRecoveryID", "ClaimRecovery"),0)+1 to the before insert event of the form.
    I am also guessing that you are using this method of generating the number because you don't want any gaps in the numbering sequence. Should that not be the case, then simply change the field to an autonumber and you won't need any code. However, there will
    eventually be gaps in the numbering sequence.

  • How can I read the data type of a field in an MS Access database

    I need to be able to determine if a field in an Access database is of a certain data type, and if it isn't, to change it to what it should be.
    I can't seem to find any way of reading the data type of any field in any table - can anyone give me a metod of getting this info?
    Thanks
    ..Bob

    Does <cfdbinfo> work for Access DBs?
    You might be better off asking this on a MS Access forum.  It's more of an Access issue than a CF one.
    Adam

  • UPDATE VALUE IN ACCESS DATABASE-CONNECTIVITY DATABASE?

    Hi to all labviewers,
    I'm trying to update some values in my access database with sql and labview connectivity toolset but i got
    an error, what is the problem whit my code?
    note: when i try to update one colum it's work fine.
    regard's
    eyal.
    Attachments:
    UPDATE_ACCESS.JPG ‏79 KB

    Hi,
    I'm not sure if you can use comma's to seperate criteria. Thy this:
    WHERE criteriuma='something' AND criteriumb='something else'
    Regards,
    Wiebe.
    "Discussion Forums" <[email protected]> wrote in message news:[email protected]..
    Hi to all labviewers,
    I'm trying to update some values in my access database with sql and labview connectivity toolset but i got
    an error, what is the problem whit my code?
    note: when i try to update one colum it's work fine.
    &nbsp;
    regard's
    eyal.
    UPDATE_ACCESS.JPG:
    http://forums.ni.com/attachments/ni/170/152737/1/UPDATE_ACCESS.JPG

  • Problem in reading/writing byte array in Access database! PLEASE HELP!!

    Hi,
    I want to store a signature, which is in form of a byte array, in OLE Object field in MS Access database. I want then to retrieve this signature and verify it. The problem is that the retrieved byte array is not identical to the stored (original) one, and therefore, verifying the signature fails! Any help would be much appreciated as I can't proceed in my project without solving this problem. Here is the code to do the above mentioned functionality:
    //This part stores the signature (VT) in the table TTPTrans
    try
    { con = connect();
    ps = con.prepareStatement("UPDATE TTPTrans SET VT = ?, SigVT = ? WHERE TransID = ?");
    ps.setBinaryStream(1, new ByteArrayInputStream(vt), vt.length);
    ps.setBinaryStream(2, new ByteArrayInputStream(sigvt), sigvt.length);
    ps.setString(3, tID);
    ps.executeUpdate();
    ps.close();
    con.close();
    catch (Exception e)
    {  System.err.println(e.getMessage());
    e.printStackTrace();
    //This part retrive the signature from the table in the byte array o1:
    ResultSet result;
    byte[] o1 = null;
    byte[] o2 = null;
    try
    { con = connect();
    Statement statement = con.createStatement();
    result = statement.executeQuery("SELECT VT, SigVT" +
    " FROM TTPTrans" +
    " WHERE TransID = " + "'" +
    transID + "'");
    while (result.next()) {
    o1 = result.getBytes("VT");
    o2 = result.getBytes("SigVT");
    statement.close();
    con.close();
    catch(Exception e)
    { System.err.println(e.getMessage());
    e.printStackTrace();
    }

    In the following code, I use a ASN1SDSSSignature class, which is a subclass that I created from the Siganture class, to create and verify an SDSS signature. The ASN1SDSSSignature has two ASN1Integer class variables:
    signcryption = token.getSigncryption();
    sig.initVerify(ttpCert);
    sig.update(receivedVT);
    boolean verified = sig.verify(receivedSigVT);
    if(!verified)
    System.err.println("TTP signatire on received token invalid. ");
    notify()
    return;
    Where receivedVT and receivedSigVT are the byte arrays retrieved from th database. The following exception is thrown when I run the application:
    ASN1 type mismatch!
    Expected: codec.asn1.ASN1Integer
    In: ASN1SDSSSignature
    At index 0
    Got tag: 4 and Class: 0
    I hope this would clarify the situation and thanks in advance for any comments you may post.

Maybe you are looking for

  • Can I install from a shared drive?

    I have about 25 people who need to install Technical Communication Suite 4. Does each person need to copy the installation files (exe and 7z files) to their local environment before running the install, or can they run the install files from a shared

  • Setting transaction isolation level in a session bean

    Hi all! In a stateless session bean (EJB3) with container managed transactions I need to set the transaction isolation level to SERIALIZABLE. The idea is to prevent lost update on database when multiple accesses occur concurrently. Thanks in advance

  • Photo Stream address change?

    I was invited to a photo stream today and they sender was only able to send to my email address after it failed to go to my mobile number.  Any way to change this or have it go to a mobile number or an email address?

  • Creating Packages using pkgmk and pkgask

    Hi all, I have a issue here, I am trying to create a package with pkgmk command. I have created pkginfo file and prototype file and a request script. Request script makes this package installation interactive, What I want is to make this package inst

  • \dobe Flash Player

    How to change the settings for adobe flash player 11X for windows 7