Trying to use 3 input parameters and getting errors

The code I am using was modified from code that worked using one parameter. Below is the code. I don't have a problem until I go to add values to the collection object. Then those 3 lines error, which I think also causes the next 3 lines to error.
Does anybody know how to fix this?
/* EmailPO.java - Created on 10-06-2010 John Carrott
Stored at C:\Documents and Settings\jcarrott\workspace
            \checkReg\src\ 
First-
This program opens and reads the file CReg.txt, which contains;
*     1. Cash code
*     2. Bank code
*     3. Trans Ident number
4. Vendor number
5. Check Number
Second -
  Open CeckRegister.rpt using 3 parameters Cahs_code, Bank_code, and
Trans_Ident, then export as (filename).pdf. Where (filename) is
Vendor_number plus today's date plus the check number. These 3 fields
are separated by '_' to make the name readable.
Loop until CReg.txt is empty
Lawson tables read by Crystal Report:
     1. CBCHECK
     2. APPAYMENT
     3. APINVOICE
     4. APVENMAST
     5. APVENADDR
//Java Imports.
import java.io.BufferedReader;
import java.io.ByteArrayInputStream;
import java.io.ByteArrayOutputStream;
import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.InputStreamReader;
import java.text.SimpleDateFormat;
import javax.swing.SwingUtilities;
import com.businessobjects12.prompting.objectmodel.common.IValue;
import com.businessobjects12.prompting.objectmodel.common.Values;
import com.crystaldecisions.sdk.occa.report.application.ReportClientDocument;
import com.crystaldecisions.sdk.occa.report.data.Fields;
import com.crystaldecisions.sdk.occa.report.data.ParameterField;
import com.crystaldecisions.sdk.occa.report.data.ParameterFieldDiscreteValue;
import com.crystaldecisions.sdk.occa.report.exportoptions.ReportExportFormat;
import com.crystaldecisions.sdk.occa.report.lib.ReportSDKException;
public class checkReg {
          private static final String REPORT_NAME = "D:
Inetpub
ftproot
CRegister
CheckRegister.rpt";
          public static void launchApplication() {
          try
               File f1 = new File("D:
Inetpub
ftproot
CRegister
CReg.jac");
               if (f1.exists())
               {f1.delete();
          java.io.File src = new File("D:
Inetpub
ftproot
CRegister
CReg.txt");
          java.io.File dest = new File("D:
Inetpub
ftproot
CRegister
CReg.txt".replace(".txt", ".jac"));
          src.renameTo(dest);
          File f2 = new File("D:
Inetpub
ftproot
CRegister
CReg.bak");
          if (f2.exists())
               {f2.delete();
               FileInputStream in = new FileInputStream("D:
Inetpub
ftproot
CRegister
CReg.jac");
               BufferedReader br = new BufferedReader(new InputStreamReader(in));
               String strLine;
               String sDate;
               SimpleDateFormat formatter = new SimpleDateFormat("MMddyyyy");
               java.util.Date date = new java.util.Date();
     // to run for the current day use this -       
               sDate = formatter.format(date);
     //Create a Fields collection object to store the parameter fields in.
               Fields parameterFields = new Fields();
     //Create a ParameterField object for each field that you wish to set.
               ParameterField pfield1 = new ParameterField();
               ParameterField pfield2 = new ParameterField();
               ParameterField pfield3 = new ParameterField();
     //Create a Values object and a ParameterFieldDiscreteValue object for each parameter field you wish to set.
     //If a ranged value is being set, a ParameterFieldRangeValue object should be used instead of the discrete value object.
                    Values vals1 = new Values();
                    Values vals2 = new Values();
                    Values vals3 = new Values();
                    ParameterFieldDiscreteValue pfieldDV1 = new ParameterFieldDiscreteValue();
                    ParameterFieldDiscreteValue pfieldDV2 = new ParameterFieldDiscreteValue();
                    ParameterFieldDiscreteValue pfieldDV3 = new ParameterFieldDiscreteValue();
                    pfield1.setName("cash_code");
                    pfield2.setName("bank_code");
                    pfield3.setName("tran_code");
     // Read the file one line at a time
             while ((strLine = br.readLine()) != null)  
                  String patternStr = ",";
                 String[] args = strLine.split(patternStr);
    // format is vendor_yyyymmdd_check_nbr.pdf
                 String EXPORT_FILE = "D:
Appdata
CRegister
" + args[3] + "_" + sDate + "_" + args[4] + ".pdf";
               try {
     //Open report.
                    ReportClientDocument reportClientDoc = new ReportClientDocument();
                    reportClientDoc.open(REPORT_NAME, 0);
     //We will be using the ParameterFieldController quite a bit through-out the rest of this function.
                    reportClientDoc.getDatabaseController().logon("test","test");
     //Set parameters.
                    pfieldDV1.setValue(new String(args[0]));
                    pfieldDV2.setValue(new String(args[1]));
                    pfieldDV3.setValue(new String(args[2]));
     //Add the parameter field values to the Values collection object.
     // Error : The method add(IValue) in the type ArrayList<IValue> is not applicable for the arguments
     //         (ParameterFieldDiscreteValue)
                    vals1.add(pfieldDV1);
                    vals2.add(pfieldDV2);
                    vals3.add(pfieldDV3);
     //Set the current Values collection for each parameter field.
     // Error : The method setCurrentValues(Values) in the type ParameterField is not applicable for the
     //         arguments (Values)
                    pfield1.setCurrentValues(vals1);
                    pfield2.setCurrentValues(vals2);
                    pfield3.setCurrentValues(vals3);
     //Add each parameter field to the Fields collection.
     //The Fields object is now ready to be used with the viewer.
                    parameterFields.add(pfield1);
                    parameterFields.add(pfield2);
                    parameterFields.add(pfield3);
                    ByteArrayInputStream byteArrayInputStream = (ByteArrayInputStream)reportClientDoc.getPrintOutputController().export(ReportExportFormat.PDF);
     //Release report.
                    reportClientDoc.close();
     //Use the Java I/O libraries to write the exported content to the file system.
                    byte byteArray[] = new byte[byteArrayInputStream.available()];
     //Create a new file that will contain the exported result.
                    File file = new File(EXPORT_FILE);
                    FileOutputStream fileOutputStream = new FileOutputStream(file);
                    ByteArrayOutputStream byteArrayOutputStream = new ByteArrayOutputStream(byteArrayInputStream.available());
                    int x = byteArrayInputStream.read(byteArray, 0, byteArrayInputStream.available());
                    byteArrayOutputStream.write(byteArray, 0, x);
                    byteArrayOutputStream.writeTo(fileOutputStream);
     //Close streams.
                    byteArrayInputStream.close();
                    byteArrayOutputStream.close();
                    fileOutputStream.close();
                    System.out.println("Successfully exported report to " + EXPORT_FILE);
               catch(ReportSDKException ex) {
                    ex.printStackTrace();
              System.out.println("The exporting of reports has finished!");
               br.close();
               in.close();
               java.io.File src2 = new File("D:
Inetpub
ftproot
CRegister
CReg.jac");
               java.io.File dest2 = new File("D:
Inetpub
ftproot
CRegister
CReg.jac".replace(".jac", ".bak"));
               catch(Exception ex) {
                    System.out.println(ex);               
          private static Object String(String string) {
               // TODO Auto-generated method stub
               return null;
          public static void main(String [] args) {
               SwingUtilities.invokeLater(new Runnable() {
                    public void run() {
                         //Hand-off to worker function to start application.
                         launchApplication();

That did not get any errors, but it did not return any data in the report.
I think that this is loading one value on top of another, so at the end only the last parameter is loaded.
This is what I have now for code.
//Open report.
     ReportClientDocument reportClientDoc = new ReportClientDocument();
     reportClientDoc.open(REPORT_NAME, 0);
//We will be using the ParameterFieldController quite a bit through-out the rest of this function.
     reportClientDoc.getDatabaseController().logon("procure","procure90");
     com.crystaldecisions.sdk.occa.report.application.ParameterFieldController paramFieldController =            reportClientDoc.getDataDefController().getParameterFieldController();
     paramFieldController.setCurrentValue("", "cash_code", new String(args[0]));
     paramFieldController.setCurrentValue("", "bank_code", new String(args[1]));
     paramFieldController.setCurrentValue("", "tran_code", new String(args[2]));
     ByteArrayInputStream byteArrayInputStream = (ByteArrayInputStream)reportClientDoc.getPrintOutputController().export(ReportExportFormat.PDF);
//Release report.
     reportClientDoc.close();
Does anybody have any ideas on how to load 3 parameters?

Similar Messages

  • I previously downloaded the AI 30 day trial but was able to use it before the trial ran out I've since deleted it from my laptop (Windows 7 64 bit OS) How do I get it back? Trying to download AI again and getting error code 3 some thing to do with adminis

    I previously downloaded the AI 30 day trial but was able to use it before the trial ran out I've since deleted it from my laptop (Windows 7 64 bit OS) How do I get it back? Trying to download AI again and getting error code 3 some thing to do with administration permissions?

    If your intention is to use the trial again it will not reset if you reinstall.  It will remain in its ran out state.

  • Trying to register with ePrint and getting error code.Ajax submit failed: error = 403, Forbidden.

    Trying to register with ePrint and getting error code.Ajax submit failed: error = 403, Forbidden. I need help??

    To bypass this error attempt either a restart of your computer, or use an alernate broser such as firefox or chrome. If you already have another browser the latter may be the easier fix.
    Jon-W
    I work on behalf of HP
    Please click “Accept as Solution ” on the post that solves your issue to help others find the solution.
    Click the KUDOS STAR on the left to say “Thanks” for helping!

  • Trying to put quickbooks 2014 and getting error 36

    trying to put quickbooks 2014 and getting error 36

    To bypass this error attempt either a restart of your computer, or use an alernate broser such as firefox or chrome. If you already have another browser the latter may be the easier fix.
    Jon-W
    I work on behalf of HP
    Please click “Accept as Solution ” on the post that solves your issue to help others find the solution.
    Click the KUDOS STAR on the left to say “Thanks” for helping!

  • Itunes was working fine. Tries to install latest upgrade and get error message about an invalid character in the path "Program Files (x86)". PC, Win7, nothing else appears to be having same issue.

    Itunes was working fine. Tried to install latest upgrade and get error message about an invalid character in the path "Program Files (x86)". PC, Win7, nothing else appears to be having same issue. Program still works, simply cannor upgrade.

    Thanks b noir,
    I tried this solution without success. After FixIt ran and didn't find a problem, either in looking for issues with "software upgrade" or "iTunes" it kindly offered to help me uninstall iTunes. I had thought of this as a possibilty but it seems to me that if you do that you lose a lot of "non-native-to-Apple" information you might have entered. I did this once and recovery was painfull. Is there a way to uninstall iTunes without losing all of that sort of thing? Any help would be appreciated.

  • Trying to install windows 7 and getting error message windows must be installed to a partition formatted as NTFS

    Trying to install windows 7 and getting error message Windows must be installed to a partition formatted as NTFS

    Welcome to Apple Support Communities
    Boot Camp Assistant creates a Windows partition in FAT32 to make the Windows XP installation easier.
    The problem is that Windows Vista, 7 and 8 require a NTFS partition, so the Windows installer gives this error. The only thing you have to do is to choose the BOOTCAMP partition in the installer and go to “Drive options (advanced)” > Format. Finally, install it

  • Macbook pro. app tries to use flash player and get " Blocked plugin" how to uninstall and reinstall flash player. update does nothing ?

    Wife has an older MacBook Pro. when an app uses flash player "Blocked plugin" comes up. I don't know much about mac, tried to update flash player and get newer version already installed, and update and still get same message. How do I uninstall flash player and reinstall?

    Sounds like it is blocked for the website you are at. Check with this:
    You can quickly test whether a recently added plug-in is causing problems by blocking it.
    Choose Safari > Preferences, click Security, then click Website Settings next to Allow Plug-ins.
    Select the plug-in you want to disable on the far left, then click each pop-up menu on the right and choose Block.For some plug-ins, you see pop-up menus for different websites, and you can choose to block each one individually. Use the “When visiting other websites” pop-up menu to block all other websites that don’t have individual settings.

  • Trying to burn a cd and getting error message 4260  help?

    I am trying to burn a cd in ITunes and getting error message 4260   help please

    Could you post your diagnostics for us please?
    In iTunes, go "Help > Run Diagnostics". Uncheck the boxes other than DVD/CD tests, as per the following screenshot:
    ... and click "Next".
    When you get through to the final screen:
    ... click the "Copy to Clipboard" button and paste the diagnostics into a reply here.

  • Premier Elements 13 on MAC. trying to use motion tracking. immediately get error "the media file seems to have an invalid entry in the catalog. Please rename it for use."

    Anyone resolved this issue?  What is the "catalog".  All I did was import a file (1080/60) and get started.  Everything else seems to work fine.

    Assuming you're not shooting in 3D mode, I'm not sure why this is happening.
    As long as you're not shooting in 3D mode, this is a standard AVCHD camcorder, which I've done lots of motion tracking with.
    Since you manually copied the file from SD card rather than getting the media using Premiere Elements' tools, it is quite possible you grabbed the wrong file. Try this: Plug your camcorder (with SD card in the cam) into your computer via USB and set the camcorder to VTR/play. Then go to Premiere Elements' Add Media/From Flip or Camera and use that tool to get the video from the camera to your computer.
    This should resolve your invalid catalog entry issue.

  • Trying to communicate with HP54845A using IVIscope routines and getting error 0XBFFF0011 (Insufficient location information or the requested device or resource is not present in the system).

    I am able to talk to the device using the MAX tool and also using Plug & Play VIs. The device is at address 7, so I'm using the string GPIB[0]::7::INSTR. I have downloaded the latest hp345xx dll (version 3.13)and have iviscope version 3.0.2.0 installed.
    Thank you for the help.

    Hello,
    What version of the IVI Compliance package do you have? You can check this under the software tab in MAX. Also, see the attached screenshots for a sample assignment/configuration of a logical name and a driver session. Once you have gone through the analagous steps it should work, where your resource name control in LabVIEW should be populated with the logical name created in MAX.
    Repost if this isn't successful!
    JLS
    Best,
    JLS
    Sixclear
    Attachments:
    IVI_Screenshots.zip ‏625 KB

  • I am trying to download iOS 5.1 on my iPhone and iPad. Both times it tries connecting to the software update server and just hangs there. I've tried doing both over wifi and get error message. What do I do?

    I cannot download the ios 5.1. I'v tried doing it through itunes after downloading the latest itunes. It says that my phone and ipad both have new updates and tries to coonect to update software server. That is where it hangs up and just keeps trying to connect but never does. Then when I try to update my devices over wifi, it tries and thens gives me a download failed message after a few minutes. What do I do?

    This has solved loads of people who have this issue and have used an alternate DNS setting.  Below are instructions for both iPhone OTA and on you Mac
    If you are getting the error message "Unable to check for update" when you try an OTA (over the air update)
    Change DNS Servers
    Settings -> Wi-Fi
    Click the blue arrow on your connected network
    Delete everything in DNS and replace it with 208.67.222.222, 208.67.220.220
    Try again
    If this works, you will probably want to remove the WiFi network using "Forget This Network" and then reconnect to it to get your original DNS servers back. Alternatively, make a note of the original DNS servers before deleting them and replace it after you are done.
    If you are getting the error message "Unable to check for update" when you try through iTunes
    On your Mac
    Choose Apple menu > System Preferences, and then click Network.
    Select the network connection service you want to use (such as Wi-Fi or Ethernet, unless you named it something else) from the list, and then click Advanced.
    Click DNS, and then click Add at the bottom of the DNS Servers list. Enter the IPv4 address for the DNS server.
    You can use OpenDNS
    208.67.222.222
    208.67.220.220
    or
    You can Google Public DNS if you want
    8.8.8.8
    8.8.4.4
    I have actually repointed my routers DNS so all my devices now point to OpenDNS servers

  • Trying to install Creative Cloud and get error a12e4 Mac

    Hi, ive been searching through the forums for days now and have followed all the steps i could find to try to rectify this issue.
    Ive tried installing adobe application manager but i get the same issue
    Ive ran the adobe cc cleaner but that doesnt seem to do much
    Ive tried installing via root user
    Ive tried renaming a lot of files such as 'oobe' but nothing seems to work
    Im using a 15'' Retina MBP 10.9.2
    Can someone please help
    Thanks
    Chris

    Help for Download & Install & Setup & Activation
    -Chat http://www.adobe.com/support/download-install/supportinfo/

  • Trying to add a Table and getting Error

    I have another table that I need to add to my report that houses a field description in a user defined field. The table is :
    Select * from User_defined_valdt_codes
    where VALIDATED_TABLE_NAME = 'auth_master'
    and VALIDATED_COLUMN_NAME = 'service_user_defined_1'
    I am trying to add that field to my query but it is not working. What am I doing wrong. I updated my query and it doesn't Error Out but it doesn't return any data either. If the new table information is not there I get data back and I can pull the the data in the user_defined_valdt_codes table as well what am I doing wrong? Any help is truly appreciated!
    Thanks!
    SELECT
    A1.auth_number,
    A1.AUTH_TYPE,
    A1.seq_memb_id,
    A1.AUTH_TYPE,
    a1.review_type,
    A1.plan_code,
    A1.OVERALL_STATUS,
              A1.CLOSED_REASON,
    UVD.validated_column_name,
    A1.DENIED_REASON,
    Case
    when A1.DENIED_REASON in ('HS001','HS002','HS003') then 'MED NECESS'
    when A1.DENIED_REASON in ('HS004','HS005','HS006','HS007','HS008','HS013','HS014','HS016','HS017','HS019','HS020') then 'Admin Denial'
    when A1.DENIED_REASON is NUll and ap.advisor_decision = 'AAPPR' then 'Approved'
    else 'Unknown'
    end DENIED,
    To_Char(a1.admit_primary_date,'mm/dd/yy') As "Prim_Admit_Date",
    A1.service_admit_type AS "IP ADMIT TYPE",
    A1.service_user_defined_1 AS "OP Serv Type",
    To_Char (AP.contact_date,'mm/dd/yy') As "Contact_Date",
         To_Char (AP.decision_date,'mm/dd/yy') As "Decision_Date",
    ap.recommendation_code,
    A1.PLACE_OF_SERVICE,      
         AP.ADVISOR_DECISION,
    PM.LAST_NAME,
    TO_CHAR (A1.insert_datetime,'MONTH-YY')AS "Month",
         MV.LINE_OF_BUSINESS
    FROM Windsoradm.auth_master a1
    INNER JOIN Windsoradm.auth_phys_advisor ap
    ON a1.auth_number=ap.auth_number
    INNER JOIN windsoradm.prov_master pm
    ON ap.seq_prov_id=pm.seq_prov_id
    LEFT JOIN windsoradm.note_master nm
    ON nm.seq_memb_id=a1.seq_memb_id
    AND NM.NOTE_TYPE='PHA'
    INNER JOIN windsoradm.member_mv mv
    ON mv.seq_memb_id=a1.seq_memb_id
    INNER JOIN windsoradm.user_defined_valdt_codes UVD
    ON A1.service_user_defined_1=UVD.VALIDATED_COLUMN_NAME
    Where mv.Line_of_Business <>'SFS'
    AND UVD.VALIDATED_TABLE_NAME = 'auth_master'
    and UVD.VALIDATED_COLUMN_NAME = 'service_user_defined_1'
    /*AND A1.PLACE_OF_SERVICE IN ('11','21','22','24')*/
    /*AND a1.active_physician_advisor = 'Y'*/
    /*AND (a1.closed_reason ='A06' OR a1.closed_reason is Null)*/
    /*AND A1.AUTH_NUMBER='415712'*/
    AND a1.insert_datetime Between To_Date ('04/01/2012', 'MM/DD/YYYY') and To_Date ('04/30/2012','MM/DD/YYYY')
    ORDER BY 1
    Edited by: 925518 on Jun 4, 2012 9:25 AM

    I got it to work this way I was putting in a wrong field that was not returning data now it works. Yay!!!!!
    SELECT
    A1.auth_number,
    A1.AUTH_TYPE,
    A1.seq_memb_id,
         A1.AUTH_TYPE,
    a1.review_type,
    A1.plan_code,
    A1.OVERALL_STATUS,
              A1.CLOSED_REASON,
    A1.DENIED_REASON,
    Case
    when A1.DENIED_REASON in ('HS001','HS002','HS003') then 'MED NECESS'
    when A1.DENIED_REASON in ('HS004','HS005','HS006','HS007','HS008','HS013','HS014','HS016','HS017','HS019','HS020') then 'Admin Denial'
    when A1.DENIED_REASON is NUll and ap.advisor_decision = 'AAPPR' then 'Approved'
    else 'Unknown'
    end DENIED,
    To_Char(a1.admit_primary_date,'mm/dd/yy') As "Prim_Admit_Date",
    A1.service_admit_type AS "IP ADMIT TYPE",
    A1.service_user_defined_1 AS "OP Serv Type",
    UVD.user_valid_code_long_desc as "OP_Type_Desc",
    To_Char (AP.contact_date,'mm/dd/yy') As "Contact_Date",
         To_Char (AP.decision_date,'mm/dd/yy') As "Decision_Date",
    ap.recommendation_code,
    A1.PLACE_OF_SERVICE,      
         AP.ADVISOR_DECISION,
    PM.LAST_NAME,
    TO_CHAR (A1.insert_datetime,'MONTH-YY')AS "Month",
         MV.LINE_OF_BUSINESS
    FROM Windsoradm.auth_master a1
    INNER JOIN Windsoradm.auth_phys_advisor ap
    ON a1.auth_number=ap.auth_number
    INNER JOIN windsoradm.prov_master pm
    ON ap.seq_prov_id=pm.seq_prov_id
    LEFT JOIN windsoradm.note_master nm
    ON nm.seq_memb_id=a1.seq_memb_id
    AND NM.NOTE_TYPE='PHA'
    INNER JOIN windsoradm.member_mv mv
    ON mv.seq_memb_id=a1.seq_memb_id
    INNER JOIN windsoradm.user_defined_valdt_codes UVD
    ON A1.service_user_defined_1=UVD.user_valid_code
    AND UVD.VALIDATED_TABLE_NAME = 'auth_master'
    AND UVD.VALIDATED_COLUMN_NAME = 'service_user_defined_1'
    Where mv.Line_of_Business <>'SFS'
    /*AND A1.PLACE_OF_SERVICE IN ('11','21','22','24')*/
    /*AND a1.active_physician_advisor = 'Y'*/
    /*AND (a1.closed_reason ='A06' OR a1.closed_reason is Null)*/
    /*AND A1.AUTH_NUMBER='415712'*/
    AND a1.insert_datetime Between To_Date ('04/01/2012', 'MM/DD/YYYY') and To_Date ('04/30/2012','MM/DD/YYYY')
    ORDER BY 1

  • Trying to use system recovery but getting error f3-f100-f001

    My computer currently will not start in anything but safe mode(starting normally will not load computer), so I'm trying to restore my computer to its factory defaults. However whenever I choose the Repair Your Computer option after pressing F8 at startup, I get the error f3-f100-f0010 which forces my laptop to shut down. I was getting blue screens before this happened so I believe my OS driver (Windows 7)is corrupted. How would I be able to fix this error and reinstall my OS? The Model No. of my computer is PSK2LU-001003 Toshiba Satelite, by the way.

    That sounds like it's having trouble with the hard drive. Try performing a recovery by holding '0' (zero) while booting the laptop.
    - Peter

  • Using Mountain Lion and getting "Error 102 (net::ERR_CONNECTION_REFUSED)" from some domain names that work on other computers on my network.

    I can not load some websites/domain names through Firefox,Chrome & Safari. It seems like a DNS caching issue to me. I have tried flusing DNS cache and changing to to public nameservers with varying success. The domains will load on other versions of OSX on my network, so Iappears to be an OS version issue. Any help would be greatly appreciated.
    Chrome Error
    Error 102 (net::ERR_CONNECTION_REFUSED): The server refused the connection.
    Firefox Error
    Firefox can't establish a connection to the server at domainname.com
    Safari Error
    Safari can't open the page "http://domainname.com" because Safari can't connect to server "domainname.com".

    The following update also clears your "computer name" in Syst Prefs > Sharing, and entering a computer name solves network print issues for many. http://support.apple.com/kb/PH11143
    From braden85:
    About changing or updating printer software in Mountain Lion:
    OS X Mountain Lion: Change or update printer software
    http://support.apple.com/kb/PH10622

Maybe you are looking for

  • Best practice - online redo logs and virtualization

    I have a 10.1.0.4 instance (soon to be migrated to 11gr2) running under Windows Server 2003. We use a non-standard disk distribution scheme - on the c: drive we have oracle_home as well as directories for control files and online redo logs. on the d:

  • How can I get photo templates in iWeb to display on Windows Internet Explorer?

    I am creating a web site, using iWeb 3 (latest version), for a friend's band.  I have created a Photos page, using the My Album template.  I have also created various bio pages, using the Photo template.  When I tesy the pages on my virtual Windows m

  • Please bring back the Modern Skype App for x86 devices

    The desktop Application is unusable on small tablets, due to its fiddly controls, missing features and extremely high demand of system resources (RAM, CPU, etc.). It's sad to see Microsoft once again neglecting its creations (like you did with Zune).

  • Produce equipment for internal use (cost center)

    Hi, We are a high tech company selling and producing configurable equipment. Sometimes our marketing department orders such an equipment for demo reasons. After this demo the equipment must be returned to be disassembled or returned into stock until

  • UK App store now open in UK

    The app store is now open direct from the ipad so no need to sync from itunes. The iworks apps and ibooks are still not there but its a start