How to Implement a Time Limit Feature in an Online Test Application ?

I am creating an Online Test application. The time limit can be stored for a Test in the database.
How to implement a time limit such that when the test is started (user clicks on the Start button to go to the fragment containing the Questions) the time left is shown and the test ends (goes to home page) when the timer reaches zero.
Thanks

Hi,
timestamp is a date and thus cannot be used directly to determine seconds passed. So what you need to do is to build the difference between a saved time stamp and the current time.
http://docs.oracle.com/javase/1.4.2/docs/api/java/sql/Timestamp.html
So if you have two time stamps, then calling getTime() on each and building the difference gives you a value, which is millisecond. So to get this to an int value you divide it by 1000
Frank

Similar Messages

  • How to implement countdown timer in apex

    Hi all,
    I want to implement timer in my application.i am working on apex 4.0 version.I am developing online test application,so for this i want to display timer for test.
    can anyone suggest me how can i implement countdown timer in my application.
    thanks
    jitu

    Hi,
    You can refer "Martin Giffy D'Souza's" Enhanced APEX Session Timeouts example
    http://www.talkapex.com/2009/09/enhanced-apex-session-timeouts.html
    Regards,
    Kartik Patel
    http://patelkartik.blogspot.com/
    http://apex.oracle.com/pls/apex/f?p=9904351712:1

  • How to implement real-time refresh datas in obiee?

    How to implement real-time refresh datas in obiee?

    Can you elaborate more...
    If you want to see refreshed data in OBIEE Reports, you need to implement Caching mechanism based on how you often refresh warehouse..
    [http://download.oracle.com/docs/cd/E05553_01/books/admintool/admintool_QueryCaching6.html]

  • To set the timer in the Screen for online test

    Hi all,
    This is sujoy here....
    i am developing  a tool in SAP for Evaluation /test of any subject or topic  where i have to incorporate the Timer Concepts as i will set this in the screen which where remaining time will decrease after each second like Online Test using web pages and after a predefined duration of 30 min( or 45 min or something like that) when that preset time is elapsed completly,the "SUBMIT" pushbutton  will be Triggered automatically( if candidate does not press it within the duration).
    Is there any FM or Program regarding this concepts...
    Need your help...
    Regards,
    Sujoy

    Hi Sujoy,
    Addition to my previous post..Use the JavaScript I mentioned in my previous post in the onload of your BSP page. And after 30 minutes or so submit the form, you need to make a addition to the java script given in that link.
    See this code:
    <%@page language="abap" %>
    <%@extension name="htmlb" prefix="htmlb" %>
    <head>
    <SCRIPT LANGUAGE = "JavaScript">
    <!--
    var secs;
    var timerID = null;
    var timerRunning = false;
    var delay = 1000;
    function InitializeTimer()
        // Set the length of the timer, in seconds
        secs = 50;
        StopTheClock();
        StartTheTimer();
    function StopTheClock()
        if(timerRunning)
            clearTimeout(timerID);
        timerRunning = false
    function StartTheTimer()
        if (secs==0)
            StopTheClock();
            // Here's where you put something useful that's
            // supposed to happen after the allotted time.
            // For example, you could display a message:
            alert("You have wasted 50 seconds.");
            document.form1.submit();
        else
            self.status = secs;
            secs = secs - 1;
            timerRunning = true;
            timerID = self.setTimeout("StartTheTimer()", delay);
    /-->
    </SCRIPT>
    </head>
    <htmlb:content design="design2003" >
      <htmlb:page title  = "Timer test application "
                  onLoad = "InitializeTimer()" >
        <htmlb:form id="form1" >
          <htmlb:button text    = "Submit"
                        id      = "but01"
                        onClick = "myEvent" />
        </htmlb:form>
      </htmlb:page>
    </htmlb:content>
    OnInputProcessing you navigate to next page using
    navigation->goto_page( 'second.htm' ).
    Hope this helps...
    Regards,
    Ravikiran.

  • How to Implement simple Timer in this code

    Hi there guys,
    This is a small ftp client that i wrote. It has encryption and all bulit into it. I want to initiate the sendfile function every 5 minutes.
    The program starts with the displaymenu function wherein a menu with various options is displayed.
    How Do i Do that? I went online and tried doing it myself but cud not possibly think of a reason as to why my changes were not working.
    Here is the basic code. I earnestly hope that some of you guys out there will help me. This is a very simple problem and sometimes it is the finer point that eludes us. any help will be deeply appreciated
    import java.net.*;
    import java.io.*;
    import java.util.*;
    import java.lang.*;
    import javax.crypto.*;
    import java.util.regex.*;
    import javax.crypto.spec.PBEKeySpec;
    import javax.crypto.spec.PBEParameterSpec;
    import java.security.spec.AlgorithmParameterSpec;
    import java.security.spec.KeySpec;
    class FTPClient
         public static void main(String args[]) throws Exception
              Socket soc=new Socket("127.0.0.1",5217);
              transferfileClient t=new transferfileClient(soc);
              t.displayMenu();          
    class transferfileClient
         Socket ClientSoc;
         DataInputStream din;
         DataOutputStream dout;
         BufferedReader br;
         transferfileClient(Socket soc)
              try
                   ClientSoc=soc;
                   din=new DataInputStream(ClientSoc.getInputStream());
                   dout=new DataOutputStream(ClientSoc.getOutputStream());
                   br=new BufferedReader(new InputStreamReader(System.in));
              catch(Exception ex)
         //encrypto routine starts
    class DesEncrypter {
           Cipher ecipher;
            Cipher dcipher;   
            // 8-byte Salt
            byte[] salt = {
                (byte)0xA9, (byte)0x9B, (byte)0xC8, (byte)0x32,
                (byte)0x56, (byte)0x35, (byte)0xE3, (byte)0x03
            // Iteration count
            int iterationCount = 19;   
            DesEncrypter(String passPhrase) {
                try {
                             // Create the key
                             KeySpec keySpec = new PBEKeySpec(passPhrase.toCharArray(), salt, iterationCount);
                             SecretKey key = SecretKeyFactory.getInstance(
                             "PBEWithMD5AndDES").generateSecret(keySpec);
                             ecipher = Cipher.getInstance(key.getAlgorithm());
                             dcipher = Cipher.getInstance(key.getAlgorithm());   
                             // Prepare the parameter to the ciphers
                             AlgorithmParameterSpec paramSpec = new PBEParameterSpec(salt, iterationCount);   
                             // Create the ciphers
                             ecipher.init(Cipher.ENCRYPT_MODE, key, paramSpec);
                             dcipher.init(Cipher.DECRYPT_MODE, key, paramSpec);
                } catch (java.security.InvalidAlgorithmParameterException e) {
                } catch (java.security.spec.InvalidKeySpecException e) {
                } catch (javax.crypto.NoSuchPaddingException e) {
                } catch (java.security.NoSuchAlgorithmException e) {
                } catch (java.security.InvalidKeyException e) {
            // Buffer used to transport the bytes from one stream to another
            byte[] buf = new byte[1024];   
            public void encrypt(InputStream in, OutputStream out) {
                try {
                    // Bytes written to out will be encrypted
                    out = new CipherOutputStream(out, ecipher);   
                    // Read in the cleartext bytes and write to out to encrypt
                    int numRead = 0;
                    while ((numRead = in.read(buf)) >= 0) {
                        out.write(buf, 0, numRead);
                    out.close();
                } catch (java.io.IOException e) {
            public void decrypt(InputStream in, OutputStream out) {
                try {
                    // Bytes read from in will be decrypted
                    in = new CipherInputStream(in, dcipher);   
                    // Read in the decrypted bytes and write the cleartext to out
                    int numRead = 0;
                    while ((numRead = in.read(buf)) >= 0) {
                        out.write(buf, 0, numRead);
                    out.close();
                } catch (java.io.IOException e) {
    }     //encryptor routine ends          
         void SendFile() throws Exception
                             String directoryName;  // Directory name entered by the user.
                             File directory;        // File object referring to the directory.
                             String[] files;        // Array of file names in the directory.        
                             //TextIO.put("Enter a directory name: ");
                             //directoryName = TextIO.getln().trim();
                             directory = new File ( "E:\\FTP-encrypted\\FTPClient" ) ;           
                        if (directory.isDirectory() == false) {
                        if (directory.exists() == false)
                        System.out.println("There is no such directory!");
                        else
                        System.out.println("That file is not a directory.");
                else {
                    files = directory.list();
                    System.out.println("Files in directory \"" + directory + "\":");
                    for (int i = 0; i < files.length; i++)
                             String patternStr = "xml";
                             Pattern pattern = Pattern.compile(patternStr);
                             Matcher matcher = pattern.matcher(files);
                             boolean matchFound = matcher.find();
                                       if (matchFound) {
                                       dout.writeUTF("SEND");
                                       System.out.println(" " + files[i]);                                        
                                       String filename;
                                       filename=files[i];
                                       File f=new File(filename);
                                       dout.writeUTF(filename);
              String msgFromServer=din.readUTF();
              if(msgFromServer.compareTo("File Already Exists")==0)
                   String Option;
                   System.out.println("File Already Exists. Want to OverWrite (Y/N) ?");
                   Option=br.readLine();               
                   if(Option=="Y")     
                        dout.writeUTF("Y");
                   else
                        dout.writeUTF("N");
                        return;
              System.out.println("Sending File ...");
                   // Generate a temporary key. In practice, you would save this key.
                   // See also e464 Encrypting with DES Using a Pass Phrase.
                   System.out.println("Secret key generated ...");
                   // Create encrypter/decrypter class
                   DesEncrypter encrypter = new DesEncrypter("My Pass Phrase!");
                   // Encrypt
                   FileInputStream fino=new FileInputStream(f);
                   System.out.println("Initialised ...");
                   encrypter.encrypt(fino,
                   new FileOutputStream("ciphertext.txt"));
                   System.out.println("generated ...");
                   fino.close();
                   FileInputStream fin=new FileInputStream("ciphertext.txt");
              int ch;
              do
                   ch=fin.read();
                   dout.writeUTF(String.valueOf(ch));
              while(ch!=-1);
              fin.close();          
              boolean success = (new File("ciphertext.txt")).delete();
                   if (success) {
                                  System.out.println("temp file deleted .../n/n");
              for (int j = 0; j < 999999999; j++){}
    }//pattermatch loop ends here
    else
                             { System.out.println("   " + "Not an XML file-------->" +files[i]); }
              }// for loop ends here for files in directory
                   }//else loop ends for directory files listing
         System.out.println(din.readUTF());                    
         }//sendfile ends here
         void ReceiveFile() throws Exception
              String fileName;
              System.out.print("Enter File Name :");
              fileName=br.readLine();
              dout.writeUTF(fileName);
              String msgFromServer=din.readUTF();
              if(msgFromServer.compareTo("File Not Found")==0)
                   System.out.println("File not found on Server ...");
                   return;
              else if(msgFromServer.compareTo("READY")==0)
                   System.out.println("Receiving File ...");
                   File f=new File(fileName);
                   if(f.exists())
                        String Option;
                        System.out.println("File Already Exists. Want to OverWrite (Y/N) ?");
                        Option=br.readLine();               
                        if(Option=="N")     
                             dout.flush();
                             return;     
                   FileOutputStream fout=new FileOutputStream(f);
                   int ch;
                   String temp;
                   do
                        temp=din.readUTF();
                        ch=Integer.parseInt(temp);
                        if(ch!=-1)
                             fout.write(ch);                         
                   }while(ch!=-1);
                   fout.close();
                   System.out.println(din.readUTF());
         public void displayMenu() throws Exception
              while(true)
                   System.out.println("[ MENU ]");
                   System.out.println("1. Send File");
                   System.out.println("2. Receive File");
                   System.out.println("3. Exit");
                   System.out.print("\nEnter Choice :");
                   int choice;
                   choice=Integer.parseInt(br.readLine());
                   if(choice==1)
                        SendFile();
                   else if(choice==2)
                        dout.writeUTF("GET");
                        ReceiveFile();
                   else
                        dout.writeUTF("DISCONNECT");
                        System.exit(1);

    here is a simple demo of a Timer usage.
    public class Scheduler{
        private Timer timer = null;
        private FTPClient client = null;
        public static void main(String args[]){
            new Scheduler(5000); 
        public Scheduler(int seconds) {
            client = new FTPClient();
            timer = new Timer();
            timer.schedule(new fileTransferTask(), seconds*1000);
            timer.scheduleAtFixedRate(new FileTransferTask(client), seconds, seconds);  
    public class FileTransferTask extends TimerTask{
        private FTPClient client = null;
        public FileTransferTask(FTPClient client){
            this.client = client;
        public void run(){
            client.sendFile();
    public class FTPClient{
        public void sendFile(){
             // code to send the file by FTP
    }the timer will will schedule the "task": scheduleAtFixRate( TimerTask, long delay, long interval)
    It basically spawn a thread (this thread is the class that you
    implements TimerTask..which in this example is the FileTransferTask)
    The thread will then sleep until the time specified and once it wake..it
    will execute the code in the the run() method. This is why you want to
    pass a reference of any class that this TimerTask will use (that's why
    we pass the FTPClient reference..so we can invoke the object's
    sendFile method).

  • How to implement a time watch for an object

    Greetings!
    I have a container called TupleSpace which consists of elements of type Tuple. Among the attributes, the Tuple also has a "time to live" (the maximum amount of time its presence is allowed on the TupleSpace). After this amount of time passes it should be automatically deleted from the TupleSpace. My question is: what is the best mechanism to implement this ?
    My solution so far looks like this:
    public void removeExpiredTuple(){
    // ts = instance of TupleSpace class
              for (int i = 0; i < ts.size(); i++){
                   ITuple currentTuple = (ITuple) ts.elementAt(i);
                   long tupleAge = System.currentTimeMillis() - currentTuple.getTimeSubmitted();
    // currentTuple.getTtl() = retrieves the Tuple's "time to live"
                   if (tupleAge > currentTuple.getTtl())
                        ts.remove(i);
         }but I am not at all satisfied with it
    Thanks in advance for your answers
    Edited by: OctavianS on Jan 18, 2008 12:10 PM

    ok, I'll give it a try and come back with a reply
    LE: problem solved. thx again
    Edited by: OctavianS on Jan 22, 2008 3:56 PM

  • How to implement a time-limited trial version of application?

    Hello
    I am working on a trial version of my application for Windows Phone 8.1 Runtime.
    I based my code on this MSDN tutorial:
    https://msdn.microsoft.com/en-us/library/windows/apps/xaml/dn532253.aspx
    It clearly mentions here about a trial-period of an application.
    However, when I launched the Store Dashboard, I didn't see any places in which I could set the trial-time period. There's only one checkbox turning on or off an ability for users to download a trial version.
    Is it possible for Windows Phone Runtime to make a time-limited trial version of an application? For example - after 48 hours it would block itself from using it.
    The important thing is to make sure the trial does not restart when user reinstalls the application (as if it could be done if I used AppSettings for validating a first-app run time).
    Thanks in advance

    For windows phone you have to implement your own way to check if the trial is over and apply the action yourself. Although on windows 8.1 store does what you want automatically.

  • How to set the time limit to execute shell script

    I am using Runtime exec() method to execute a shell script
    if the script hangs for long time infinitely then how to get the control
    return to the program.
    Thanks in advance

    rmi_rajkumar wrote:
    let me explain with an example
    script name is test.sh
    Runtime.exec("test.sh") this will start a new process
    if (proc.waitFor() == 0) {
    try {
    InputStreamReader isr = new InputStreamReader(proc.getInputStream());
    BufferedReader br = new BufferedReader(isr);
    String line;
    while ((line = br.readLine()) != null) {
    outputBuf.append(line).append(ConfigOptions.getLineModeStr());
    } catch (IOException ioe) {
    if test.sh did not exit and hangs with no response
    in this case proc.waitFor() will not execute try catch the control will remain if statement
    my question is insteadof waiting indefinitely need to set a time out say 1 hour and kill the process that executed the scriptYou really need to read the article in the link given by another poster. Your code will not work correctly because you are waiting for the process to end before reading the stream and the processes may never end because you are not reading the stream until after it ends (you need to use muli-threading as explained in the article). If the process really did hange you could probably use destroy(); but, for now, the real problem is your code.

  • How to implement saved search delete feature in af:query

    Hi,
    I have implement MDS for af:query. However, delete button in "Personalized" window of af:query is still being disable.
    My test flow is the following:
    1) fire a search on the query component and then save it as "savedSearch1".
    2) then try to personalize it. Observed that "Delete" button in Personalize window is being disable. Not able to delete "savedSearch1"
    My question is: Is there a way for me to enable the "Delete" Button at the personalized window so that user can delete the saved search?
    I have af:query component with the following code:
    <af:query id="qryId1" headerText="#{uiBundle.SEARCH}" disclosed="true"
    value="#{bindings.KanbanCardSummaryVOCriteriaQuery.queryDescriptor}"
    model="#{bindings.KanbanCardSummaryVOCriteriaQuery.queryModel}"
    queryListener="#{KanbanSummaryBean.queryListener}"
    queryOperationListener="#{bindings.KanbanCardSummaryVOCriteriaQuery.processQueryOperation}"
    resultComponentId="::pc1:t1" maxColumns="2" rows="1"/>

    Hi,
    Does anyone knows the answer for this question?
    Thanks,
    Hong

  • How to implement edit time help like Eclipse, IntelliJ in Swing

    Hi,
    I am developing an DataBase query tool. In my application, there is a area for writing SQL command like select etc. I want to show the names of tables or fields when the user write a select keyword or give a dot(.) after giving a table name like Ecilpse shows the field names of particular class when we give the class name.

    Hi,
    You would need to add keyListener to the text component into which you are entering the query and listen for a particular keystroke. In your case it would just be a space character.
    However I would you are going about this the wrong way. How do you plan to handle the fact that in a sql query the column names come first before the table names. I would suggest you have a wizard type gui where you first get the tables involves so you can fetch and display the column names.
    Hope this helps.
    cheers,
    vidyut
    http://www.bonanzasoft.com

  • How to implement a password/login feature using the package OWA_SEC

    HELLO.....
    I have another question:
    I am using the following versions of Oracle products
    Connected to:
    Oracle9i Release 9.2.0.5.0 - Production
    JServer Release 9.2.0.5.0 - Production
    SQL> select owa_util.get_version from dual;
    GET_VERSION
    9.0.4.0.1
    (version of OWA packages)
    I have successfully compiled the following package:
    (It is based on a package in the text “Oracle Web Application Programming for PL/SQL Developers” by Susan Boardman etc… page 687-688
    The SPEC and BODY code is as follows:
    CREATE OR REPLACE PACKAGE AUTHEN_TEST IS
    FUNCTION AUTHORIZE RETURN BOOLEAN;
    PROCEDURE HELLO_WORLD;
    END;
    CREATE OR REPLACE PACKAGE BODY AUTHEN_TEST IS
    FUNCTION AUTHORIZE RETURN BOOLEAN IS
    v_user VARCHAR2(10);
    v_password VARCHAR2(10);
    BEGIN
    owa_sec.set_protection_realm('The Realm of Testing');
    v_user := UPPER(owa_sec.get_user_id);
    v_password := UPPER(owa_sec.get_password);
    IF v_user = 'PREN' AND v_password = 'HALL' THEN
    RETURN TRUE;
    ELSE
    RETURN FALSE;
    END IF;
    END AUTHORIZE;
    PROCEDURE HELLO_WORLD IS
    v_status BOOLEAN;
    BEGIN
    htp.p('TESTING');
    v_status := authorize;
    IF v_status = TRUE THEN
    htp.p('WENT TO PASSWORD SECTION');
    ELSE
    htp.p('DID NOT GO TO PASSWORD SECTION');
    END IF;
    END HELLO_WORLD;
    END AUTHEN_TEST;
    As I said the code compiles!!
    However what I want it to do is successfully run the following code from the above package:
    owa_sec.set_protection_realm('The Realm of Testing');
    v_user := UPPER(owa_sec.get_user_id);
    v_password := UPPER(owa_sec.get_password);
    I want the user to be asked for a password and login
    Currently when I use the web based application the browser displays:
    TESTING DID NOT GO TO PASSWORD SECTION
    Any advice is appreciated
    Thank You
    Douglas

    Hello,
    The URL:
    http://www.columbia.edu/~br111/plsqltools/configur.htm#1002513
    has useful information related to my question
    Also this post from Paul M was helpful:
    Finding which OWA packages are available for use in the schema/database
    Thanks
    Doug

  • Mapping: Time limit exceeded although we already tested successfully

    Hi everybody,
    we have a java-mapping where a large message has to be mapped. We tested already successfully. In another test we got a  error in SMQ2.
    So between the first and the second test, there must be any difference in the system. We did'nt change any basic parameters. There was also no traffic on the system in both tests. So we wonder what could be the reason?
    Regards
    mario
    Edited by: Mario Müller on Feb 2, 2010 2:29 AM

    Hi,
    GC - garbage collection
    >>As the java is a compiled source from a third party I can't say if it is DOM or SAX.
    you can always recompile and check
    >>>FYI: The java is parsing a flat EDI-message into edixml.
    if you bought it then probably you need to contact the vendor and ask - if this vendor has any support
    Regards,
    Michal Krawczyk

  • How to implement a single sign on  feature using java.

    Hi,
    I have a question like , How to implement **single sign on** feature in java without using any third party framework or tool like LDAP or any other which is available in the market.
    Actually the situation is i have all security information into the table and those information is used for single sign on . If a user logged in from a jsp loging page all the security role should be assigned to that particular user.
    We can do this using LDAP but i am not supposed to use the LDAP or any third party tool . I have to write a java class for that .
    please suggest me the method , how to implement this in a web application.
    Edited by: Rakesh_Singh on Mar 19, 2008 11:55 AM

    you could setup a token that specifies a user is authenticated. other applications that u want SSO can check for existance of this token
    if it is HTTP - you can save the token as a cookie and downstream apps look for this token
    yr code needs to validate that the token/cookie was indeed a valid one and not subject to man-in-the middle attack.

  • LP7.1 Recording Audio time limit

    Okay I cant seem to figure out how to increase the time limit on recording an audio track on LP7.1 . Currently when I start recording I find that I only have about 31 minutes displayed in the Remaining Time.
    I look at my "set Audio Record Path" settings and see that I have Maximum Recording Time unchecked. And drive holding the Recording Path directory has 36GB of space.
    Any clues how I can increase my remaining time for recording audio tracks?
    thanks in advance,
    Noah

    Un-uncheck Max Rec Time and put number of minutes you want to record in the field.

  • How to use a timer

    can anyone tell me how to implement a timer in my program
    import java.awt.*;
    import java.awt.event.*;
    import javax.swing.*;
    public class Sudoku extends JApplet implements ActionListener{
    JButton button [][] = new JButton [9][9] ;
    public void init()
    Container container = getContentPane() ;
    container.setLayout(new GridLayout(9,9));
    for ( int count = 0 ; count <=8 ; count++)
    for (int count1 = 0 ; count1 <=8 ; count1++ )
    button [count][count1] = new JButton() ;
    button [count][count1].addActionListener (this) ;
    container.add(button [count][count1]);
    public void actionPerformed ( ActionEvent event )
    String output = "" ;
    output =JOptionPane.showInputDialog ( "Enter a number between 1-9" );
    if ( output.indexOf ('.') != -1 )
    JOptionPane.showMessageDialog (null, "Please enter an integer between 1-9 " ) ;
    else
    int num = Integer.parseInt ( output ) ;
    if ( num > 9 || num <1 )
    JOptionPane.showMessageDialog ( null, "Re-enter an integer between 1-9" );
    else
    ((JButton)event.getSource()).setText(output) ;
    }

    It can be done with Treads, in the example below 3 buttons Start , Pause\Resume and Stop manipulate the timer.
         public void actionPerformed(ActionEvent e){
              if(e.getSource() == buttonStart) {
                   counterLabel.setText("0 : 0");
                   thread = new Thread(this);
                   thread.start();
                   buttonStart.setEnabled(false);
              if(e.getSource() == buttonStop) {
                   thread.stop();
                   buttonStart.setEnabled(true);
              if(e.getSource() == pauseButton) {
                   if(!isPaused) {
                        thread.suspend();
                        pauseButton.setLabel("Resume");
                        isPaused = true;
                   else {
                        thread.resume();
                        pauseButton.setLabel("Pause");
                        isPaused = false;
         public void run(){
              int secondCounter = 0;
              int minuteCounter = 0;
              while(true) {
                   try {
                        thread.sleep(1000);
                   catch(InterruptedException e) {}
                   secondCounter++;
                   if (secondCounter == 60) {
                        minuteCounter++;
                        secondCounter = 0;
                   counterLabel.setText(String.valueOf(minuteCounter) + " : " +
                        String.valueOf(secondCounter));
    }Hope i've been of some assistance!

Maybe you are looking for

  • Creating a Shortcut on a Mac Desktop

    Hi everyone. I'm sure this has a very simple answer, but me being a newbie to using a Mac computer, I need some help.  I've set up a server for my home network with a Static IP of 192.168.2.10 . It was simple to create shortcuts for my computer and m

  • In Get PDF properties what determines a PDF document

    I am using the getPDFProperties module to check if the submitted document is PDF. I have checked the "Is a PDF Document" option and assigned to the respective variable. When the PDF is submitted that module returns "false" for that property. I want t

  • Can we add users to the 'Manage Access Request' field to process site access request in SharePoint Online?

    Hi, I have a requirement in which I have to assign couple of email ids to the "Manage Access Request" field to process site access requests. And, this is possible using server object model but I have to achieve this on SharePoint Online with the help

  • Downgrading subscription failed (no follow up by Adobe)

    Hi there, I just downgraded my Formscentral account by cancelling the Plus account and rebuying the Basic account. However, my clients do get messages that the limit has exceeded. Moreover, I already contacted support on the 2nd of January and they o

  • Transfer posting/Accounting error

    Hi all!    I have created a finished product with nonvaluated material type since its a customer material. Since we are doing only jobwork(service) i have created it with nonvaluated material type. There is no accounting view for the material but i h