Forecast by each day wise

Hi,
I got a requirement to do a forecast on the stock values.
I have created a Real-Time InfoCube  in which the daily stock Issues and Receipt values are update from the Stock InfoCube  which are actual Values.
I need to create a Ready-input query doing forecast values based on each day wise of the current month.
The business case is..assume that today date is 10th of the current month.
The report should display the actual values from 1 - 10th  and from 11 to last day of the current month it need to be ready-input query to enter the values.
How to get the each day as column of the current month and how do we restrict the actual and forecast values at each  column.
Please advice how to meet the requirement.
Regards
Jagannadha Raju

Hi David,
Thanks for the reply and for your time...
i want to explain in little bit.
My stock cube contains the data only upto day (10th). if i put cal day in the column it is display the only upto 10th day. But it should display the columns from 11 to 31 as input query also.
Please advice on this... even if we don't have data also how would we display all the days as columns.
Regards
Jagannadha Raju

Similar Messages

  • CO Profitability report day wise

    Hi Gurus,
    My client wants to see the Profitability report at company code level day wise, Sale order and Product, is it possible.
    If its possible, then how the data will flow day wise and what are the pre-requisits to get this done.
    Does SAP has any standard report to get the required.
    Day wise i mean, if i take the COPA report on 2nd Feb, it should display only the amounts which were posted on 2nd Feb and activites confirmed etc.
    Thanks & Regards,
    Praveen

    Hi All,
    Can you tell me what is Line item report, and how is it different from KE30 summarised report.
    What i understand from your saying is, Line item report will give us the particular dates information when the report is executed, leaving out the info till previous date.
    Even if the line item report is created, can u tell me how the data will flow into it. Because we have Sale order cost estimate for the client. If i create a seperate value field for the cost component then it will give me the Sale order cost estimate info which is again standard. How is it possible to get actual data.
    What about the other cost centers amount. How this data is passed onto it.
    If i have to get this data into the reports then each day I should do Assessment cycles, settlements of the order and reverse the same the next day. But even if i do that i wont be able to get the day wise report as the data will get posted on month end date and again will be summarized one.
    Pls clarify me on this. My clients expectation is to bring out the daily report to see the progress of each day and wats the cost he is incurring so that he can compare it with sterdays and also the plan data.
    Thanks & Regards,
    Praveen

  • Query help to Get day wise count

    I have a table: Table_Sample with two columns:
    Date_Time_Field - Timestamp;
    Request_Type - Number;
    The insert statement for the table is as follows:
    -- INSERTING into TABLE_SAMPLE1
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('01-JUL-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),1);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('01-JUL-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),2);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('12-JUL-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),2);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('01-AUG-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),7);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('21-SEP-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),2);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('03-OCT-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),1);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('13-OCT-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),1);
    Insert into TABLE_SAMPLE1 (DATE_TIME_FIELD,REQUEST_TYPE) values (to_timestamp('04-NOV-07 12.00.09.000000000 PM','DD-MON-RR HH.MI.SS.FF AM'),7);
    I want to get the count of request_Type on each day..In this table some dates are missing, but i want to fill the count of request_Type on those days as 0.
    i.e., expected out put is
    Date          Request_Type              Count(Request_Type)
    01-JUL-07         1                             1
    01-JUL-07         2                             1
    01-JUL-07         7                             0
    02-JUL-07         1                             0
    02-JUL-07         2                             0
    02-JUL-07         7                             0
    03-JUL-07         1                             0
    03-JUL-07         2                             0
    03-JUL-07         7                             0
    11-JUL-07         1                             0
    11-JUL-07         2                             1
    11-JUL-07         7                             0
    :How can i form the query for this

    Using Data Densification for Reporting (available on 10g and above):
    SQL> with Request_Types AS (
      2    select distinct request_type from TABLE_SAMPLE1
      3  ),
      4  Calendar as (
      5    select date '2007-07-01' + level - 1 as date_time
      6    from dual
      7    connect by level <= 13
      8  )
      9  select c.date_time, rt.request_type, sum(case when ts.rowid is null then 0 else 1 end) as cnt
    10  from Request_Types rt
    11    join Calendar c on 1=1
    12    left outer join Table_Sample1 ts partition by (date_time_field, request_type)
    13    on ts.request_type = rt.request_type
    14       and trunc(ts.date_time_field) = c.date_time
    15  group by c.date_time, rt.request_type
    16  order by c.date_time, rt.request_type
    17  ;
    DATE_TIME  REQUEST_TYPE        CNT
    01.07.2007            1          1
    01.07.2007            2          1
    01.07.2007            7          0
    02.07.2007            1          0
    02.07.2007            2          0
    02.07.2007            7          0
    03.07.2007            1          0
    03.07.2007            2          0
    03.07.2007            7          0
    04.07.2007            1          0
    04.07.2007            2          0
    04.07.2007            7          0
    05.07.2007            1          0
    05.07.2007            2          0
    05.07.2007            7          0
    06.07.2007            1          0
    06.07.2007            2          0
    06.07.2007            7          0
    07.07.2007            1          0
    07.07.2007            2          0
    07.07.2007            7          0
    08.07.2007            1          0
    08.07.2007            2          0
    08.07.2007            7          0
    09.07.2007            1          0
    09.07.2007            2          0
    09.07.2007            7          0
    10.07.2007            1          0
    10.07.2007            2          0
    10.07.2007            7          0
    11.07.2007            1          0
    11.07.2007            2          0
    11.07.2007            7          0
    12.07.2007            1          0
    12.07.2007            2          1
    12.07.2007            7          0
    13.07.2007            1          0
    13.07.2007            2          0
    13.07.2007            7          0
    39 rows selected.Regards,
    Dima

  • Day wise cal of FI report...cl/bal..open..bal

    Dear friends,
                   I am working in FI report (vendor balance for date ranges) .Its a ALV report. I want to fetch the datas for debit ,
    credit,opening balance,closing balance,for the paticular vendor or all vendors for date ranges.the table for this iam using is BSIK AND LFC1.
    all the datas stored in the table is for month wise,but my programe (my user needs even for day wise) how to calculate this,
    or is there any function modules avaliable  or can u konw any other table storing day wise balances...this report is urgent ..
    any one pls suggest me .advance thanks..
    regards
    veera

    y u posted again ? u already closed the prev.thread.
    u have to take BSAK+BSIK also .
    BSAK :Accounting: Secondary Index for Vendors (Cleared Items)
    BSIK:Accounting: Secondary Index for Vendors
    Regards
    Prabhu

  • Vendor Balance Report Day wise based on Posting date

    Hi Guru's,
    I am creating vendor balance reprot day wise based on posting date .
    In my report i want to show  TDS(With hold tax ) amount where can i get that field name how can retrive the data using bsik and bsak .
    I Donot want to display reversal documents in the displaying list .How can i remove reversal entries .
    Regards
    Nandan.

    Hi Nandan,
    check these tables:
    A399
    T059O
    T059ZT
    Regards,
    Santosh Kumar M

  • SQL help: return number of records for each day of last month.

    Hi: I have records in the database with a field in the table which contains the Unix epoch time for each record. Letz say the Table name is ED and the field utime contains the Unix epoch time.
    Is there a way to get a count of number of records for each day of the last one month? Essentially I want a query which returns a list of count (number of records for each day) with the utime field containing the Unix epoch time. If a particular day does not have any records I want the query to return 0 for that day. I have no clue where to start. Would I need another table which has the list of days?
    Thanks
    Ray

    Peter: thanks. That helps but not completely.
    When I run the query to include only records for July using a statement such as following
    ============
    SELECT /*+ FIRST_ROWS */ COUNT(ED.UTIMESTAMP), TO_CHAR((TO_DATE('01/01/1970','MM/DD/YYYY') + (ED.UTIMESTAMP/86400)), 'MM/DD') AS DATA
    FROM EVENT_DATA ED
    WHERE AGENT_ID = 160
    AND (TO_CHAR((TO_DATE('01/01/1970','MM/DD/YYYY')+(ED.UTIMESTAMP/86400)), 'MM/YYYY') = TO_CHAR(SYSDATE-15, 'MM/YYYY'))
    GROUP BY TO_CHAR((TO_DATE('01/01/1970','MM/DD/YYYY') + (ED.UTIMESTAMP/86400)), 'MM/DD')
    ORDER BY TO_CHAR((TO_DATE('01/01/1970','MM/DD/YYYY') + (ED.UTIMESTAMP/86400)), 'MM/DD');
    =============
    I get the following
    COUNT(ED.UTIMESTAMP) DATA
    1 07/20
    1 07/21
    1 07/24
    2 07/25
    2 07/27
    2 07/28
    2 07/29
    1 07/30
    2 07/31
    Some dates donot have any records and so no output. Is there a way to show the missing dates with a COUNT value = 0?
    Thanks
    Ray

  • GL account opening balance day wise

    HI,
        I am working on FI report, where i need to calculate the G/L account closing balance on a daily basis, which will be used as the opening balance for the next day, please help me out with some sample report or logic to claculate the closing balance day wise.
    u can mail me to :[email protected]
    Regards
    Soyunee.

    Hi,
    You have to make use of many tables for this purpose.
    1. You have to claculate the previuos period and finscal year for the given date..
    2. You have to calculate the G/L balances for this period for the given G/L account from table GLT0.(You can use some of the standard function modules for the same)
    3. You have get the line items from the various tables like BSIS,BSAS,BSIK, BASK, BSID and BSAD for the dates from the begining of the month to the given date-1. sum upthis amount with the amount retrieved from step 2 .This will be the opening balance for the given date.
    4.retrieve the data from he same tables like step 3 for the given date. This will the transactions of the given date.
    5. sum up  the amounts from step 4 with step 3. this will be the closing balance for that date.
    let me know id you want any further info..
    Reward the points if i answered your question..

  • Reg :Production order cost  report day wise.

    Dear Expert,
    1.We want a report for a particular Production order cost  day wise.
    The scenario is like this Production order is Released for 100 Qty.
    Today they confirmed only 50 Qty.
    Tomorrow they will confirm 50 qty.
    Now they want to see the cost for today confirmation and tomorrows confirmation.
    Reason being daily the Raw Material cost is changed and they want to track the variance.
    Is there any standard report we can achieve this or do we have go for development
    2. And also i need to know daily how many production orders have been released.
    Thank u in advance.

    A day is not a controlled cost object. You could write a report to look at costs gathered in a day (by reporting date), but I strongly suggest that if you need to analyze costs per day you switch to daily orders.
    You'll find then that all the standard processes work for you.

  • Stock Ledger Report in Day Wise not giving correct values for Opening Stock

    Dear Experts,
    I m working on Sock ledger report to give the day wise data.
    since yesterdays closing Stock will become opening stock of today,
    To get Opening Stock,
    I have restricted the stock key figure with 2 variables on calday        
                                  (DATE FROM var with <=(Lessthan or equal to) and offset -1
                                   DATE TO      var with <=(Lessthan or equal to) and offset -1)
    To get Closing Stock,
    I have restricted the Stock key figure with 2 variables on calday        
                                  (DATE FROM var with <=(Lessthan or equal to)
                                   DATE TO      var with <=(Lessthan or equal to) )
    But in the output Opening stock values are not coming correctly and for given range of dates,
    for last date, opening stock is showing as Zero.
    Could you please tell me how can I achieve the correct values for opening stock.
    Thanks in advance.

    Hi Arjun,
    Seems like you are making it more complicated. What is your selection screen criteria?
    Ideally you should only use the offset.
    You will have say Calday in rows and stock in Column
    ____________Opening Stock_____________Closing Stock
    01/06/2009___(Closing stock of 31/05/2009)_(Stock of 01/06/2009)
    02/06/2009___(Closing stock of 01/06/2009)_(Stock of 02/06/2009)
    03/06/2009___(Closing stock of 02/06/2009)_(Stock of 03/06/2009)
    So, from above scenario, create one RKFs and include Calday in it. Create a replacement path variable on calday and apply the offset as -1.
    So, your Opening Stock will be calculated by closign stock of previous day.
    - Danny

  • Pivot Day wise closing stock report

    Expert,
    we need same report from SAP
    Pivot report day wise closing stock
    Item Code - Item Description - UoM - Warehouse - Item Group - Days 1-2-3-4-31
    Selection criteria
    From Date
    To Date
    Item Group
    Please help and send Pivot query.
    Thanks in advance
    Mukesh

    Hi Nagarajan Sir,
    The above link query is showing a particular date stock status
    but my requirement is different below sample format
    Date     -    Item Code - Item Description - UoM - Warehouse - Item Group - Closing Stock
    15/03/14   F00012       TMT BAR 10 MM     KG        KRY01          FINISHED      230.35
    16/03/14   F00012       TMT BAR 10 MM     KG        KRY01          FINISHED      265.65
    17/03/14   F00012       TMT BAR 10 MM     KG        KRY01          FINISHED      356.35
    Can i get this format
    Selection criteria
    From date
    To Date
    Warehouse
    Please think about this format and suggest
    Regards
    Mukesh Singh

  • HT3728 My Time Capsule won't allow me to access my home network each day (intermittently) between about 1000-1800. My modem is working properly, and I can get on-line by hooking my computer straight to my modem, so I know it's the Time Capsule at fault. I

    My Time Capsule won't allow me to access my home wireless network for several hours each day -- usually between 1000-1830 or so. My modem is working correctly and I can still get on-line by going straight from my computer (MacBook Pro) to the Ethernet port. It must be the Time Capsule -- any ideas?

    Any ideas?
    Wireless Interference
    Might be caused by a cordless phone in the vicinity. To give you an example, my neighbor.....across the street...used to be able to literally crash my wireless network if he was in his front yard talking on his cordless phone.
    I discovered this by accident one day after spending weeks trying figure out why my network would crash at random times.
    Other possibilities include a wireless security/camera system near you
    Still other things might be an amateur ham radio operator....which should not interfere....but again from experience, I know that this can occur.
    Yet another possibility is another wireless network near you that is being turned on and off at random times. Some users power up their modem/router only when they want to do so and leave it off otherwise.
    Some general rules to help avoid interference:
    Move any cordless phones that you might have as far away as possible from the Time Capsule and/or your computer(s)
    Avoid placing other electronic devices....computer, television, amplifier, satellite receiver, etc. near the Time Capsule and/or your computer(s)
    Avoid metal surfaces near the Time Capsule and/or your computers
    Elevate the Time Capsule as much as possible. Think of it as a water sprinkler....you want to get the room as wet as possible
    Experiment with different wireless channels on the Time Capsule. To do this:
    Open AirPort Utility
    Click on the Time Capsule
    Click Edit
    Click the Wireless tab
    Click Wireless Options
    Start with Channel 11 on the 2.4 GHz band and work your way down
    It is unlikely that you are picking up interference on the 5 GHz band since there are.....for now at least.....far fewer networks using this frequency.

  • How to enter a new Date and Time each day in a Numbers Spreadsheet...

    Hi... I have finally decided to move away from Excel and really give Numbers a shot... I have an application where each day I first enter the current date and time into a particular cell of a new row and then I enter some data in cells adjacent (in the same row) as that entered date-time. Then the next day I want to again enter the (new) current date and time and add more data next to that new date-time and so forth day after day... You can't use something as simple as =NOW() because then everyday, ALL of the date-times would change to the current time... Nope, now what I want... I just want to be able to EASILY and QUICKLY enter the current date-time value in one call and then have that specific value stay there forever... In Excel, this is accomplished with the keyboard shortcuts of
    <cntl> followed by a semicolon (;) for the date
    then enter a single space (for separation of date versus time) followed last by
    <command> followed again by a semicolon...
    So all together that is,
    <cntl><;><sp><command><;>
    and that puts something like
    4/10/2010 9:49:00 AM
    in a single cell...
    That's what I now want to be able to do in Numbers...
    How do I do that??? Do I use the menubar item "Insert Date and Time" and if so, how exactly do I get the current time to show up in the chosen cell??? With formatting??? Is there a keyboard shortcut method like the one I mentioned that works for Excel?? I've perused the manual and though I found lots on date-time, I didn't see how to do specifically what I want to do... I likely just missed it as surely it must be easy to do...
    Any feedback would be much appreciated... thanks... bob...

    Badunit wrote:
    The result of running that script is "UI Enabled = TRUE".
    I have cells named by the header values.
    This may be the problem.
    The script is an old one which deciphered only the letter+digit cell references.
    Here is a new version which works with every kind of cell reference.
    --[SCRIPT insertDateTime]
    Enregistrer le script en tant que Script : insertDateTime.scpt
    déplacer l'application créée dans le dossier
    <VolumeDeDémarrage>:Users:<votreCompte>:Library:Scripts:Applications:Numbers:
    Il vous faudra peut-être créer le dossier Numbers et peut-être même le dossier Applications.
    Placez le curseur dans la cellule qui doit recevoir la date_heure
    menu Scripts > Numbers > insertDateTime
    La cellule pointée reçoit la date_heure.
    L'aide du Finder explique:
    L'Utilitaire AppleScript permet d'activer le Menu des scripts :
    Ouvrez l'Utilitaire AppleScript situé dans le dossier Applications/AppleScript.
    Cochez la case "Afficher le menu des scripts dans la barre de menus".
    +++++++
    Save the script as a Script : insertDateTime.scpt
    Move the newly created application into the folder:
    <startup Volume>:Users:<yourAccount>:Library:Scripts:Applications:Numbers:
    Maybe you would have to create the folder Numbers and even the folder Applications by yourself.
    Put the cursor in the cell which must receive the date_time.
    menu Scripts > Numbers > insertDateTime
    The pointed cell receives the current date_time.
    The Finder's Help explains:
    To make the Script menu appear:
    Open the AppleScript utility located in Applications/AppleScript.
    Select the "Show Script Menu in menu bar" checkbox.
    Yvan KOENIG (VALLAURIS, France)
    2009/03/01
    2010/04/11 is now able to treat every kind of cell references
    property theApp : "Numbers"
    --=====
    on run
    set {dName, sName, tName, rname, rowNum1, colNum1, rowNum2, colNum2} to my getSelParams()
    my doYourDuty(colNum1, rowNum1, tName, sName, dName)
    end run
    --=====
    on doYourDuty(c, r, t, s, d) (*
    c = columnIndex
    r = rowIndex
    t = table's name
    s = sheet's name
    d = document's name *)
    local cdt
    set cdt to my cleanThisDate(current date) (* the new date_time as a clean date_time *)
    tell application "Numbers" to tell document d to tell sheet s to tell table t
    set value of cell r of column c to cdt as text
    end tell -- application …
    end doYourDuty
    --=====
    on cleanThisDate(dt)
    (* ugly code but once I got date_time with milliseconds so if necessary, I drop them *)
    local l
    set l to my decoupe(dt as text, ":")
    if (count of l) > 3 then set dt to date (my recolle(items 1 thru 3 of l, ":"))
    return dt
    end cleanThisDate
    --=====
    on getSelParams()
    local r_Name, t_Name, s_Name, d_Name, col_Num1, row_Num1, col_Num2, row_Num2
    set {d_Name, s_Name, t_Name, r_Name} to my getSelection()
    if r_Name is missing value then
    if my parleAnglais() then
    error "No selected cells"
    else
    error "Il n'y a pas de cellule sélectionnée !"
    end if
    end if
    set two_Names to my decoupe(r_Name, ":")
    set {row_Num1, col_Num1} to my decipher(item 1 of two_Names, d_Name, s_Name, t_Name)
    if item 2 of two_Names = item 1 of two_Names then
    set {row_Num2, col_Num2} to {row_Num1, col_Num1}
    else
    set {row_Num2, col_Num2} to my decipher(item 2 of two_Names, d_Name, s_Name, t_Name)
    end if
    return {d_Name, s_Name, t_Name, r_Name, row_Num1, col_Num1, row_Num2, col_Num2}
    end getSelParams
    --=====
    set {rowNumber, columnNumber} to my decipher(cellRef,docName,sheetName,tableName)
    apply to named row or named column !
    on decipher(n, d, s, t)
    tell application "Numbers" to tell document d to tell sheet s to tell table t to return {address of row of cell n, address of column of cell n}
    end decipher
    --=====
    set { d_Name, s_Name, t_Name, r_Name} to my getSelection()
    on getSelection()
    local _, theRange, theTable, theSheet, theDoc, errMsg, errNum
    tell application "Numbers" to tell document 1
    repeat with i from 1 to the count of sheets
    tell sheet i
    set x to the count of tables
    if x > 0 then
    repeat with y from 1 to x
    try
    (selection range of table y) as text
    on error errMsg number errNum
    set {_, theRange, _, theTable, _, theSheet, _, theDoc} to my decoupe(errMsg, quote)
    return {theDoc, theSheet, theTable, theRange}
    end try
    end repeat -- y
    end if -- x>0
    end tell -- sheet
    end repeat -- i
    end tell -- document
    return {missing value, missing value, missing value, missing value}
    end getSelection
    --=====
    on decoupe(t, d)
    local l
    set AppleScript's text item delimiters to d
    set l to text items of t
    set AppleScript's text item delimiters to ""
    return l
    end decoupe
    --=====
    on parleAnglais()
    local z
    try
    tell application theApp to set z to localized string "Cancel"
    on error
    set z to "Cancel"
    end try
    return (z is not "Annuler")
    end parleAnglais
    --=====
    --[/SCRIPT]
    It's available on my idisk :
    <http://public.me.com/koenigyvan>
    Download :
    For_iWork:iWork '09:for_Numbers09:insertDateTime.zip
    Yvan KOENIG (VALLAURIS, France) dimanche 11 avril 2010 14:16:41

  • I have several recuring alarms set up on my calendar for each day of the week. In the past few weeks, an alarm will occasionaly notify me roughly 15 minutes to an hour and a half late. These daily alarms are identical and repeat every day.

    I have several recuring alarms set up on iCal for each day of the week. In the past few weeks, an alarm will occasionaly notify me roughly 15 minutes to an hour and a half late. These daily alarms are identical and repeat every day and there seems to be no apparent pattern to why or when an alarm happens after the event is past.

    I assume you meant iCal rather than iTunes? Yes, iCal the time zone is correct. The delayed alarms only happen sporadically. Since I posted this message, the problem stopped happening every day at the same time, but it still happens occasionally with no rhyme or reason as to when. It's gotten so that I can't depend on my iCal alarms anymore.

  • Is there a way to view earlier messages in a thread without going through each day? Also, can you make a photo album from the same text thread without going back to the beginning?

    Is there a way to view earlier messages in a thread without going through each day? Also, can you make a photo album from the same text thread without going back to the beginning?

    Turn Settings > General > Accessibility > Zoom to ON.

  • What organizer app has a really good WEEK VIEW like my Palm Pilot - it's a grid with days across the top.  Below each day- the day is divided into hourly grids.  When events are schdeuled across  week - you get a mosaic of time blocks.  Analogue - great

    What organizer app has a really good WEEK VIEW like my Palm Pilot - it's a grid with days across the top.  Below each day- the day
    is divided into hourly grids.  When events are schdeuled across  week - you get a mosaic of time blocks.  Analogue view is  great way
    to comprehend the time obligations as a molar pattern.
    thx,
    Fritz

    I use Week Cal on the iPod.  I think it was only $1.99.  It is a lot better and does a lot more than the one that came with the Palm Pilot.
    As you know, unlike the Palm Pilot, the iPod does not come with a desktop application that you can sync your iPod calendar to.  Since I don't use Outlook, I have to use a Cloud based calendar to sync with my PC.  I use Hotmail's calendar for that.  (If your computer is a MAC, you can use iCal)

Maybe you are looking for

  • Assign a transaction code to a Quickview in SE93

    Hi, I created a quickview using t-code SQVI. I want to assign this quickview to a transaction code using t-code SE93. In SE93, I maintained: Name of screen field: D_SREPOVARI-REPORTTYPE   Value: AQ Name of screen field: D_SREPOVARI-REPORT  Value: ???

  • How to create a link to a unix document in interactive report??

    on the same UNIX server where APEX 4.2 is installed I have a directory with pdf documents - /d01/apex/docs/mydoc.pdf for example. How can I create a link in APEX interactive report to point to the document and allow users to view or download on their

  • Corrupt movie file

    After editing a movie for several weeks, I did something which hanged iMovie -- I think it was an undo. I had to force quit the app, but figured I could go back to the last saved version. When I go to open up the file in iMovie, the iMovie applicatio

  • MacBook Pro power drains in 10 minutes.

    I bought my MacBook Pro in Aug 2011. Most of the times it is connected to the AC adapter and I rarely used the battery. Recently in an attempt to examine the battery health, I discovered that its battery could only last around 10 minutes. The power d

  • Is the iPad 2 charger the same as the charger for the original iPhone?

    My understanding is that the charger that comes with the iPad 2 is more powerful and will charge the iPad 2 more quickly than will the charger that comes with the iPhone 4. However, the iPad 2 charger is the same shape as the charger that came with t