SD and MM in Investment Firm

Hi,
Does the financial investment sector ever use Material Management and Sales & Distribution modules? If so can you please tell how these modules are used?
Thank you.

Hi,
Does the financial investment sector ever use Material Management and Sales & Distribution modules? If so can you please tell how these modules are used?
Thank you.

Similar Messages

  • The Program is for an investment firm

    PLEASE HELP!!!
    This program will read in a file, then will do an average for the month or year or will print out a graph for the month or the year.
    Here are the errors and the code:
    InvestUnlimitedDH.java [67:1] No method found matching setData(int,int)
    myUse.setData (21, c);
    ^
    InvestUnlimitedDH.java [71:1] Undefined variable, class, or package name: myUse
    myUse.setData (248, c);
    ^
    InvestUnlimitedDH.java [71:1] Undefined variable, class, or package name: c
    myUse.setData (248, c);
    ^
    InvestUnlimitedDH.java [71:1] Invalid expression statement.
    myUse.setData (248, c);
    ^
    4 errors
    import java.text.DecimalFormat;
    import javax.swing.*;
    import java.util.*;
    import java.awt.*;
    import java.awt.event.*;
    import java.lang.*;
    public class InvestUnlimitedDH
    public static void main (String args [])
    InvestGui myInvest = new InvestGui();
    myInvest.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    class InvestGui extends JFrame implements ActionListener
    JComboBox box;
    JButton button1, button2;
    JRadioButton rbutton1, rbutton2;
    //JTextArea
    //ListText
    public void Invest()
    Container c = getContentPane();
    c.setLayout(new FlowLayout());
    String []names = {"Disney", "Black and Decker", "OutBack Steakhouse"};
    box = new JComboBox (names);
    c.add(box);
    button1 = new JButton ("Chart");
    button2 = new JButton ("Average");
    rbutton1 = new JRadioButton ("Month");
    rbutton2 = new JRadioButton ("Year");
    c.add(button1);
    c.add(button2);
    c.add(rbutton1);
    c.add(rbutton2);
    box.addActionListener(this);
    button1.addActionListener(this);
    button2.addActionListener(this);
    setSize (200, 150);
    setVisible (true);
    public void actionPerformed (ActionEvent event)
    if (event.getSource() == button2)
    if(rbutton1.isSelected())
    int c = box.getSelectedIndex();
    UseDataClass myUse = new UseDataClass();
    myUse.setData (21, c);
    double y = myUse.getAvg();
    else
    myUse.setData (248, c);
    else ;
    class GraphicGui extends JFrame
    public void paint (Graphics g)
    super.paint(g);
    //the outer rectangle
    g.drawRect(30,30,478,350);
    //the y value gridlines
    g.drawLine(30,80,508,80);
    g.drawString("60",15,85);
    g.drawLine(30,130,508,130);
    g.drawString("50",15,135);
    g.drawLine(30,180,508,180);
    g.drawString("40",15,185);
    g.drawLine(30,230,508,230);
    g.drawString("30",15,235);
    g.drawLine(30,280,508,280);
    g.drawString("20",15,285);;
    g.drawLine(30,330,508,330);
    g.drawString("10",15,335);
    //the array holds the data in reverse order - most recent data at top
    //we want to graph oldest to newest (left to right)
    //so array is accessed from the end to zero, i allows us to place data
    //left to right, while reading array from bottom up
    int i = 0;
    for (int count = data.length-1; count >=0; count--)
    //x = position from left always starting 30 pixels out(1.9 is used to
    //spread the data across window
    int x = (int)(30+(i*1.9));
    //380 is the location of the bottom line of rectangle, measure up from
    //380 to determine location of where price should go (5.0 is used to //spread data correctly)
    int y = (int)(380-(data[count]*5.0));
    g.fillOval(x,y, 3, 3);
    i++;
    class DataClass
    //dataList has three rows and 248 columns of doubles
    private static double[][]dataList = new double [3] [100]
    //these are the names of the files that hold the data
    private static String[]fileNames = {"Disney", "Black and Decker", "OutBack Steakhouse"};
    public static double setData()
    try
    for(int index = 0; index < fileNames.length; index++)
    BufferedReader dat = new BufferedReader(new FileReader("a:\\" + fileNames[index]));
    //inner loop will go through 248 times-the length of the file
    for (int count = 0; count < 100; count ++)
    //reads in a string from file and converts to a double and stores in the array
    dataList[index][count] = Double.parseDouble(dat.readLine());
    //close file before opening next file
    dat.close();
    catch(FileNotFoundException e)
    System.out.println(e);
    catch(IOException x)
    System.out.println(x);
    //called by method setData in UseDataClass
    public static double[][]getData()
    return dataList;
    class UseDataClass
    //t = the timeframe and comp = the company
    int t, comp;
    //x = the dataList
    double[][]x = DataClass.getData();
    private double [][]theData;
    //gets the array from the DataClass
    public void setData ()
    theData = DataClass.getData(month, year)
    company number t = time; comp = co;
    setData (int time, int co);
    findMin();
    //this method finds out the smallest number in each array
    void findMin()
    //set minimum = to first value in array
    double min = theData[comp][0];
    for int count = 0; count < theData[comp].length; count ++)
    if (theData[comp][count] < min)
    //found new minimum
    min = theData[index][count];
    public double getAvg()
    month = t * 21;
    year = t * 248
    return result;

    Not exactly sure what is being accomplished, but your problem lies with the setData method (as stated by the trace).
    When calling the method, you are doing myUse.setData(21, c) or myUse.setData(248, c). In both cases, you are passing two arguments (21 and c or 248 and c). However, the method setData() in the UseDataClass is not setup to accept any arguements. You need to do one of the following:
    1) if you want to use the two numbers being passed, you need to change the method to be something like:
    //up top:
    myUse.setData(21,c);
    //within the UseDataClass class:
    setData(int a, int b)
    //then do whatever you want to with the a and b...for instance:
    t = a;
    co = b;
    //now t =21 and co = c
    2) if you don't want to use any of the numbers being passed, then don't pass them:
    //up top:
    myUse.setData();
    //you can just leave the setData() method alone since it is already setup to work without arguements
    3) If you want to switch between the two methods (ie - sometimes pass arguements and sometimes not), you can create another method like the one in the first example.
    here's what I mean:
    class UseDataClass
    public void setData()
    //do what ever you want here without worrying about any values...
    public void setData(int a, int b)
    //now use the a and b values...
    You could then do either:
    myUse.setData();
    or
    myUse.setData(21, c);

  • Nokia 7710 Line1 and Line2 Problem in Firm ware

    Dear Friends ,
    I would like to know you comments on the following issue
    I have Nokia 7710, I had an option Line1 and Line2 on my desktop of Nokia 7710. But now it has disappeared, and now when I gave it to nokia care center for correction the ware not able to solve it. As the mobile is still under warranty period I would like you comments what can I do for it . The customer care say its not possible to get back the option.
    I want to know why this option is kept and if I move to other Country do i require these settings , Is ti true if the firm ware are updated we loose these settings .
    any sound technical background person will reply
    with wishes
    Suneel h.

    I would help if you tell everything you have tried already, otherwise I just keep on suggesting things you know already.
    Have you checked from manage connections ´that USB tab is "ON" ?

  • 20" Cinema display with USB and firewire ports not working

    I have a new 20" display and was wondering why my USB and fire wire ports at the back are not working. I have an external drive that is powered hooked up to the fire wire port and a no powered piano keyboard to a usb port.
    Any help please

    Verify that the display’s USB and FireWire cables are firmly plugged in to the
    computer. Do they show in your profiler?
    Try different ports in the computer.
    Verify that your computer ports are working with other known problem free device.

  • WBS Element vs investment order

    Good Day,
    Please can someone explain the following..................
    I have CO objects a WBS element and an investment order and I have posted budgeted values to these CO Objects.  I have posted actual values to these Co object via the MM and FI-AA module. 
    When I display the budgeted values for the WBS Element and the invesment order for the fields BPJA-WTJHR the vaules are positive.  Once the actual values are posted to the WBS Element and investment order the values are displayed differently on the table COSP-(WTG001-WTG016).
    For the WBS Element the values are dispalyed as negative on table COSP -(WTG001-WTG016) and for the investment order the values are displayed as postive but both values for the different CO objects are expenditure which has occured via the MM and FI-AA modules  Therefore can someone please explain to me why these values are displayed differently yet the budgeted values are displayed the same.
    Your soonest response would be appreciated.
    Kind Regards
    Ropetra

    Hi
    please gop through this notes it may be help full for you...............
    Planning and Budgeting Measures
    Use
    Using this function, you can plan and budget investment measures, even if they are not already assigned to an investment program.
    Integration
    All of the planning and budgeting functions of orders or projects are at your disposal for the corresponding measures. For more information, see the documentation for the R/3 components,  Internal Orders (CO-OM-OPA) and  Project System (PS) .
    Orders or WBS elements that are assigned to investment programs cannot receive their overall budget by means of the budgeting functions in CO and PS, when the Budget distribution indicator is set in the program position to which they are assigned. Instead, they are limited to receiving their overall budget only by means of the budgeting functions in Investment Management.
    Prerequisites
    Certain restrictions apply when an investment program type is entered in the budget profile of an order or WBS element. When this is the case, the order or WBS element cannot receive overall budget unless you assign it (or a higher-level WBS element ) to an investment program position. Until you make this assignment to a program position, the fields for the overall budget and/or annual budget for orders or WBS elements are not ready for input and cannot be changed.
    Activities
    To plan or budget orders, choose Internal orders ® Planning ® Overall values ® Change or Budget ® Original budget ® Change.
    To plan or budget WBS elements, choose Investment projects ® Planning ® Total costs ® Change or Budgeting ® Original budget ® Change.

  • Open Schedules within the firm zone  period

    Hi All
    We have one schedule aggrement for one part in our system and we have different firm zone period  for each suppliers...
    I would like to ask you ; how can we get the list of the fixed schedules (I mean existing schedules within the firm zone period)  based on the Vendor..?
    Thank you

    firm zones can be defined in scheduling agreement..which will reflect in the release

  • Roadmap for SSRS from SQL2012 to SQL2014 and beyond?

    Hi there,
    We are the authors of a web application that has grown over a number of years and serves a lot of corporate clients, each client with a lot of users all authenticating to our single application instance.
    We integrated to SSRS 2008 to provide a mechanism whereby we could publish application reports for the clients to run, but also give them a self service reporting portal and access to reporting tools for the more sophisticated users. This has made us very
    dependent on:
    - SSRS custom authentication, so the users log into our application only once and then are authorized to run reports from SSRS. This took some time to get working, but is serving its purpose well.
    - SSRS Report Manager. We have quite an elaborate folder structure in Report Manager reflecting all of the different clients and the reports they have created for their own use. Again, Report Manager is serving this purpose well. In conjunction with custom
    authentication, we have good control over which users should have access to which reports/folders/functionality.
    - Report Builder. We still have some novice users running Report Builder 1.0, and some more sophisticated users running Report Builder 2012. We have all become familiar with these tools and are quite satisfied with them.
    - Report Models. From the outset, we needed to expose a simple data model to users that they could use for basic reporting with only HTTP access to the site, without all of the security and performance issues of requiring/allowing people to write T-SQL queries.
    Report Models have also been quite suitable for this, albeit with some limitations that have caught us out (such as difficulties doing a LEFT JOIN type query).
    With all the recent upheaval related to Power BI, Power View requiring Silverlight and SharePoint, Report Builder fading into the background, more focus placed on Excel for self-service reporting, and more focus placed on Office 365/Azure, this has left
    us in a bit of a hole.
    Dropping support for Report Models is likely to be the biggest issue for us. We have been using them for many years, and our users have created thousands and thousands of purpose-built reports based on the models. It's not feasible for us as developers to
    painstakingly recreate their reports against some other data source (SSAS tabular model?), and it's going to be a public relations disaster if we have to tell the users they need to throw away all that work they've done building their reports based on
    report models and start again from scratch.
    The way forward for us with Microsoft is not clear at present, and rather than continue to pour money and time into Microsoft BI, we have to consider going with other tools that have a more predictable vision, better backward compatibility, a better migration
    path, and require less investment in bulky platforms that provide little added value but drastically increase the cost of ownership. Azure may be part of this puzzle, but we need to know we can transition into it without throwing away our existing investment
    in reporting.
    If I could write a wishlist of things that would sway us, it would be:
    - Continued support and enhancement for Report Models on both the server side, and the development tooling. Preferably, better support for custom authentication, dynamic security rules in the model perhaps by allowing the model to accept parameters.
    - If not the above, then a simple migration tool or compatibility wrapper to allow us to preserve existing functionality while building upon it with Microsoft Power BI tools.
    - The ability to use Power View, newer visualization tools, self-service reporting, sharing of reports, publishing of reports, scheduling of reports without the need for SharePoint.
    - If not the above, then access to this functionality via Azure so we are not maintaining SharePoint exclusively to provide some reporting capability for our application.
    - The ability to use our application's own authentication mechanism to flow single sign-on authorization through into SSRS. I'm not opposed to using some form of Active Directory or .NET membership here, as long as we can preserve the ability for us to authenticate
    users with their existing usernames and passwords into both our application and SSRS.
    - Continued support and enhancement of Report Builder. I'd be happier paying a per-user subscription fee to keep Report Builder alive than trying to force all our novice users into Excel with clunky add-ins.
    - The ability for users to access summarized data such as that exposed via an SSAS multi-dimensional cube but designing reports using the familiar Report Builder interface over an HTTP connection, with a consistent security mechanism. In particular we use a
    lot of "time intelligence" type dimensions.
    I'm sure Power BI is quite enticing for a new project, but remember that not all of your customers are building a new application from scratch with massive graphic/video/social media or "internet of things" type data volumes. We are simply trying
    to maintain an existing project with modest transactional business data requirements we built with the tools you gave us.
    I would be happy to hear from Riccardo Muti or anyone from the SSRS team for an update on this. I note it's been 9 months since the last SSRS blog post at
    http://blogs.msdn.com/b/sqlrsteamblog/. This makes me worry that the team has either been disbanded, or has been busy working on something that's going to take us by surprise because they haven't put the
    necessary effort into communicating with us.
    I look forward to a response from MS.
    Thanks,
    Michael

    Thank you Michael for taking the time to express your concerns and thoughts.  You have articulated a number of my concerns which l believe like you have not been addressed by Microsoft publicly.
    Whilst l can see considerable benefit in all the work that has been put into Power BI.  The tool still falls short of a number of features and capabilities offered by SSRS.  As such is not a possible alternative for the reports we currently deliver
    or will deliver in the foreseeable future.
    The feedback on connect has been closed therefore l have few options to express my feedback.  In the comments left l can see "Details for the next release are available under NDA through a sales representative."  This is somewhat cryptic
    to me in that l also have no idea how to contact a sales representative or for that matter ensure l contact the correct sales representative.  Based on feedback from a previous clients interaction with other MS sales representative's, its best to ensure
    l speak to the one that knows this product, with sufficient technical knowledge.  Any guidance on how to contact the appropriate sales representative would be very welcome.

  • Investment grant on asset

    Hi all,
    I would like to know how it could be possible to integrate investment grant on a legacy asset.
    I have two kind of assets :
    asset capitalized on a previous fiscal year
    asset capitalized on the current fiscal year
    Integrating investment grant for asset capitalized on a previous fiscal year is not really difficult, I mean, I have to fill the investment grant directly on the takeovers values.
    But, I really don't know how I could integrate the investment grant on a asset capitalized on the current fiscal year. I think I have to create a transaction on the AS92, using a transaction type designed for the investment grant with a asset value date ranged 01.01.2009 to the takeover date.
    Nevertheless, I have an error message when I fill the transaction type defined for the investment grant:
    "Transaction Type I99 cannot be used here"
    T-code AO83 :  I99 - Mouvement type for investment support measure 99
    transaction type groue : 50 - Allocation of investment support
    credit transaction
    capitalize fixed asset
    Consolidation transaction type : F20 (redirecting to the F00)
    Asst hist sheet grp : 50 - Allocation of investment support
    thank you in advance for your reply
    NB

    On SAP OSS, I found out this one :
    https://service.sap.com/sap/support/notes/151687
    Symptom
    You cannot transfer investment support posted manually between the fiscal year start date and date of legacy data transfer for a legacy assets data transfer during the fiscal year.
    If you try to transfer a transaction with transaction type Ixx where xx is an investment support key using Transaction AS91, the error message AA207: "Transaction type Ixx cannot be used here".
    Additional key words
    Cause and prerequisites
    For technical reasons you cannot use transaction types during legacy assets data transfer which were restricted to certain depreciation areas.
    Solution
    The easiest solution is to do without transferring investment support posted in the current year. Neither transfer the investment support to the General Ledger nor to Asset Accounting and post the investment support collectively after completion of legacy assets data transfer with the function "Periodic processing" "Investment grant".
    If you must transfer posted investment support nonetheless, you must do this with another transaction type. To do this proceed as follows:
    1. Copy transaction type 154 and enter asset history sheet group 50 there.
    2. Only enter the asset value date and the new transaction type on the transaction screen when you transfer the transactions with Transaction AS91.
    3. Specify the investment support on the screen "Proportional values" on the right column (values of the current year) in precisely those areas in which a reduction of APC should be carried out according to investment support.
    Since the investment support is not derived from the amount posted with the new transaction type but transferred as an accumulated depreciation, differences may occur in special situations.
    If you want to transfer much investment support this way, first check whether subsequent processing (display in reporting, subsequent retirements and transfers) corresponds to your requirements.
    I tried by copying the transaction type 154.
    But it doesn't works !!
    I have the same error message : Transaction type XXX cannot be used here
    Please help me !!
    Edited by: NBEAUDET on Jul 2, 2009 4:56 PM

  • Help of professionals to increase your income via Money Investment!

    About the company - money management
    Private Fund Management is an international investment company specializing in asset management services. During its long history, it has achieved and occupied a stable position in the financial market and won the confidence of numerous investors from all over the world.
    Private Fund Management’s achievements in statistics:
    •     Today the company’s assets holdings are equal to $3 billion.
    •     Its profits grow at a steady speed of about $40-50 thousand a week.
    •     Currently the company has more than 20,000 customers.
    •     Private Fund Management opens up to 200 new accounts a day.
    •     The size of investments made by its clients varies from $1,000 to $100,000,000.
    What is the reason for the booming development of Private Fund Management? How does this company manage to increase the profits it brings to its customers?
         Professionalism of our staff
    Any company is its staff in the first place. The team of Private Fund Management consists of only top-level professionals - the graduates of the world’s best universities. Every single day they utilize various financial tools in order to sign advantageous contracts, thus ensuring maximum profits for the clients of Private Fund Management.
         Developed corporate culture
    Each person working for Private Fund Management follows the rules that make up the company’s corporate culture, which is based on such key elements such as: ethical behavior, top service quality, and non-stop improvement of services. The process of staffing the company is based upon the principle of creating a team of like-minded people motivated to achieve the best financial results and avoid any risks that assets may be prone to.
    Confidence of our clients
    The main rule of Private Fund Management’s operation is the strict observance of the client’s interests. We aim at achieving stable high profits off the invested means and take the maximum care of the safety and reliability of the capital by means of insuring every single investment.
    Immediate proximity of our offices to the customers in any country of the world
    Private Fund Management pays special attention to the quality and availability of services intended for investors of absolutely different levels. Our investment company collaborates with reliable advertisement agencies in different countries. Due to this fact, any client, no matter the country of origin, gets full informational support from the local partner of Private Fund Management. You can find the contact information provided by our partners at: http://myinvestbusiness.com/about.
    Asset management
    Asset management comprises the management of the client’s funds conducted on the basis of the contract signed by the investor and the management company. An investor transfers his or her powers to the management company, which chooses a professional and effective investment strategy based on the client’s aims and financial capability.
    The traders react to any fluctuations on the financial market by immediately correcting the investment strategy in order to achieve and maintain high profit levels for an investor.
    Asset management for our clients
    •     The reliability of cooperation with a professional investment company.
    •     No restrictions concerning the sum of the initial investment.
    •     Guaranteed profit rate acquired at specified periods of time.
    •     All decisions concerning the management of the acquired profits are made by the investor himself.
    •     The management company works hard to increase the investor’s income since the size of the brokerage received by it depends on the profit acquired by the client.
    Does this investment method suit you?
    Business development
    The main reason for investing money into something is the formation of an additional source of passive income. If a client chooses the right way of investing money, he or she will be able to enjoy a certain degree of freedom in the development of his or her main business. Having a predetermined regular income, you will be able to expand the influence of your company at the market, invest the acquired profits into the development of new solutions and products, and define the prospective growth taking into consideration the peculiar features of your own stabilization fund.
    Personal aims
    By transferring a part of your funds to an asset management company, you will be able to figure out how you are going to use the acquired additional income for your own purposes. This sum used to be just a kind of stabilizer, but now you will be able to spend more money on recreation and unplanned purchases without increasing the size of the supply subtracted from your regular income.
    Increasing the assets
    By increasing the amount of funds transferred to an asset management company by means of acquired profits you will be increasing your own capital. At the same time the money doesn’t just get accumulated – it keeps on working for you. Consequently, the larger is the invested sum, the more profit you get from it.
    The advantages of transferring free funds into asset management
         The ability to build up your own investment business.
         Freedom in the process of designing more ambitious development strategies.
         Guaranteed stability and substantial amount of profits.
         Additional funds that can be used in the realization of one’s personal aims.
         Capital growth and steady increase of the active income.
    The advantages that we offer
    Individual approach and absolutely straight dealing with our clients. We strive towards close long-term business relationships that are able to bring mutual profits to our clients, partners, and ourselves. Guided by the willingness to achieve our common goals, we pay maximum attention to each of our investors. We value long-term relationships with our investors much higher than one-time transactions – that’s why we keep on doing our best to give maximum confidence to our clients and ensure the perfect performance of our liabilities.
    Reliability. We minimize the risks taken by our clients by means of investment diversification and the utilizations of a specific investment strategy. All the investments that we manage get insured at the conditions that guarantee fullest protection of our clients’ interests.
    Blameless reputation. During our history we have signed a lot of profitable contracts. Long years of successful operation at the international market have resulted in the establishment of our company’s blameless reputation based on the professional operation of our staff as well as the highest quality of the provided services.
    Safe Investment Management Conception. Our work is based upon the principles; the effectiveness of which has been tested and proven in practice.
    •     Objective valuation of expectations.
    •     Detailed reports about the achieved results.
    •     Scrupulous risk management.
    •     Full correspondence of our activity to the current legislation.
    •     The willingness to find an appropriate solution for every particular problem.
    •     Creative approach towards the problems experienced by our clients.
    •     Aiming at the establishment of long-term business relationships with our clients.
    The clients working with Private Fund Management should be fully confident of the reliability and the potential profitability of their investment. Our employees will help you choose the most convenient and well-paying investment option for you after picking up the appropriate investment strategy and investment portfolio.
    Investment portfolios
    While choosing the appropriate investment means one will always have to look for the happy medium between two indices: profitability and possible risks. These indices are in direct relation to each other - the bigger is the potential profit, the bigger is the potential risk. It has to be noted that the concept of risk is getting less and less relevant these days since within the past seven years of our operation at the financial market none of our clients have ever received profits lower than those agreed upon during the process of signing the contract. We offer solutions able to help each of our customers to choose the investment means that is the most profitable for him or her in particular.
    What is an investment portfolio?
    An investment portfolio is the combination of assets that you invest your money into. The process of building up an investment portfolio is based upon the process of choosing securities. The main reason for creating a portfolio is pretty simple – if done correctly, it will allow you to supply your set of securities with such investment features (profitability and risk) that cannot be achieved by purchasing only stocks or bonds, for instance. Combination is the only key to creating a good investment portfolio.
         Peculiar features of different investment portfolios
         All investment portfolios are built up in accordance with one of the following strategies:
    •     The strategy aimed at the aggressive capital growth stimulation with high level of risk. Potential annual profitability of this strategy can be estimated at about 35%. This strategy is based upon the utilization of tools with a high level of risk: shares, futures, and options.
    •     The strategy aimed at low-risk investment and intended for steady capital growth (about 22% annually). Stocks can serve as an example of low-risk investment tools.
    By combining high- and low-risk approaches in different proportions, the experts of Private Fund Management develop investment portfolios based on the requirements set by different clients.
    Private Fund Management investment portfolios
    Fixed income
    Risk: zero.
    Liquidity: one week.
    Recommended investment period: 6-12 months
    Expected income: 20-22%.
    “Fixed income” portfolio allows increasing assets slowly but without any risk.
    A “fixed income” portfolio is appropriate for those investors who aim at getting profits higher than those brought by ordinary bank deposits but want to stick to the liquidity and the reliability of bank deposits. The assets in this case will be long-term corporate and municipal bonds turned into hard currency.
    A “fixed income” investment portfolio comprises bonds that are kept until the moment of their purchase – that’s why there is no investment risks associated with this type of portfolio.
    Bond portfolio
    Risk: minimal.
    Liquidity: one week.
    Recommended investment period: 12-18 months.
    Expected income: 22-25%.
    Expected risk: 6%.
    Bond portfolio is a happy medium between a good income level and relatively small investment risk.
    A bond portfolio will allow you to get profits higher than those acquired by means of an average bank deposit. The assets in this case will be corporate, municipal, and state bonds turned into U.S. currency. The peculiar features of this kind of portfolio are: low risk level and high liquidity.
    High profits acquired through the use of this portfolio result from the increase in price of the equities and the steady development of the company - a share in which is purchased by the investor.
    Conservatively balanced portfolio
    Risk: medium.
    Liquidity: 1-2 weeks.
    Recommended investment period: 12-18 months
    Expected income: 25-30%.
    Expected risk: 9%.
    Conservatively balanced portfolio – high profits acquired with a relatively low risk level achieved through asset diversification.
    A client who chooses to invest his money into a conservatively balanced portfolio gets higher profits than a person holding a bond portfolio. In this case the level of risk goes up just a little if compared to a bond portfolio.
    A conservatively balanced portfolio includes the stocks of worldwide companies as well as various bonds. The ratio between these two types of securities is the following: 20% - stocks, 80% - bonds.
    Actively balanced portfolio
    Risk: medium.
    Liquidity: 1-2 weeks.
    Recommended investment period: 12-18 months.
    Expected income: 30-35%.
    Expected risk: 15%.
    Actively balanced portfolio shows the highest levels of expected income but acceptably high levels of expected risk as well.
    An actively balanced portfolio is based on the same principle with the conservatively balanced one. The assets that it offers are also stocks and bonds of worldwide companies. The only thing that makes it different from the previous portfolio is the ratio of stocks to bonds. This ratio for a well-balanced portfolio will vary from 50:50 to 75:25.
    An actively balanced portfolio allows the client to gain profits as big as those acquired through investment into bonds but at the same time reducing the investment risks.
    You can make up your mind about the choice of a certain portfolio with the help of the following table showing the income that you will be able to get through the usage of different investment products.
    Income table
    Our company aims at working in full correspondence with the requirements set by the times that we are living in and supplying its clients with well-paying investment products. The size of the expected income from each of the portfolios is reflected in the following table.
    Sum of investment, $     Period     Profits by portfolio
              With fixed liquidity     Bond     Conservatively balanced     Actively balanced
    10 000     6 months     11 100
         11 250     11 500     11 750
         1 year     12 200
         12 500     13 000     13 500
         3 years     16 600
         17 500     19 000     20 500
         5 years     20 100     22 500     25 000     27 500
    50 000     6 months     55 500
         56 250     57 500     58 750
         1 year     61 000
         62 500     65 000     67 500
         3 years     83 000
         87 500     95 000     102 500
         5 years     105 000     112 500     125 000     137 500
    100 000     6 months     111 000
         112 500     115 000     117 500
         1 year     122 000
         125 000     130 000     135 000
         3 years     166 000
         175 000     190 000     205 000
         5 years     210 000     225 000     250 000     275 000
    500 000     6 months     555 000
         562 500     575 000     587 500
         1 year     610 000
         625 000     650 000     675 000
         3 years     830 000
         875 000     950 000     1 025 000
         5 years     1 050 000     1 125 000     1 250 000     1 375 000
    1 000 000     6 months     1 110 000
         1 125 000     1 150 000     1 175 000
         1 year     1 220 000
         1 250 000     1 300 000     1 350 000
         3 years     1 660 000
         1 750 000     1 900 000     2 050 000
         5 years     2 100 000     2 250 000     2 500 000     2 750 000
    Investment insurance
    We are fully aware of the fact that most investors are afraid of bankruptcy and shutdown of their asset management company. In order to protect the rights and legal interests of our investors, and to stimulate confidence in our company and attract new investments, we offer our clients to insure the full sum of their investments (including the interest) in an international insurance agency.
    Which investments can be insured?
    A client of our company can insure the money (no matter the sum or the currency) put into an investment account at Private Fund Management by any natural or legal person. The interest gets insured only if it has been added to the main body of the investment in accordance with the terms of the contract.
    What should you know about the replacement of capital?
    This is how the insurance system works: in case of Private Fund Management’s shutdown or loss of investment license, all of its investors get fixed capital replacements. In accordance with the investment insurance law, the repaid sum should be equal to 100% of the invested one.
    Replacement of invested capital is made in the currency, which the client was using to open his or her investment account. The investor may choose to get the replaced sum in cash or via wire transfer.
    Conclusion
    During the past few years, the staff of Private Fund Management has managed to reach the heights that numerous enterprises with much longer history are still dreaming of. They have established a successful company aiming at saving and increasing the clients’ capital.
    In our work we strive towards perfection and blameless reputation. And now we can already say that Private Fund Management is a full-service management company that can be considered a highly effective financial market guide and the provider of profitable financial solutions for its clients.
    The staff of Private Fund Management will help you choose the most profitable and convenient investment option through picking out an appropriate investment strategy and building up an appropriate investment portfolio. Test it yourself. We will be happy to work with you!
    Contact us
         The representatives of Private Fund Management team will be happy to answer all your questions by phone at:
    USA/Canada + 16462332071
    UK + 442081332017
         We guarantee to respond to any letters sent to: [email protected]
         You will be able to find additional information about our company and the services that it offers at: http://www.my-investment.com

    The limit imposed by Facebook has been a moving target.  It has not been that long since the limit was 200 (it is now 1000).  You do not say what version of Aperture and OSX you are using, but if not the latest, it is possible that the change in limit by FB has not been updated, and may not be updated in earlier verions?
    I can't say for sure, as I seldom put more than 20 photos in any one album.  I don't have any friends that I would expect to plow thru 1000, or even 200.
    Ernie

  • Tune up and upgrade or buy new?

    I have a iBook G4. It is starting to show wear and age. It needs a new battery (doesn't hold any charge)and a new power cord (fraying at the barrel). I have very little memory left and it runs very slow at times.
    I was thinking of buying a new battery, power cord, and upgrading the RAM (current 512MB) and then possibly buying an external hard drive. Would this be a wise investment? Or should I retire this and look into investing into a new computer?

    running my Ibook cooler
    after owning my Ibook for more than one year, I finally figured out how to keep it cool and not overheating, which it would make the screen flicker and go blank, first of all I removed the bottom cover and drilled many holes in patterns including on the metal shield, this made a big improvement, I can feel the heat coming from the holes, but still not good enough, because I wanted to play /record Quick time movies and the system would heat quickly within 20 minutes and using a fan underneath,
    I did some search and found G4fan control, http://www.andreafabrizi.it/?g4fancontrol:download
    installed it and, I reset the defaults temp @ 130 and no more trouble as the matter of fact I have been recording audio with it while the temperature in the room was near 90 and the the graphic chip sensor never reached above 125 I have been recording for 3 days straight, how about that.
    I also installed an Audio recording Jack so that I can transfer my audio cassettes.
    Thanks for reading
    Sigi

  • Pro's and Cons 2012 vs 2013 Mac Pro

    I can pick up a new (open box) 2013 Mac Pro for a decent price. This is the base machine, 3.7ghz and 12gb ram.
    I currently have mid-2012 tower model, again the base 3.2ghz and still at 6gb ram. I have upgraded to dual 5770 video cards and a 256gb SSD boot drive.
    Only had the 2012 since February full warranty so I can probably sell the 2012 for about 2/3 of what I will spend on the 2013.
    I will need to get my internal storage moved to an external alternative.
    I use the Mac Pro for both work and personal stuff. Work is a lot of GIS stuff, working with large satellite images, etc. I do need to run a fair bit of Win software via Parallels for the GIS work.
    Personal is weekend shooting video and photo, FCPX and Aperture my main tools there.
    Question: is this a good upgrade or should I wait out things with my perfectly fine 2012 machine, let the dust continue to settle on the new model.
    I got the 2012 at a really good price, however ever since buying it I wish I had got the 2013. Now that the chance is back I am eager to jump.
    Sorry to ask such a basic question but didn't see a lot of recent discussions on this topic. TIA

    Barefeats.com results and reports on performance and issues with 6,1 "nMP" at www.macperformanceguide.com
    You have to factor in the huge cost of moving to Thunderbolt storage for little in return. Issues with 3 displays, with buggy Adobe and Apple drivers and support still in graphics department.
    The 2012 can do a lot more and still more new than old- you can't put in anthing other than $1,000 SSD or $1,000 D700's in an nMP, and you are better off with an OWC 8-core cpu upgrade on the nMP as well.
    The cost of 4 x 8GB DDR3 in the "oMP" is acceptable as are price of even a 1TB EVO SSD along with the cost of a PCIe SSD controller (just not OWC or Sonnet Tempo Pro models maybe).
    I don't think it would be totally pouring good money into old tech. That is the think with Xeon and Mac Pro. There are niche users in some areas that totally benefit from a new nMP. 
    Not sure if Snow Leopard is safer more stable or reliable vs Mavericks but have all the apps and bugs and drivers asnd support caught up to 10.9.3 now?
    So you do have 2008 along with 2012 to ease the pain cost of nMP and having to invest in some Thunderbolt expansion that you will have to weigh the benefits of.
    Get and wait for 2nd generation. SSDs are never a lost cause. Some is just the cost of owning and staying current. I have poured as needed into my Mac Pro but it runs better now than ever in the past, and just put some new EVO SSD, the 500GB $250 is chump change and is so much nicer than the smaller and older SSDs I have also bought and grown out of over the years. Cost of doing business, new tires and whatever and now used for backup and spare.

  • Data and Images in Aperture are a mess

    I just bought and started using Aperture, as I was hoping to get a better way to organize my images vs. iPhoto.  However, I'm not sure what is happening in Aperture, but everything is out of whack.  For example:
    1) Aperture is not sorting the images correctly by date (see iPhoto vs. Aperture) (not sure what its doing actually)
    Order in iPhoto (correct):  https://www.evernote.com/shard/s15/sh/8c59344a-ad63-46f5-8a88-010016374bfa/75c42 3a7f3ee54dfec6e89f7c72c0f23
    Order in Aperture (not correct):  https://www.evernote.com/shard/s15/sh/81c58b92-1307-4932-b224-b652966ea60a/74d37 ba969f0897719c48a7826f0e30a
    2) Aperture is showing the wrong images for various photos.  Note:  Clearly these photos are broken, stretched, just plain wrong
    https://www.evernote.com/shard/s15/sh/81c58b92-1307-4932-b224-b652966ea60a/74d37 ba969f0897719c48a7826f0e30a
    3) Aperture is showing a different photo when the thumbnail is clicked
    https://www.evernote.com/shard/s15/sh/8205f754-1c20-48b7-a2ac-e1967563b0d3/374e4 0a22028e21b78adae7f9e794d68
    Note:  This is the first photo shown in iPhoto, and is the correct photo in iPhoto, but its not in Aperture per the Thumbnail.
    4) Aperture is showing the wrong date information
    https://www.evernote.com/shard/s15/sh/c1ca65a4-7276-4734-b3a2-51fd803df86b/a2bd7 61f93844b38fcae0a4243eb4e39
    Basically, nothing in Aperture is showing correctly.  How can that be possible?  Any suggestions?

    What is your Aperture version? If you just bought it, it will probably be Aperture 3.5.1, but then your profile signature " Mac OS X (10.5.6)" could not be right?
    Looking at the examples you posted, it looks to me, like Aperture's sorting by date is correct - at least the images are ordered by the numbers in the file names, and that strongly suggests, that the capture time in the exif tags is in that order.  I don't know any camera that would name the image files with sequence numbers other than ordered by capture time. Then iPhotos order would be out of sequence with respect to the capture time. Or have you adjusted the  "Dare & Time" in iphoto to deviate from the capture times? How did you transfer the photos from iPhoto to Aperture?
    Regards
    Léonie
    If the thumbnails do not correspond to the actual image files, then rebuild the thumbnails of your photos in that project. Select all images in Aperture in the Browser, go to the "Photos" menu in the main menu bar,  and use the command "generate Thumbnails".
    After that, you should be better able to judge the ordering of the photos from the thumbnails in the browser.
    If receating the thumbnails does not suffice, repair your Aperture libry, and if necessary, rebuild it.
    Hold down the ⌥⌘-keys while launching Aperture, and keep holding them firmly, until you see the Aperture Library First Aid panel. Select "repair database"

  • Another User Frustrated and the Disappointed

    I am currently a producer for the NBA and a former segment director on ABC's Jimmy Kimmel Live. I started editing on 3/4" U-matic video tape years ago and now work with tapeless acquisition formats such as RED, the Canon MK II, and Sony XDCAM cameras.  I do not currently have nor have I EVER had ANY problems adapting to new technologies and new directions in my field of work. The ability to adapt to changes in the industry keeps you competitive and insures you won't be left behind.
    That being said,  I am extremely worried about Apple and their dedication to its pro users.  I have been a loyal Apple user since Mac OS System 6. Sacrificing functionality for simplicity is not always a good thing.  Over the past two decades Microsoft Windows has been known solely as a creature of function, and a very frustrating one at that. I fell in love with Apple because they have always strived to achieve perfect harmony in the marriage of form WITH function.  Their products were simple and powerful.  Final Cut Pro X marks a defined shift in Apple's priorities (though when you look at Apple's history, this has been coming for a while).  It is now very clear that Apple wants to be a consumer products company.  It's probably a matter of time until the Mac OS and the iOS merge.  Mac OS X Lion will be the first step towards that transition.
    Fox Sports and the NBA invested in multiple Mac Pros and Final Cut Studio suites powered by Final Cut servers.  After Apple discontinued their servers, we all began to worry about Apple's dedication to their professional customers.  Final Cut X is another step towards Apple abandoning the very user base that helped keep them alive for 20 years. Fox Sports and the NBA will more than likely cease using Final Cut due to the lack of professional features in Final Cut X and the discontinuation of their media server. This has nothing to do with learning a new, modern system and everything to do with Final Cut X being a subpar product absent of the tools we need to GET THE JOB DONE.
    The following timeline was pulled from a post from another user.  I share his sentiments:
    The real tragedy here is if Apple thinks all the anger over FCP X is just about that particular software, and not the growing fear over the last few years that pro apps and gear are a fading priority for Apple. For instance:
    * It took almost 2.5 years to go from Final Cut Studio 2 to Final Cut Studio 3, and Final Cut Studio 3 was just a moderate update. Then it took almost another 2 full years to introduce Final Cut Pro X, which removed important tools and features that post houses require to function in this industry.
    * Apple bought Shake, and then cancelled it almost immediately.  Apple told us all that there would be a next-generation app coming in Shake's place, but that never showed up.
    * Apple started letting Logic atrophy.
    * Apple "phoned-in" the last few Mac Pro updates, just slapping in some new Intel chips, but not adding value such as 1) more expansion slots (three slots is not a lot for a workstation), and 2) never bothering to include an eSATA port, even though tons of media professionals started using eSATA, 3) never bothering to include a USB3 port, etc. etc. Many people are wondering if the new Thunderbolt port will be Apple's excuse to give up on the Mac Pro altogether.  This is a real possibility.
    * Apple stopped updating its "Pro" page almost two years ago, here: [url]http://www.apple.com/pro/[/url]
    * Apple stopped attending NAB, and other standard industry events.
    * Multiple rumors that Apple was trying to sell its Pro Apps division.
    People have spent a lot of time and money building their businesses and careers around FCP. But since the iPhone launched, FCP and other pro apps and gear have gotten noticeably less attention.
    That makes a lot of people nervous, and left to wonder what Apple's intentions are. You really can't help but wonder because Apple is so ridiculously silent about its intentions, which works fine on the consumer side but not when people are investing tens of thousands of dollars in apps and gear around Apple.
    Combine that with Apple shipping a new version of Final Cut that is so radically different and so underpowered, and also discontinuing sales for FCS 3 suites and FCP Server (with no explanation about Server's demise or any intentions on bringing back multi-user functionality) and you can see how the dam finally burst in the Pro community and the angry flood waters rushed in.
    Apple better start communicating better with its pro customers, and re-assuring them that it's committed to professional work in this new era of the iPhone/iPad. Otherwise, a lot of people will be heading for the doors.

    Hello Derek,
    I'm a Graphic and Web designer, but have on ocassion have had to do some video work for clients, and had a passing interest in what Apple was going to do with FCP. And then the 'Net exploded in Pro Rage.
    But this is a kind of disturbingly familiar to me. The Design cimmunity had been feeling marginalized by Apples' full blown pursuit of the consumer market for a while. We've been put in the position of where a Mac Pro is TOO much, and often too costly for a small studio or freelancer, and the iMac is not flexible or expandable enough. Tho' they are now positioning the iMac as the "Mac Pro for the rest of us."
    But I frakkin' cringe every timeI I hear the word "magical" come out the mouth of an Apple exec.
    In the early 90's Apple virtually INVENTED "Desktop Publishing" with the Mac SE, Pagemaker, Postscript and the LaserWriter which changed literally everything in Publishing and Design... forever. They have since seemed to lose all interest in the industry they essentially created. Apple's attention seems to be fully consumed with the users of iThings, but hey, I work for a living.
    a Pro Editor's take on FCP X:
    "...these aren’t omissions. They’re mistakes. They’re conscious, deliberate choices Apple made and got wrong. And as long as FCP X shows you all your bins all the time, and as long as FCP X doesn’t have the concept of tracks in the timeline, it’s going to be literally unusable in commercial post." - Jeffery Harrell
    http://jefferyharrell.tumblr.com/post/6830049685/what-went-wrong-with-final-cut- pro-x
    It's very insightful, specific and worth a read.
    Over the years, I have generally preferred the Mac as a platform. It's a more elegant and less maintenance-intensive user experience and (for the most part) gets out of my way and lets me work. With Apple's current relentless pursuit of the "consumer computing" market, they seem to have lost interest in the professional market. But who's creating the apps and content for users to "consume?" The Mac Pro is now the last in the upgrade cycle, and last years update was dissapointing for the lack of Pro level capabilities that were highly desired in the professional community. I recall when Mac towers were first to get the shiny. While they are still certainly heavy metal, and priced to match, they are no longer awesome. They are not the dominant machines the G4 and G5 towers were, and you can now purchase workstation class Xeon machines on the PC side from several makers
    I certainly can't do pre-press or serious web design on an iPad, appealing little slab of electric crack it may be.
    "Final Cut Pro X review: Apple will happily **** off 5,000 professionals to please 5,000,000 amateurs." - Daniel Jalkut, on Twitter (via Daring Fireball)
    Pretty much sums up where Apple's seems to be. It's not the specific problems of FCP X that worries me, it's Apple's ATTITUDE. And illuminates why at times I feel Apple doesn't always have my interests as a Creative Pro at heart. At one time we were Apple's core and most loyal market, but I increasingly feel dismissed by Apple. Apple kicked the Design community to the curb years ago. And they antagonize Adobe at our professional peril. I literally live and die by Adobe's Design apps, without them I am literally irrelevant in the publishing world.
    But Apple is so frustratingly close mouthed about EVERYTHNG, that it's particularly hellish to try to plan for one's professional needs.
    I feel your pain.

  • T61p and 1920x1080 via VGA?

    I have Thinkpad T61p (6457-CT0) with NVIDIA Quadro FX 570M and internal LCD with 1680x1050 running on XP SP3, and now I bought Samsung SM2333HD 23” external LCD monitor with 1920x1080 (HDTV) resolution and I want to use dual view (int. 1680x1050 + ext.  1920x1080). The problem is when I connect ext. monitor via VGA with 1920x1080 - picture on ext. monitor is cropped from left, smaller and positioned beyond borders of visible area. Picture adjustments aren’t helping at all. When I lower resolution to 1680x1050 it is ok, but the image is blurry because it’s not native resolution of ext. monitor, so I don’t want to use it. When I try only ext. monitor with 1920x1080 with disabled internal LCD, there is still the same problem, and on 1680x1050 picture is ok, but blurry. Resolutions higher than 1920x1080 are not possible in Display Properties/Settings/Screen Resolution settings or in NVIDIA Control Panel.
    I have borrowed Thinkpad Advanced Mini Dock with VGA and DVI output, and when I use DVI to connect ext. monitor, everything works fine and picture is ok, but via VGA on docking there is the same problem.
    I have latest drivers for NVIDIA Quadro FX 570M from Lenovo 6.14.11.7715 (2009-01-08), and latest IBM Presentation Director 4.03 (2009-02-12), but I have also tried with older drivers and Presentation Director, but it’s all the same, only picture is differently cropped, smaller or wider. Also, strange thing is when I, , try to make a new Display Scheme in IBM Presentation Director on internal LCD + ext. monitor via VGA, it offers max. resolution of 1680x1050, which is not the case with DVI.
    Just to be sure, I connected T61p via VGA to LG 32” full HD LCD TV, the picture has identical problems, so it’s not up to monitor. I have also tried to connect HP 6710b laptop via VGA to same Samsung SM233HD monitor and there are no problems, it can produce 1920x1080 with clear picture. I have also connected T61p via VGA to Lenovo L220x monitor, and now Display Properties/Settings/Screen Resolution settings (other than 1680x1050) offer 1920x1080 and 1920x1200 resolutions. When I set 1920x1080 the problem is identical, but when I select 1920x1200, picture is ok.
    So my conclusion is that T61p is not capable of producing 1920x1080 via VGA correctly, although it can produce 1680x1050 and 1920x1200. The main difference is that 1680x1050 and 1920x1200 are 16:10, but 1920x1080 is 16:9, so I am guessing that VGA output on T61p has problems with 16:9? Or is there problem with sending analog signal via VGA when it exceeds internal LCD native resolution (1680x1050) only for some resolutions? I have tried searching Internet and forums, but there are no answers. Maybe it is the problem when internal LCD is 16:10 and external monitor via VGA is 16:9 and I use dual view? I think there should be no problems with Quadro FX 570M and I don’t want to buy Thinkpad Advanced Mini Dock just because 1920x1080 only works with my monitor via DVI which is present on casing of T61p (and because it’s firm’s laptop, not mine). Do you have any suggestions what is wrong with graphics adapter, drivers or VGA output or how can I solve it?
    Solved!
    Go to Solution.

    Through NVIDIA Control Panel, which you should have if you installed drivers.. You can get it via Display Properties -> Settings tab -> Advanced button -> Quadro FX 570M tab -> Start the NVIDIA Control Panel.
    In NVIDIA Control Panel on the left side in the tree select Display, Manage custom resolutions, select external display on the right and click Create...
    In the Custom Resolutions window click on Advanced >> and (in Back-end parameters section) in Timing Standard select Manual. You'll be able to enter (in Advance Refresh Rate Parameters) under Desired refresh rate value from 59.500 to 60.499. I have tried 59.500 and it worked... You can also try to change other settings, if you understand the meaning. There is a Test button in the upper right corner.
    Hope it helps...

  • Capitalization of an investment order/project - Original cost elements

    Hi all,
    I do have a question concerning the capitalization of an investment order/investment project onto an asset under construction (AuC).
    I have configured the system in a way, using capitalization key and capitalization versions, that I can capitalize 100 % of the costs within the IFRS depreciation area to the AuC and 0 % of the costs within my local gaap depreciation area to the AuC.
    Instead of capitalizing the costs within the local gaap depreciation area, the cost are booked to the u201CAccount for capitalization differences/nonoperating expensesu201D.
    With the settlement of the investment order/investment project to the AuC the original cost accounts/cost elements (shared between IFRS and local gaap) are credited and the AuC is debited for the IFRS deprecation area and the u201CAccount for capitalization differences/nonoperating expensesu201D is debited for the local gaap depreciation area.
    My problem is, that I do not want to have the costs for my local gaap P&L on the u201CAccount for capitalization differences/nonoperating expensesu201D, I do want to have them instead on the corresponding local gaap cost accounts/cost elements to  the original shared cost accounts/cost elements within FI and CO. 
    Is there any possibility to do this within SAP Standard?
    (If possible the solution should also work within New GL, using multiple ledgers for parallel accounting instead of different account)
    Thank you!
    Regards

    Hi Prad,
    I am on 4.6C/D.
    Please check on your settings for Capitalization of AUCs created through Investment Support Measures: -
    1. Go to the IMG, Asset Accounting under Special Valuation and determine the Depreciation Areas you would like your Investment Support Measures to post to.
    2. Still in Special Valuation, define an Investment Support Key and assign it to the relevant depreciation area
    3. Also, define the relevant account determination for such posting under the Special Valuation
    4. Proceed in the same area to define the Transaction type for the Investment Support Measure by changing any of the Standard ones in there in line with your requirements
    5. Now move back to IMG, Asset Accounting then Master Data. Here you go to the screen layout and pick the relevant asset class for AUCs. Get this logical feild group and pick on the item Investment Support. Proceed to define its feild group rule as optional at the required asset maintenance level (Main Asset and/or Sub Level)
    6. Leave the IMG and access the relevant AUC's Master Data from the User Menu. Click the tab Investment Support and insert the Investment Support Key you created in note 2 above
    7. Now capitalise the AUC. Should work

Maybe you are looking for

  • Have 2 or more fill in the blank on one slide

    How is it possible to have 2 or more fill in the blank options in Captivate 8? I have seen posts on here that link to now closed websites.  If anyone could give some advice I would appreciate it hugely. Thanks

  • Library Vanished

    Hi folks, I've just experienced the weirdest thing! My whole library has just vanished (Invisible) It all happened when I went to use the Neat Image 'Plug In' it had to restart A3 in 32-bit and when it did all my images were gone 23,000 The folders s

  • Size and kind of drives for XRAID

    Currently I have a raid with four 400 gig hard drives. I bought my XRAID in the summer of 2005. Serial # is QP525002RS4. I want to add more drives and not sure which kind (PATA or SATA) and what the largest hard drives (1TB or 750 GB or 500 GB) are c

  • Kde 4: good ole right click file association

    Hi, There used to be no problem, until today . Right Click->Open With->Other->Open With Dialog. The Open With Dialog used to present a checkbox Always use this app for this type of file or something to that effect. Now the checkbox's gone. Where to?

  • Rendering on more then one core

    Hi, I've been using mac's for a few years now but until recently I've not had reason to use Motion. now that I have I must say I'm really disappointed in out put. Here's the scenario: I'm using OSX 10.7.4 on a 3.4Ghz i7 iMac with 8GB of ram. so I'd a