Creating baseline from a project having actual dates

Hi,
I need help urgently :)
I'd like to create a baseline before update my project to be able to indicate previous month current/progress bar as baseline in the Gannt Chart .
1. When creating a new baseline "saving current project" , the baseline bars are NOT exactly same with the current bar for the activities which have already "actual dates" .
2. Baseline is created using "planned dates" which are based on relationships and these dates cannot be changed in an exported excel file.
how can I create OR modify the baseline so that I could have exactly same Current and Baseline bars ?
thanks,
he

Magic Wand:
Your baseline is created perfectly fine. There is a setting you can find under:
Admin > Admin Preferences > Earned Value Tab.
Earned Value Calculation section, there is a drop down arrow. The default selection is:
Budgeted Values with Planned Dates - This displays baseline values with the Planned Start and Planned Finish dates. You just need to toggle it to
Budgeted Values with Current Dates.
This is our standard, as it allows projects to create baselines of previous updates for variance analysis. Planned dates are nice in theory, but way to much work for
99% of planner/schedulers to manage and use properly.
In an enterprise enviroment, users cannot change this 'toggle', so best to pick the 'best one' and ensure users understand the difference between Planned Start, Planned Finish and Start/Finish.
Steve Clements

Similar Messages

  • Error When Creating Entities From Loader Connection In Oracle Data Quality

    I want to create a Loader Connection to an external data source.
    I Logged on the Metabase Manager and created a new loader connection with type as 'Oracle'.
    In the parameters it asked for a TNS Name.I gave the TNS of the external data source to which i want to connect from 'tnsnames.ora' file.
    After that I logged on to ODQ and tried creating an Entity using create entity wizard but ODQ cannot connect to the data source using the above created Loader Connection.
    It shows below failure message:
    Authentication failed. couldn't load library "C:/OraHome_1/oracledq/metabase_server/lib/pkgOracleAdapter/pkgOracleAdapter.dll": could not find specified procedure
    I had my ODQ metabase and ODQ GUI running on Windows.
    Hope i am clear.if i am making mistake in above steps please let me know.
    Waiting for reply.

    Refer to SR 2-5703204

  • BAPI to create Delivery from Sales Order posting EIKP data

    Hi All,
    I'm searching for BAPIs to create a Delivery from Sales Order which I can update/insert data into EIKP table because I am receiving data that it must be saved into ZOLLA and ZOLLB fields (Customs Office: Office of Exit/Entry and Destination for Foreign Trade).
    I tried with BAPI_OUTB_DELIVERY_SAVEREPLICA, BAPI_OUTB_DELIVERY_CREATE_SLS and BAPI_DELIVERYPROCESSING_EXEC but I didn't find structures with these fields.
    Please, I need some help to resolve this issue.
    Thanks in advance.

    Hello Manoj what you have to do to create PO from PR is that
    1) Use   BAPISDORDER_GETDETAILEDLIST (pass sales order number in sales_document table) and then get PR (Purchase requisition number from this BAPI.
    2) Use  BAPI_REQUISITION_GETDETAIL to get PR items
    3) Use BAPI_PO_CREATE1 to craete PO from PR then.
    to create goods movement you can use
    BAPI_GOODSMVT_CREATE
    REWARDS IF USEFUL.

  • Data from 3 tables having latest dates

    Hi,
    Need some help with PL/SQL code, I need to write a code which will get data from 3 tables all with the latest date.
    For a particular ACT_CODE the output of the SQL query should show data having the latest dates from 3 tables, if there is no
    date in the table, it should show the remaining data (think left join will do the trick here)
    Table Names:
    Institution_UPDT aiu
    ASQ_CONTACT ac
    GR_AUTHORIZE gr
    All 3 tables have ACT_Code as common                     
    Column Names
    INSTITUTION_UPDT aiu -- aiu.ACT_CODE,aiu.project_id as proj,aiu.UPDT_TYPE_ID, aiu.USER_ID, aiu.UPDT_DATE
    ASQ_CONTACT ac -- ac.ACT_CODE as contact_code,ac.project_id,ac.first_name, ac.middle_initial,ac.last_
    name,ac.title,ac.status,ac.status_date
    GR_AUTHORIZE gr --gr.ACT_CODE as grad_code,gr.name, gr.title AS grad_title, gr.submit_date
    The date column names are
    ac.status_date,
    aiu.UPDT_DATE and
    gr.submit_date
    Thank you everyone
    appreciate your help
    Jesh

    Hi, Jesh,
    user11095252 wrote:
    That is correct, I want to include all the columns from ASQ_Contacts, Institution_UPDT and GR_AUTHORIZEOh! You want all columns from all three tables, not just ASQ_Contacts. That changes the problem considerably!
    UNION requires that all prongs have the same number of columns, and that the datatypes of the columns match. That's no problem if we just need act_code and a date from each one. If we just need additional columns from one table, it's easy to add literal NULLs to the other prongs to serve as the additional columns. But if we need all (or even several) columns from all three tables, that's no good. So let's revert to your original idea: outer joins.
    I want to display only one row which has the latest date with the most recently updated time (example:mm/dd/yyyy hr:min:sec am/pm)Yes, but what if there is a tie for the most recently updated time?
    In case of a tie, the query below will pick one of the contenders arbitrarily. That may be fine with you (e.g., you may have UNIQUE constraints, making ties impossible). If you need a tie-breaker, yiou can add more columns to the analytic ORDER BY clauses.
    WITH     aiu     AS
         SELECT     institution_updt.*     -- or list columns wanted
         ,     ROW_NUMBER () OVER ( PARTITION BY  act_code
                             ORDER BY        updt_date     DESC
                           ) AS r_num
    FROM     institution_updt
    WHERE     act_code     = :p1_act_code
    AND     project_id     = :p2_project_id
    ,     ac     AS
         SELECT     asq_contact.*          -- or list columns wanted
         ,     ROW_NUMBER () OVER ( PARTITION BY  act_code
                             ORDER BY        status_date     DESC
                           ) AS r_num
    FROM     asq_contact
    WHERE     act_code     = :p1_act_code
    AND     project_id     = :p2_project_id
    ,     gr     AS
         SELECT     gr_authorize.*          -- or list columns wanted
         ,     ROW_NUMBER () OVER ( PARTITION BY  act_code
                             ORDER BY        submit_date     DESC
                           ) AS r_num
    FROM     gr_authorize
    WHERE     act_code     = :p1_act_code
    SELECT     *     -- or list columns wanted
    FROM          aiu
    FULL OUTER JOIN     ac     ON     ac.act_code     = aiu.act_code
                   AND     ac.r_num     = 1
                   AND     aiu.r_num     = 1
    FULL OUTER JOIN     gr     ON     gr.act_code     = NVL (ac.act_code, aiu_act_code)
                   AND     gr.r_num     = 1
    ;That's a lot of code, so there may be typos. If you'd post CREATE TABLE and INSERT statements for a few rows of sample data, I could test it.
    In all places where I said "SELECT *" above, you may want to list the individual columns you want.
    If you do that in the sub-queries, then you don't have to qualify the names with the table name: that's only required when saying "SELECT *" with another column (r_num, in this case).
    It's more likely that you won't want to say "SELECT *" in the main query. The three r_num columns, while essential to the query, are completely useless to your readers, and you might prefer to have just one act_code column, since it will be the same for all tables that have it. But since it may be NULL in any of the tables, you'll have to SELECT it like this:
    SELECT  COALESCE ( aiu.act_code
                     , ac.act_code
                     , gr_act_code
                     )  AS act_codeThe query above will actually work for multiple act_codes. You can change the condidition to something like
    WHERE   act_code IN (&act_code_list)If so, remember to change it in all three sub-queries.

  • Can't Create PDF from Microsoft Projects 2013

    I am trying to PDF a Microsoft Projects 2013 files.  I've tried print PDF and save as PDF but both options give me a pop up window that says "Creating Adobe PDF" with a progress bar displayed with 3 blue bars filled.  I leave it that way for about an hour and nothing happens.  I've tried updating the Adobe Acrobat and Repairing it in the Programs and Features menu.  Any help will be greatly appreciated.  Thank you.

    Thanks for the prompt response.  I don't know how to print-to-file and open the file in Distiller.  The printing as PDF doesn't even work.  It gives me the "Creating PDF" pop up window to which there is no end to. (see photo above)  As for updating to version XI, my colleagues who are running Acrobat X Standard with MS Projects 2013 do not have a problem at all when printing.  I want to avoid upgrading if version X is still usable.  Any other thoughts?

  • Creating tables from a DTD + Handling nested data

    Couple of questions:
    1. Is there a way to automatically create a table which corresponds to a schema/DTD
    2. How well can XSQL handle inserting into an object table with nested tables
    Thanks,
    Karim.

    1.As far as I know the tables must be created manually.
    2.I have a similar problem: while reading from multiple tables into an XML document works fine (using cursors) the opposite (writing to multiple tables) seems difficult, any hints?
    <BLOCKQUOTE><font size="1" face="Verdana, Arial">quote:</font><HR>Originally posted by ah ():
    Couple of questions:
    1. Is there a way to automatically create a table which corresponds to a schema/DTD
    2. How well can XSQL handle inserting into an object table with nested tables
    Thanks,
    Karim.<HR></BLOCKQUOTE>
    null

  • Create line from x-y graph live data

    I am sweeping from -1000V to 1000V I am getting a characteristic
    curve I(V), I need the slope of the middle part of my curve. I can do it on a signal
    graph but not on a x-y graph. I need to do it on the x-y so I won’t loose the
    voltage values.
    Anyone can help me create a line from 2 specific points from a live measurement
    on a x-y graph?
    Gaudier

    Maybe you could do something along the lines of my earlier example. It does a linear regression of all points on an xy graph between two cursors.
    See http://forums.ni.com/ni/board/message?board.id=170&view=by_date_ascending&message.id=280812#M280812 for details.
    LabVIEW Champion . Do more with less code and in less time .

  • Cannot creat idvd from imovie

    pls. assist cannot create idvd from imovie project as it hangs the application on the point of renderring audio files...
    what is whrong had been done whithin imovie project then?

    My personal worst was a 1 hr 50 min video with 14 imported music clips. Took 42 hours to render, but it got there in the end!
    Oh, then 24 hours isn't so bad :-|
    What kind of audio files did you use then? I guess it shouldn't make a difference because iMovie converts them to AIF. What sample rate did they use -- 44.1 or 48 kHz? iMovie should convert them to 48 kHz but I haven't checked how well iMovie behaves with imported audio.
    Maybe iDVD chokes with overlapping audio clips or when resampling them??
    I hope the quality testing of iLife 07 is any better. iMovie 2.1.2 is the last well behaving version!

  • Cannot creat dvd from imovie

    pls. assist cannot create idvd from imovie project as it hangs the application on the point of renderring audio files...
    what is whrong had been done whithin imovie project then?

    I know this is after the fact but apparently apple is very aware of this issue. Here's an informative link:
    http://docs.info.apple.com/article.html?artnum=302988
    (3) G4 PM's/(3) S-Drives/Sony TRV900/Nikons/6FWHD's/PS7/iLife06/FCPHD/DVDSP/etc.   Mac OS X (10.4.8)   My ichatav AIM account is: SDMacuser1 (Please use Text chat prior to video)

  • Create a macro in Excel to capture Data from MS Project

    We have a standard reporting tool which presents data in the format that our Head Office require.  I currently copy/paste data from MS Project into the Excel spreadsheet however I would prefer to set up a macro in the Excel work to get the data from
    the MS Project file however the macro only seems to pick up from the "paste" command.
    Is it possible to set up a macro in Excel to copy data from MS Project?
    M.L. Pate

    Yes, it is possible through VBA coding. Here is a simple:
    http://stackoverflow.com/questions/9347874/how-to-copy-data-from-mpp-file-to-excel-using-macro
    If you have programming/Code related questions, please post your question to the forum for Excel developer
    http://social.msdn.microsoft.com/Forums/en-US/exceldev
    Tony Chen
    TechNet Community Support

  • Create printouts from data submitted in a form.

    Long story short:
    I'm looking to set up a system that automatically creates a document from data submitted in a form. So imagine I type "Jason" in the name field, "Orangutans" in the favorite animal field, and when I click print I'm presented with an A4/Letter document that says "my name is Jason and I love Orangutans" and the background is covered in cute orange apes. Where do I start?
    Long story long:
    I work at a computer store and due to my experience with Adobe products* I've been tasked with creating all the signage in the store. I've been doing all the signs for a year now and now we have a bunch of different signs that need printing every day. The most in-depth and time-consuming ones for me are signs for Trade-In computers. Unlike new computers, the specs are always different based on the particular model we buyback from the client. There are all kinds of fields that are different in each case.
    As it stands, I have an illustrator file with all the information in the right place, and when a computer comes in I take all the specs, fill in the right boxes and unhide the image layer so I get an image of the corresponding model on my document. This takes considerable time, and means the process is specific to me, i.e if I'm not in the store, the computers don't get put up for sale beacuse we can't add a spec/price sheet.
    What I want to do is automate the process so that anyone in the store can make these signs. All they will have to do is fill in a form (online or locally) that asks for model, year, RAM, HDD, etc**. Then when they click submit it returns a completed sign that they can print and put up next to the computer.
    I'm not entirely sure how to accomplish this. I've looked at Adobe's free online FormCreater***, and I like the simple data output that it creates. However, I'm uncertain as to my next steps. I imagine I'll need it to send the results to a computer with blank templates for the Trade-In computers. It would then need to populate the applicable fields and automate all the work I usually do.
    Where should I start? I'm willing to learn anything to get this working.
    Thanks,
    Jason
    *Illustrator, Photoshop, Flash, inDesign
    **Total of ~18 text and 4 image fields need to be changed per sign.
    ***http://www.adobe.com/ca/products/acrobat/form-creator.html

    I'm willing to learn anything to get this working.
    Excellent! Right attitude.
    Where should I start?
    With my favorite "graphics program": FileMaker Pro. (Yep. My favorite graphics-project tool is a relational database program.)
    You see, you've discovered something that graphics people are discovering with increasing frequency all the time: Your project is not a graphics problem. It's a data problem.
    Note how little of your problem has to do with graphics. Emphasis mine:
    ...we have a bunch of different signs that need printing every day.
    the specs are always different based on the particular model
    automate the process so that anyone in the store can make these signs
    All they will have to do is fill in a form (online or locally)
    an image of the corresponding model
    See if this scenario sounds appealing:
    You have on your computer a single file, named TradeIns. You or one of your authorized users doubleClick it. It opens to a nicely organized form that is completely self-explanatory; requires absolutely no training to use.
    It's completely idiot proof. The user doesn't have to know anything about any graphics program. He can't break anything.
    Consistency is maintained because everything that can be automated is. Dependency intelligence is built in. Popup menus limit data entries to legitimate choices (ex: Models). Subsequent data entry choices are automatically filtered based on data already entered (ex: RAM configurations limited to those possible for Model). User prompts and hints (highlighting, event-driven messages, tooltips, data validation, etc.) make sure that all required information is entered.
    When the data entry is done, the user clicks a button labeled Print Preview: A3 Poster. The display automatically changes to a pre-defined A3 formatted layout with all the data graphically styled (Headline, descriptive blurb, bullet list of features, price, etc., etc.), the company logo and contact info in place, and a graphic of the appropriate model appears in the background. The user clicks a button labeled Print Poster. Next to it, by the way, is a button labeled Email Poster To...
    If you want, you can enable up to five people concurrently to access and interact with the solution in their web browsers from anywhere. So the data entry can be performed by staff members who logon (according to access priviledges you define and control down to the individual field level if need be) in the office, from home, or even on their iPhone. Multiple users can enter/edit data at the same time.
    It's 2:00 Tuesday when Customer leaves with his new machine. You clean up his trade-in a little; put it on the display shelf. Pull out your iPhone and take a photo of it. Tap the specs in. The data, including the photo, are simultaneously entered into the database. You lock the door and go home at 5:00, confident that a formatted sales flier of "Just Arrived" trade-ins will be automatically emailed to your mail list before you get home.
    You, having admin priviledges, can add to, alter, elaborate upon the functionality (ex; add an automatic price calculator) anytime you need, with no downtime on the system.
    How difficult, time-consuming is this?
    Once the requirement details are nailed down, and the raw beginning data for populating values lists is provided, an intermediate level FileMaker developer could build the above-described solution and have it up and running, ready for data entry, in less than a day, easy.
    Cost? $500 for one copy of FileMaker Pro Advanced. That's it. (And...*achem*...it's not rented; it's a normal perpetual license.) And with it you can build an unlimited number of other data-driven solutions for your business. You can even bind them as fully-functional standalone applications which you can distribute without royalties.
    Based on what you've described so far, the solution's starting data schema would be very simple:
    Create a new database with three related tables:
    Models
    Trade Ins
    Specs
    The fields for each table would be something like this:
    Models
    Model ID (primary key; text; unique)
    Model Name (text)
    Brand (text)
    Image (container)
    Trade Ins
    Trade In ID (primary key; text; computer's serial number)
    Model ID (foreign key; text; value list)
    Specs
    Spec ID (auto-enter serial number)
    Model ID (foreign key)
    Trade In ID (foreign key)
    Spec Name (value list)
    Description (text)
    You'd have two Layouts (screens): Data Entry and A3 Poster. You could build as many additional Layouts to display whatever combinations of the data you want for as many purposes as you may encounter. Export to PDFs or Excel spreadsheets any time. Build automated reports with live graphs, use conditional formatting, automate with scripts, etc., etc.
    Marvelous program. Every business should have it.
    JET

  • Actual dates from confirmed activities are not rolled up to wbs

    Hi
    In my Business Scenario, I need Project Definition, WBS, and Network
    header to derive dates from activities assigned to them. I indicate the
    Project definition start date and rest of the schedule need to happen
    which is achieved through config i have done
    I have created a project with two WBS and one network attached to
    project definition. 4 activities of the network are attached to these
    WBS
    When I have done the scheduling, the basic dates are properly
    calculated for Project Definition, network header and WBS
    Now I have released the project and started confirming the activities.
    After complete conformation of 1st activity, i have schedule the
    project to see the dates. Now the dates of Project Definition, network
    header and WBS are derived by the activities which are not confirmed.
    Ideally the basic dates of Project Definition, network header and WBS
    are to be derived from activities confirmed and yet to be confirmed the
    way the basic dates are derived before confirmation.
    As a result of this the basic dates are showing wrong dates which are
    derived from unconfirmed activities
    Warm regards,
    Ramakrishna

    Hi,
    This is standard system behaviour.
    Basic dates at WBS level do not change based on activity confirmation. However, actual dates at WBS level  get updated from network activities based on confirmation.
    "Tentative actual start date for WBS element" and "Tentative actual finish date" get updated from activity confirmation in the case of WBS with activities assigned to it.
    This tentative dates can later be transferred as actual dates.
    Basic dates do not get automatically updated based on confirmation of activities
    Muraleedharan.R
    091 9880028904
    [email protected]

  • Photo loss from a project when creating a smart album

    Running Aperture 3.4.3 on iMac with OS X 10.7.5. Photos stored on internal drive. After creating two smart albums based on a date range, one with keywords and one with ratings, some, but not all, of the photos that appeared in the smart albums disappeared from the original projects (each project contains photos from a single day). One of the original projects still notes 454 photos under its thumbnail, but when opened only displays 308 photos. The project path of the photos in the smart album still references the correct project. I tried deleting the smart album but the photos did not immediately reappear in the correct project so I undid the delete. I tried closing and reopening Aperture. I tried system restart. No luck. Reading the Aperture help/manual suggests that the photos should remain in the original project.

    First: Make sure the Browser Filter is set to "Showing All" (or "Unrated or Better") when the Project is selected.

  • Create a visual web part which get data from excel sheet and import it into sql server database in sharepoint 2010 (development)

    Hi,
    I want to create a visual webpart which will read data from excel sheet and import it in to sql server database.(using sharepoint development)
    I want to do it using visual webpart.
    Please help to solve the issue.
    Thanks in advance!
    Regards
    Rajni

    Hi  Rajni,
    Microsoft.Office.Interop.Excel assembly provides class to read excel file data, in your web part solution, reference the assembly, and following blog contains samples about how to read the excel file data,
    and import it to SQL  database.
    1.Create a Visual Web Part Project:Create
    Visual Web Parts in SharePoint 2010
    2.Read the excel workbook by using SPFile class:
    http://alancejacob.blogspot.in/2012/06/read-data-from-excel-file-and-insert-in.html
    http://stackoverflow.com/questions/14496608/read-excel-file-stored-in-sharepoint-document-library
    3.Export the excel workbook to SQL Server:
    http://www.c-sharpcorner.com/UploadFile/99bb20/import-excel-data-to-sql-server-in-Asp-Net/
    Best Regards,
    Eric
    Eric Tao
    TechNet Community Support

  • Report to display (actuals data from one cube and plan from another)

    Hi Gurus,
             I have a requirement in reporting to display actual data from one cube and plan data from a different one.
            The example below might give a clear picture of the requirement.
    rows has key figures and columns = months
    Jan |  Feb |  Mar |  Apr |  May |  Jun  ...   ....
    GrossSales
    Net Sales   
    Now if I run the report for Current month (Apr), then for the months of (Jan, Feb and Mar) i need to get the data from CUBE1   and for the remaining months (Apr thru Dec) from CUBE2.
    Similarly when i run the report next month(may), 
    then (data for Jan, Feb, Mar, Apr  from CUBE1)
    and ( May thru Dec from CUBE2)
    Any suggestions.
    Thanks in Advance
    Kumar

    Hi Henry,
         We alreadey have a multi provider which includes
    FinDat Cube(CUBE1) for actuals and Comm.Goals cube (CUBE2) for plan.
    So you suggest that we have two versions of key figure for actual and plan.
    ie. each KF will have two versions.
    actuals = (version 10, FiscPer<curr.mnth, key figure, acutals cube)
    Plan = (version 20, FiscPer>=curr.mnth, key figure, comm.goals cube)
    eg:
    Jan | Feb | Mar | Apr | May | Jun ...
    GrossSales(Act)
    GrossSlaes(Plan)
    Net Sales(Acutal)
    Net Sales(Plan)
    Correct me if I am wrong.
    the report has a lot of key figures, having two versions for each kf will be confusing.
    the user would like to see
    Jan.....| ...Feb  |..Mar |..Apr.....|  May  | 
    GrossSales   Act Value|Act.V |Act.V| PlanVal|PlanVal|
    Net Sales
    where Act.Value is from CUBE1
             Plan Value is from CUBE2
    Thanks
    Kumar

Maybe you are looking for