1099 program is not selecting documents based on clearing dates.

We are trying to use SAP for the first time to produce our 2011 1099's.  We have documents that have posting dates in December of 2010 and clearing dates in January of 2011.  These payments to vendors are not being picked up in the SAP program.  We are using the reporting period of 01/01/2011 to 12/31/2011.  Has anyone else had this problem and been able to solve it?

You need to change the output group.  Go through IMG to WH tax, Extended WH tax, Generic WH tax reporting, Define output groups.  Under US_1099, "read withholding tax items from", change to #2, vendor payments.  That should solve your problem.

Similar Messages

  • Can ditto select files based on modification date?

    Hi. I'm trying to use ditto to make backups. I would like to have it select only files modified after a certain date. Is there a way to do this?
    I noticed the bom (bill of materials) option... can that be used for this purpose somehow? Not quite sure how best to create a BOM that includes only files based on modification date.
    Any suggestions? Thanks
    Eric

    ditto doesn't provide a way to select only files modified after a certain date -- but find does; see the "-newer" and "-newerXY" options. Using find, you can generate a BOM file listing files that have been modified after a certain date.
    Then you can pass that BOM file to ditto.
    Powerbook G4 1GHz   Mac OS X (10.3.9)  

  • Dynamic Select List based on TextField data

    Hi,
    I like to dynamically display the select list based on the value in the textfield, the data in the textfield is of character type.
    Thanks

    Hello,
    Well as you now know HTML based select lists don't work like that, that widget is called a combo box and there will be built in combo boxes in APEX 3.0, it's a fairly complex dhtml widget.
    What you might want to do is provide a text item next to your select box and an Add New Value Option in your select list.
    Carl

  • Want to select query based on sample data.

    My Oracle Version
    Oracle Database 10g Enterprise Edition Release 10.2.0.1.0 - Prod
    I am creating inventory valuation report using FIFO method . here sample data .
    create table tranx(
    TRXTYPE     varchar2(10) ,ITEM_CODE varchar2(10),     RATE number,qty number
    insert into tranx values('IN'     ,'14042014',     457.2     ,10);
    insert into tranx values('OUT','14042014',     0,          10);
    insert into tranx  values('IN','14042014',     458.1,     35);
    insert into  tranx values('OUT','14042014',     0,          11);
    insert into  tranx values('OUT','14042014',     0,          6);
    insert into  tranx values('IN','     14042014',     457.2     ,10);
    insert into tranx  values('OUT','     14042014',     0,          3);
    insert into tranx  values('OUT','     14042014',     0,          4);
    insert into tranx  values('IN','     14042014',     457.2,     20);
    insert into tranx  values('OUT','     14042014',     0,          5);
    insert into tranx  values('OUT','     14042014',     0,          9);
    insert into tranx  values('OUT','     14042014',     0,          8);
    current output
    TRXTYPE     ITEM_CODE     RATE      QTY
    IN     14042014     457.2     10
    OUT     14042014     0          10
    IN     14042014     458.1     35
    OUT     14042014     0          11
    OUT     14042014     0          6
    IN     14042014     457.2     10
    OUT     14042014     0          3
    OUT     14042014     0          4
    IN     14042014     457.2     20
    OUT     14042014     0          5
    OUT     14042014     0          9
    OUT     14042014     0          8above data populate based on first in first out . but out rate is not comes from that query. suppose fist 10 qty are OUT its rate same as IN. but when qty start out from 35 rate will be 458.1 till all 35 qty will not out. like out qty 11,6,3,4,5,9 now total are 38 .
    when qty 9 will out the rate are 6 qty rate 458.1 and other 3 out rate of 457.2 means total value of 9 out qty value is 4120.20 .
    Now 35 qty is completed and after that rate will continue with 457.2 till 10 qty not completed.
    I think you understand my detail if not please tell me .
    thanks
    i am waiting your reply.

    As SomeoneElse mentioned, there is no row order in relational tables, so you can't tell which row is first and which is next unless ORDER BY is used. So I added column SEQ to your table:
    SQL> select  *
      2    from  tranx
      3  /
    TRXTYPE    ITEM_CODE        RATE        QTY        SEQ
    IN         14042014        457.2         10          1
    OUT        14042014            0         10          2
    IN         14042014        458.1         35          3
    OUT        14042014            0         11          4
    OUT        14042014            0          6          5
    IN         14042014        457.2         10          6
    OUT        14042014            0          3          7
    OUT        14042014            0          4          8
    IN         14042014        457.2         20          9
    OUT        14042014            0          5         10
    OUT        14042014            0          9         11
    TRXTYPE    ITEM_CODE        RATE        QTY        SEQ
    OUT        14042014            0          8         12
    12 rows selected.
    SQL> Now it can be solved. Your task requires either hierarchical or recursive solution. Below is recursive solution using MODEL:
    with t as (
               select  tranx.*,
                       case trxtype
                         when 'IN' then row_number() over(partition by item_code,trxtype order by seq)
                         else 0
                       end rn_in,
                       case trxtype
                         when 'OUT' then row_number() over(partition by item_code,trxtype order by seq)
                         else 0
                       end rn_out,
                       count(case trxtype when 'OUT' then 1 end) over(partition by item_code) cnt_out
                 from  tranx
    select  trxtype,
            item_code,
            rate,
            qty
      from  t
      model
        partition by(item_code)
        dimension by(rn_in,rn_out)
        measures(trxtype,rate,qty,qty qty_remainder,cnt_out,1 current_in,seq)
        rules iterate(10) until(iteration_number + 1 = cnt_out[0,1])
         rate[0,iteration_number + 1]          = rate[current_in[1,0],0],
         qty_remainder[0,iteration_number + 1] = case sign(qty_remainder[0,cv() - 1])
                                                   when 1 then qty_remainder[0,cv() - 1] - qty[0,cv()]
                                                   else qty[current_in[1,0],0] - qty[0,cv()] + nvl(qty_remainder[0,cv() - 1],0)
                                                 end,
         current_in[1,0]                       = case sign(qty_remainder[0,iteration_number + 1])
                                                   when 1 then current_in[1,0]
                                                   else current_in[1,0] + 1
                                                 end
      order by seq
    TRXTYPE    ITEM_CODE        RATE        QTY
    IN         14042014        457.2         10
    OUT        14042014        457.2         10
    IN         14042014        458.1         35
    OUT        14042014        458.1         11
    OUT        14042014        458.1          6
    IN         14042014        457.2         10
    OUT        14042014        458.1          3
    OUT        14042014        458.1          4
    IN         14042014        457.2         20
    OUT        14042014        458.1          5
    OUT        14042014        458.1          9
    TRXTYPE    ITEM_CODE        RATE        QTY
    OUT        14042014        457.2          8
    12 rows selected.
    SQL> SY.

  • Abap code not working  - deleting based on master data table information

    Hi,
    I wrote a piece of code earlier which is working and during test we found out that it will be hard for the support guys to maintain because it was hard coded and there is possibility that users will include more code nums in the future
    sample code
    DELETE it_source WHERE /M/SOURCE EQ 'USA' AND
    /M/CODENUM NE '0999' AND
    /MCODENUM NE '0888' AND.
    Now I created a new InfoObject master data so that the support people can maintain the source and code number manually.
    master data table - the codenum is the key.
    XCODENUM    XSOURCE
    0999               IND01
    0888               IND01
    now I wrote this routine all the data gets deleted.
    tables /M/PGICTABLE.
    Data tab like /M/PGICTABLE occurs 0 with header line.
    Select * from /M/PGICTABLE into table tab where objvers = 'A'.
    if sy-subrc = 0.
    LOOP at tab.
    DELETE it_source WHERE /M/SOURCE EQ tab-XSOURCE AND /M/CODENUM NE tab-XCODENUM.
    ENDLOOP.
    Endif.
    But when I chage the sign to EQ, I get opposite values , Not what I require.
    DELETE it_source WHERE /M/SOURCE EQ tab-XSOURCE AND /M/CODENUM EQ tab-XCODENUM.
    Cube table that I want to extract from
    /M/SOURCE                             /M/CODENUM
    IND01                                       0999
    IND01                                       0888
    IND01                                       0555
    IND01                                       0444
    FRF01                                      0111
    I want to only the rows where the /M/CODENUM = 0999 and 0888 and i would also need FRF101
    and the rows in bold  should be deleted.
    thanks
    Edited by: Bhat Vaidya on Jun 17, 2010 12:38 PM

    It's obvious why it deletes all the records. Debug & get your answer i wont spoon feed
    Anyways on to achieve your requirement try this code:
    DATA:
          r_srce TYPE RANGE OF char5, "Range Table for Source
          s_srce LIKE LINE OF r_srce,
          r_code TYPE RANGE OF numc04,"Range table for Code
          s_code LIKE LINE OF r_code.
    s_srce-sign = s_code-sign = 'I'.
    s_srce-option = s_code-option = 'EQ'.
    * Populate the range tables using /M/PGICTABLE
    LOOP AT itab INTO wa.
      s_code-low = wa1-code.
      s_srce-low = wa1-srce.
      APPEND: s_code TO r_code,
              s_srce TO r_srce.
    ENDLOOP.
    DELETE ADJACENT DUPLICATES FROM:
    r_code COMPARING ALL FIELDS,
    r_srce COMPARING ALL FIELDS.
    * Delete from Cube
    DELETE it_source WHERE srce IN r_srce AND code IN r_code.

  • Dimensions set to Selectable are not selectable w/in Smart View Data Forms

    When trying to use a data form by clicking "Select Form" in the Hyperion toolbar in Excel (not exporting from webspace), Dimensions that are defined as Selectable are not actually selectable within Smartview. Below is a portion of the script:
    BackgroundPOV=S#***.Y#***.w#***.V#***.I#***.C4#***
    SelectablePOVList=P{***}.E{***.[Base]}.C1{***.[Hierarchy]}
    Within the web, the form works fine and everything selectable is selectable. Within smart view, only Entity is selectable. Any insight would be greatly appreciated.
    SV Version 11.1.1.3.500
    HFM 11.1.1.3
    Excel 2007
    Edited by: JL on Aug 4, 2011 12:36 PM

    I have found this and its generally because the dimension is referenced in the column
    i.e Year and period is displayed in the column.
    In HFM you can select the members from the POV but when opening in SmartView you can't
    Solution is to remove the dimension from the col or row.
    Thanks
    G

  • Smart Mailbox not working correctly based on received date

    I setup a smart mailbox with the condition:
    Date Received is not in the last 1 year
    I get plenty of messages where the date received was within the last year. Anyone know how to fix this problem.
    Thanks in advance,
    Roy

    David needs to get extra points for slipping in the Princess Bride reference.
    As he points out, this smart mailbox rule should exclude all messages not from THIS calendar year--2007. If you want all messages older than one year, do date received is not in the last 12 months, and it should give you what you want.
    G4 933 mhz Quicksilver   Mac OS X (10.4.9)   Wacom Intuos 2 tablet; Epson 2400 Photo; HP Deskjet 6840; LaCie 80gb D2 FWDV

  • Select records based on max(date)

    Hi everyone,
    I have a table (tbl_training) with training information-such as who took what training, when they took it, scores they received and other various stuff.
    In this table, a person could have taken multiple training within the year. what i need to see in my results is, the last training the person took. I assume i am looking to query something that produces max(date_of_training) and maybe grouping my id_number. I have tried various combinations of sub-queries to no avail. Any help is welcomed.
    So my data may look something like this:
    id_number date_of_training score last_name first_name instructor rank
    1234 01/01/09 50 doe john mr. hank sgt
    1234 02/13/09 72 doe john mr. hank sgt
    1234 01/31/09 60 doe john mr. hank sgt
    5678 02/03/09 80 smith lisa mr. hank cpl
    What i need returned in the query is:
    1234 02/13/09 72 doe john mr. hank sgt
    5678 02/03/09 80 smith lisa mr. hank cpl
    Select id_number, date_of_training, score, last_name, first_name, instructor, rank
    from tbl_training;
    Thanks for the help in advance.

    Try this code
    select * from (
    Select id_number, date_of_training, score, last_name, first_name, instructor, rank, row_number()over(partition by id_number order by date_of_training desc ) rn
    from tbl_training)
    where rn =1;

  • Flash animation working in program preview, not in browser with up to date Flash Player.

    After hitting next on this animation you can see there appears to be blank areas on the animation. If you mouse over them you will see buttons appear which is their "over state." When I publish the animation and preview it in Adobe Flash CS5.5 all the buttons are visible and work correctly. It is only in the brower (chrome, firefox, safari) with up to date Flash Player that is is not working. This is happening in a number of animations I created originally in CS4 last year, and am updating them as CS5.5 using AS3.
    My application is up to date.

    Are you loading those images externally?
    Can you share an example of you loading an external file if so? It should look similar to this:
    import flash.display.Loader;
    import flash.display.Sprite;
    import flash.events.Event;
    import flash.events.IOErrorEvent;
    var myLoader:Loader = new Loader();
    myLoader.contentLoaderInfo.addEventListener(IOErrorEvent.IO_ERROR, onErrorHandler);
    myLoader.contentLoaderInfo.addEventListener(Event.COMPLETE, onCompleteHandler);
    function onErrorHandler(e:IOErrorEvent):void
         // put some visual code here to tell yourself you have a load error
         // otherwise you'll never know
         trace(e);
    function onCompleteHandler(e:Event):void
         // add to display list if you wish (a Loader is a displayobject), or add it to a sprite and name it, etc
         addChild(e.target);
    If you're not checking for errors then you won't know it's not loading things properly. That is of course if you're loading external assets.

  • Count Number of Documents Based on a Date

    Hello Experts,
    I have this requirement to write a query that will display counts for open orders.
    For example:
    OLD COUNTER is defined as number of open orders where delivery date is less than current date minus 7.
    IN PROGRESS Counter is defined as number of open orders where delivery date is >= current date minus 7.
    Can anybody show me how to accomplish this?  Thank you.

    Hi Celion ,
    To achieve your latest requirement, you can follow the below steps :
    1) Create a characteristic infoobject for ex ZABC of data type NUMC and give appropraite length to it as per your choice .
    2) Now make a multiprovider and include this characteristic ZABC in your multiprovider and give identification to it .
    Now our next step will be to make your report over this multiprovider .
    3) So, in the query designer make a dummy RKF or newselection. That means you take any keyfigure from your datatarget and restrict it with this new characteristic ZABC and make a user entry variable(FOR EX: ZUE1 ) with single value .
    We will hide the above dummy rkf or newselection in the query designer , as the only purpose of this is to provide the input to the user for no of days .
    4) Now you have to write a customer exit code in the 'i_step = 2' mode and detect the value of ZABC infoobject user entry variable .
    You have to create a customer exit variable on the delivery date(for EX:zce1) with ready for inputdeselected and mandatory .
    data : zvar_d1 type i .
    data :zdate type dats.
    when zce1.
    LOOP AT i_t_var_range INTO loc_var_range.
         if loc_var_range-vnam = 'ZUE1'.
    zvar_d1 = loc_var_range-low.
    zdate = sy-datum - zvar_d1.
                    l_t_range-low = zdate.
                    l_t_range-sign = 'I'.
                    l_t_range-opt = 'EQ''.
    APPEND l_t_range to e_t_range.
    ENDIF.
    endloop.
    So in your RKFs now, instead of restricting on Delivery Date by Current Calendar Day Variable say 0DAT using Value Ranges 'Less Than' option and specify an offset of -7, you restrict your delivery date by this customer exit variable using value ranges 'Less Than' option .
    So now your report will be dynamic i mean whatever user enters it will work based on that input .
    And that dummy RKF will be hidden in the output.
    Hope the above reply was helpful.
    Thanks & Regards,
    Ashutosh Singh
    Edited by: Ashutosh Singh on Apr 29, 2011 7:02 AM

  • Select Product based on date

    Hai,
    Product Date
    pd0 2012-08-11 18:45:55.780
    Pd1 2012-08-11 18:55:17.020
    pd2 2012-08-11 19:06:58.623
    pd3 2012-08-18 12:00:01.193
    pd4 2012-08-25 12:13:04.077
    pd5 2012-08-25 17:28:30.347
    pd6 2012-08-25 18:23:16.473
    pd7 2012-09-18 18:29:58.360
    I want select the product based on from date and to date.
    For Example
    I want the select the product date in between 2012-08-11 to 2012-08-18
    Note:dont check the time.
    I want the query for select product based on only date not depend upon time

    >
    Product Date
    pd0 2012-08-11 18:45:55.780
    Pd1 2012-08-11 18:55:17.020
    pd2 2012-08-11 19:06:58.623
    pd3 2012-08-18 12:00:01.193
    pd4 2012-08-25 12:13:04.077
    pd5 2012-08-25 17:28:30.347
    pd6 2012-08-25 18:23:16.473
    pd7 2012-09-18 18:29:58.360
    I want select the product based on from date and to date.
    For Example
    I want the select the product date in between 2012-08-11 to 2012-08-18
    >
    Hopefully what you are calling 'Date', which is actually a timestamp value, is really being stored in a column of datatype TIMESTAMP and not being stored in a VARCHAR2.
    NEVER store date or datetime values in a character datatype. And the word BETWEEN, when used as an operator means that BOTH endpoints will be included.
    1. Data is stored in a TIMESTAMP column the way it should be stored
    WITH Q AS (SELECT 'pd0' PRODUCT, TO_TIMESTAMP('2012-08-11 18:45:55.780', 'YYYY-MM-DD HH24:MI:SS.FF3') myBadDateFormat from dual
    UNION ALL SELECT 'Pd1',TO_TIMESTAMP('2012-08-11 18:55:17.020', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd2',TO_TIMESTAMP('2012-08-11 19:06:58.623', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd3',TO_TIMESTAMP('2012-08-18 12:00:01.193', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd4',TO_TIMESTAMP('2012-08-25 12:13:04.077', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd5',TO_TIMESTAMP('2012-08-25 17:28:30.347', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd6',TO_TIMESTAMP('2012-08-25 18:23:16.473', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual
    UNION ALL SELECT 'pd7',TO_TIMESTAMP('2012-09-18 18:29:58.360', 'YYYY-MM-DD HH24:MI:SS.FF3') from dual)
    SELECT PRODUCT FROM Q
      WHERE myBadDateFormat BETWEEN TO_TIMESTAMP('2012-08-11', 'YYYY-MM-DD')
                                AND TO_TIMESTAMP('2012-08-18', 'YYYY-MM-DD')
    PRODUCT
    pd0
    Pd1
    pd2If you don't want the second endpoint included you need to use > and <= operators instead of BETWEEN.
    2. Data is stored in a VARCHAR2 column the way it should NEVER be stored
    WITH Q AS (SELECT 'pd0' PRODUCT, '2012-08-11 18:45:55.780' myBadDateFormat from dual
    UNION ALL SELECT 'Pd1','2012-08-11 18:55:17.020' from dual
    UNION ALL SELECT 'pd2','2012-08-11 19:06:58.623' from dual
    UNION ALL SELECT 'pd3','2012-08-18 12:00:01.193' from dual
    UNION ALL SELECT 'pd4','2012-08-25 12:13:04.077' from dual
    UNION ALL SELECT 'pd5','2012-08-25 17:28:30.347' from dual
    UNION ALL SELECT 'pd6','2012-08-25 18:23:16.473' from dual
    UNION ALL SELECT 'pd7','2012-09-18 18:29:58.360' from dual)
    SELECT PRODUCT FROM Q
      WHERE myBadDateFormat BETWEEN '2012-08-11' AND '2012-08-18'
    PRODUCT
    pd0
    Pd1
    pd2Neither of the solutions posted by others so far will work unless your data is stored in a TIMESTAMP column and even then Oracle will rewrite the filter to use TIMESTAMP values
    SQL> select product from test_timestamp
      2    WHERE myBadDateFormat < DATE '2012-08-18'
      3      AND myBadDateFormat >= DATE '2012-08-11'
      4  /
    Execution Plan
    Plan hash value: 3988574921
    | Id  | Operation         | Name           | Rows  | Bytes | Cost (%CPU)| Time   |
    |   0 | SELECT STATEMENT  |                |     3 |    54 |     3   (0)| 00:00:01 |
    |*  1 |  TABLE ACCESS FULL| TEST_TIMESTAMP |     3 |    54 |     3   (0)| 00:00:01 |
    Predicate Information (identified by operation id):
       1 - filter("MYBADDATEFORMAT"<TIMESTAMP'2012-08-18 00:00:00' AND
                  "MYBADDATEFORMAT">=TIMESTAMP'2012-08-11 00:00:00')
    Note
       - dynamic sampling used for this statement

  • Date chooser day and date not selectable

    Hello,
    Anyone knows how to make the day and date not selectable in
    the datefield or date chooser component???
    It is possible to make any one day not available, but what i
    need is only a single day not selectable..
    For example, i can make every tuesdays of a month not
    selectable But, i need to make for example the Tuesday 3rd only Not
    selectable
    Any help will be greatly appreciated.
    Cordially.
    Gerard.

    Welcome to Apple Discussions
    I believe the problem is that you have US formats for dates. Select the cells/columns that you want your date format to apply to then click the cell format inspector (the 42 in a box icon) & choose Custom… from the cell format drop-down. You will be presented with a box that allows you to make your own format. Click & hold on any of the little "lozenges" in the input bar & move them around. You may need to add a space to get the proper result.

  • Have just reinstalled PE12. Trying to access Editor - asks for ADOBE ID which I enter but program does not load.

    Had problems with having the serial number acknowledged by the Photoshop Elements 12 (Organiser worked fine but Editor wouldn't open).
    Chat support suggested I delete and reinstall program from an Adobe website download link.  Have done that and now have slightly different problem.
    Organiser still works fine but Editor asks for ADOBE ID which I enter but editor program does not load.
    ADOBE website clearly confirms the product is registered against my ID.
    Chat support now saying that they no longer provide support for PE12 Editor - only 13!
    This is in direct conflict with the support advertised in the product's "Getting Started" brochure.
    Only purchased PE 12 a couple of months ago (just prior to PE13 release) - find that this is pretty poor service.

    Sandeep,
    Thank you for your advice, but this is way too involved for me. Please forgive me, but I do not feel comfortable doing this on my own. I really need a live chat or phone help!
    I just uninstalled PSE 12 through control panel and yet in Windows Explorer I see it listed under the Program Files (x86)/Adobe. Photoshop Elements 8.0 is also in that directory. I have been trying to uninstall PSE 8 but keep getting error 1316. To further complicate the situation when I tried to reinstall PSE 12 yesterday I got a message that I needed to create a new folder. So I have Program Files (x86)/Elements 12 Organizer now even though I just uninstalled PSE 12.
    I am so confused and frustrated! I have wasted 3 days trying to resolve this. PSE 12 was working great until a few days ago. I do have a backup of my catalog on an external hard drive. I just need to talk to someone on the phone or a live chat.

  • How to make some rows not selectable in AdvancedDataGrid

    Hi there,
    I have an advanced data grid which allows to select multiple rows. I need to make certain rows not selectable dependent on the row data. How can this be done?
    Help is greatly appreciated. Thanks in advance.
    --Charmaine

    Hi, You can view same demo here
    Thanks and Best regards,
    Pallavi Joshi | [email protected] | www.infocepts.com

  • Invoice Date Based on POD Date and Requested Delivery Date

    Hello Experts,
    Could you please Help me How to get the Billing date in the invoice document based on POD date if the POD Report has been Posted , If not the system should pick up the requested delivery date.
    Thanks for your time

    Hi,
    Create an copy control routine (T.Code VOFM) as assign in copy control setting between Delivery doc to billing docuement (T.code VTFL).
    The new routine will be created with copy of existing routine assign under "Copying requirements" at item level, and assign on same place.
    Pl take help of ABAPer to write the new routine.
    regards
    Vivek.
    Edited by: Vievk Vardhan on Jan 7, 2010 1:50 PM

Maybe you are looking for

  • Cannot view Yahoo mail in Firefox 26.0

    For several months, I have been unable to view any of my Yahoo email accounts in Firefox. I found a thread where a user had trouble with all Yahoo pages, but all of the suggestions for a fix are things I have tried. Uninstalls, reinstalls, clearing c

  • Images not displaying in Revel (Carousel)

    I'm using Revel to transfer pictures from my iPhone to my iPad. Several times I've selected and loaded an image to Revel--it displays on my iPhone (although not always) but does not display on my iPad. If I try to reload, it gives me the message that

  • Change Default Page Orientation

    After fiddling a bit with the settings in Ambrosia's Easy Envelopes (http://www.ambrosiasw.com/utilities/easyenvelopes/) I now find that that the default orientation on the printer dialog is always landscape. How do I change the default page orientat

  • Mail search results are not in chronological order.

    when I search for mail the results in iOS7 aren't in chronological order anymore. Both on my iphone 5 and my iPad 2.

  • RDC is too small on my iMac

    Does anyone know how to format the display so that I can increase the size of the Remote Desktop display?