Unexpected result on custom URL and drilldown-abled chart

hi, I have a custom URL
saw.dll?PortalGo&PortalPath=/users/administrator/_portal&Path=/shared/test_subject_area/drill_down_bar_chart&Action=Navigate&Options=mdfr&Done=Dashboard&P0=1&P1=eq&P2="tableA$".market&P3="japan"
and drill_down_bar_chart is a bar chart with drill down (market is the topest level)
lets say there are 2 level on the drill down, market and sub-market
(the chart is in the 3rd dashboard page)
I access the chart by the custom url, the bar chart is shown (at this moment, showing the measures per market)
at this moment, if I click "Return"(on the list of "Reports Link"), it returns to 3rd dashboard page, this is expected
however, if I click on one of markets instead of clicking "Return", the measures per sub-markets of market "japan" is shown.
if I click "Return" at this moment, it returns to 1st dashboard page, this is not expected.
how to solve this problem?
thanks you very much

Hello,
Yes, it behaves like you said,
the work around i done is:
written a back button HTML Code in the target report and name the button as return or Back
Code is:
*<INPUT TYPE="button" VALUE="GoBack" onClick="history.go(-1);">*
Paste this code in static or narrative view with * Contains HTML Markup* check box enabled.
Add this view in the bottom of report before your footer and align to left.
save this report and try navigating from first report. But to return use the button we created.
Hope it helps, but not sure your client will accept this or not... :-)
Edited by: Kishore Guggilla on Jul 13, 2009 4:26 PM

Similar Messages

  • How do you connect your photoshop elements on your computer to your account online? and how do you create a customized url? how does the gallery work and how do you access it? i have trouble signing in on my program from my computer to connect to the onli

    how do you connect your photoshop elements on your computer to your account online? and how do you create a customized url? how does the gallery work and how do you access it? i have trouble signing in on my program from my computer to connect to the online photoshop, and I really want to create my own customized url and post photos to my gallery and share them with the world, family, and friends, but i need help because i can't figure how to do any of this, would really appreciate feedback and assistance, thanks, - claire conlon

    To add to sig's reply, "calibrating" does not calibrate Lithiu-Ion batteries, it calibrates the charge reporting circuitry.  If you look at the effect of deep discharging Lithium-Ion batteries in the data from the independent test group, Battery University, you will see that doing so shortens the life of the battery significantly. It looks like an optimum balance between use and life is at a discharge level of 50%.

  • Problem with custom control and focus

    I've a problem with the focus in a custom control that contains a TextField and some custom nodes.
    If i create a form with some of these custom controls i'm not able to navigate through these fields by using the TAB key.
    I've implemented a KeyEvent listener on the custom control and was able to grab the focus and forward it to the embedded TextField by calling requestFocus() on the TextField but the problem is that the TextField won't get rid of the focus anymore. Means if i press TAB the first embedded TextField will get the focus, after pressing TAB again the embedded TextField in the next custom control will get the focus AND the former focused TextField still got the focus!?
    So i'm not able to remove the focus from an embeded TextField.
    Any idea how to do this ?

    Here you go, it contains the control, skin and behavior of the custom control, the css file and a test file that shows the problem...
    control:
    import javafx.scene.control.Control;
    import javafx.scene.control.TextField;
    public class TestInput extends Control {
        private static final String DEFAULT_STYLE_CLASS = "test-input";
        private TextField           textField;
        private int                 id;
        public TestInput(final int ID) {
            super();
            id = ID;
            textField = new TextField();
            init();
        private void init() {
            getStyleClass().add(DEFAULT_STYLE_CLASS);
        public TextField getTextField() {
            return textField;
        @Override protected String getUserAgentStylesheet() {
                return getClass().getResource("testinput.css").toExternalForm();
        @Override public String toString() {
            return "TestInput" + id + ": " + super.toString();
    }skin:
    import com.sun.javafx.scene.control.skin.SkinBase;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.event.EventHandler;
    import javafx.scene.control.TextField;
    import javafx.scene.input.KeyCode;
    import javafx.scene.input.KeyEvent;
    public class TestInputSkin extends SkinBase<TestInput, TestInputBehavior> {
        private TestInput control;
        private TextField textField;
        private boolean   initialized;
        public TestInputSkin(final TestInput CONTROL) {
            super(CONTROL, new TestInputBehavior(CONTROL));
            control     = CONTROL;
            textField   = control.getTextField();
            initialized = false;
            init();
        private void init() {
            initialized = true;
            paint();
        public final void paint() {
            if (!initialized) {
                init();
            getChildren().clear();
            getChildren().addAll(textField);
        @Override public final TestInput getSkinnable() {
            return control;
        @Override public final void dispose() {
            control = null;
    }behavior:
    import com.sun.javafx.scene.control.behavior.BehaviorBase;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.event.EventHandler;
    import javafx.scene.input.KeyCode;
    import javafx.scene.input.KeyEvent;
    public class TestInputBehavior extends BehaviorBase<TestInput> {
        private TestInput control;
        public TestInputBehavior(final TestInput CONTROL) {
            super(CONTROL);
            control = CONTROL;
            control.getTextField().addEventFilter(KeyEvent.KEY_PRESSED, new EventHandler<KeyEvent>() {
                @Override public void handle(final KeyEvent EVENT) {
                    if (KeyEvent.KEY_PRESSED.equals(EVENT.getEventType())) {
                        keyPressed(EVENT);
            control.focusedProperty().addListener(new ChangeListener<Boolean>() {
                @Override public void changed(ObservableValue<? extends Boolean> ov, Boolean wasFocused, Boolean isFocused) {
                    if (isFocused) { isFocused(); } else { lostFocus(); }
        public void isFocused() {
            System.out.println(control.toString() + " got focus");
            control.getTextField().requestFocus();
        public void lostFocus() {
            System.out.println(control.toString() + " lost focus");
        public void keyPressed(KeyEvent EVENT) {
            if (KeyCode.TAB.equals(EVENT.getCode())) {
                control.getScene().getFocusOwner().requestFocus();
    }the css file:
    .test-input {
        -fx-skin: "TestInputSkin";
    }and finally the test app:
    import javafx.application.Application;
    import javafx.scene.Scene;
    import javafx.scene.control.TextField;
    import javafx.scene.layout.GridPane;
    import javafx.stage.Stage;
    public class Test extends Application {
        TestInput input1;
        TestInput input2;
        TestInput input3;
        TextField input4;
        TextField input5;
        TextField input6;
        Scene     scene;
        @Override public void start(final Stage STAGE) {
            setupStage(STAGE, setupScene());
        private Scene setupScene() {
            input1 = new TestInput(1);
            input2 = new TestInput(2);
            input3 = new TestInput(3);
            input4 = new TextField();
            input5 = new TextField();
            input6 = new TextField();
            GridPane pane = new GridPane();
            pane.add(input1, 1, 1);
            pane.add(input2, 1, 2);
            pane.add(input3, 1, 3);
            pane.add(input4, 2, 1);
            pane.add(input5, 2, 2);
            pane.add(input6, 2, 3);
            scene = new Scene(pane);
            return scene;
        private void setupStage(final Stage STAGE, final Scene SCENE) {
            STAGE.setTitle("Test");
            STAGE.setScene(SCENE);
            STAGE.show();
        public static void main(String[] args) {
            launch(args);
    The test app shows three custom controls on the left column and three standard textfields on the right column. If you press TAB you will see what i mean...

  • Application Catalog Site URL Auto Selection Producing Unexpected Results

    Hi All,
    Thank you in advance for the help.
    We have a client with about 90k computers managed by a CAS and four child primary sites. Each of the four primary sites exists in the AN forest and
    has a DMZ remote site system with MP, DP, SUP and AppCatalog Website Roles to support IBCM clients in the AN forest. The AppCatalog WebService Role is hosted on the primary site servers themselves. 
    Additionally we support two remote non-trusted forests, CVGH and QH. We have deployed a single DMZ server in each of the remote forests with MP, DP,
    SUP and AppCatalog Website Roles to support IBCM clients in the remote forests. (There are also Intranet site systems in the CVGH and QH forests supporting these forests’ clients within the primary sites.) 
    All certificates are configured correctly. All authentication is working as expected. Clients in remote forests are able to deploy packages/applications/software
    updates via Computer Policy and User Policy successfully. Each DMZ server has its own Internet published FQDN and is configured for Internet Only client communication via https. 
    Clients within the AN forest connected via the IBCM DMZ servers in the AN forest are provided with the correct Internet facing FQDN for their respective site’s Application
    Catalog and these FQDNs are successfully inserted into the Trusted Sites Zone. For example, a client in the PR1 site that exists in the AN forest is furnished with the FQDN for that site’s AN DMZ remote site system. This results in the Application Catalog
    link in Software Center successfully launching the Application Catalog from the Internet. The user is prompted for credentials from the AN forest and successfully authenticates to the Application Catalog and is able to install software as desired. 
    Clients within a remote non-trusted forest should be furnished with the FQDN of the remote non-trusted forest’s DMZ site system within the PR1 site for example. A client
    in the QH forest which is managed by a DMZ server in the QH forest which is attached to the PR1 site is not, however, furnished with the correct FQDN for the QH forest’s DMZ site system. Instead it receives the FQDN of the AN forest’s DMZ site system. This
    results in user’s attempting to launch the Application Catalog from the link in Software Center and being prompted for authentication against the wrong Application Catalog URL (in the wrong forest) and hence against the wrong forest entirely. 
    If we manually open a browser from a ConfigMgr client computer in the QH forest and open the correct FQDN URL for the QH DMZ site server’s Application Catalog website
    instance from the Internet we are prompted to authenticate against the correct (QH) forest and are able to successfully download applications from the Application Catalog. 
    The issue is that per Technet the QH client should be furnished (or choose I’m not sure) the FQDN of the https: enabled DMZ site server in its forest as its Application
    Catalog Website URL according to the rules of Application Catalog Automatic Site Selection (right?). The clients in our remote forests are not being provided with the correct FQDN for their respective forest’s DMZ site system’s Application Catalog roles or
    are not updating these FQDNs in the Software Center link to the Application Catalog Website. 
    I have closely followed this article for troubleshooting:
    http://blogs.technet.com/b/configmgrteam/archive/2012/07/05/tips-and-tricks-for-deploying-the-application-catalog-in-system-center-2012-configuration-manager.aspx 
    We believe our Default Client Settings are configured correctly as the Application Catalog website configuration is set to auto-detect. There is a higher priority workstation
    only Client Settings that has the same auto-detect configuration for the Application Catalog that we believe is configured correctly as well. 
    We do not believe configuring another Custom Client Setting to hard code a URL for the remote forest would work as it would point Intranet computers to the FQDN for
    the Internet DMZ servers when they should be pointed at the Intranet remote site systems for their respective forests. 
    LocationServices.log and ClientIDManagerStartup.log both fail to indicate any issues that I can identify. Clients are successfully assigned to the correct sites. Clients
    are able to communicate with their respective Management Points in the DMZ. No errors are shown in the Application Catalog websites when they are manually accessed by their correct FQDNs. 
    There are no errors that I have seen in the portal logs for the Application Catalogs. As evidenced by their successful functionality when manually specifying the correct
    site system’s FQDN in a browser we have no reason to believe that there is an issue with the Application Catalog websites themselves just the mechanism by which ConfigMgr clients are furnished with the correct FQDN for their forest and DMZ site system. 
    Again, thank you for your help. Any input is much appreciated. 

    Spoke to CSS. This is expected behavior FYI.

  • Suddenly, my custom url buttons disappeared from the navigation bar and I can no longer add new ones. FF22

    I am using Firefox 22 (I like its features and do not want the features added in later version.) I have added a handful of custom URL buttons to the navigation bar that allow me to go instantly to websites I visit frequently. There was/is a function in Firefox for adding such buttons. This morning, after leaving my computer on all night, I found that the custom buttons had disappeared and I could no longer find the function for adding new ones. Can you tell me what has happened and how I can add custom URL buttons? I will appreciate your help. Thank you.

    I solved my own problem. This function was added by Google Shortcuts, which somehow became disabled. After fussing ariound for a few minutes. I was able to restore it.

  • I want a stamp to write to the file metadata and be able to display the result in windows explorer.

    I want a stamp to write to the file metadata and be able to display the result in windows explorer. I have read PDF Stamp Secrets and can write to Custom Metadata but don't know how to display that custom field in explorer. Can I have the stamp write to a standard (non-custom) metadata field? Or, how do it get the custom field to display in explorer? Windows is pretty stingy with the file details it displays for PDF files, in fact there are no editable fields provided (like are available for Office files).   I want this to work for multiple users hopefully without having to get the IT group involved to make (or allow) system modifications to make this work. Any ideas? Thank you.

    Metadata for Windows Explorer is tagged with different names than the metadata for PDFs. Acrobat cannot copy the metadata to the tagged items of the file header.
    There are tools like EXIFTool that can manipulate the data as necessary. Phil Harvey also provides the details about the file types and their metadata tags and values so you should be able to map the tags that need to be updated.

  • Custom success and failure messages on quiz results slide

    I'm trying to create a custom success and failure message on the quiz results slide, using certain colours in the text caption to reflect our company's brand. So I've added an advanced action on entering the slide so that if the quiz percentage is 80% or more, the success message shows, and the failure message hides. It seems that this should work, but for some reason, only the failure message displays, regardless of whether I fail or pass. Has anyone else tried this with any success?
    Thanks for your help!

    I've changed the retake and continue buttons to image buttons, then added my custom success and failure captions which I've named 'fail_f' and 'pass_f':
    And here is my advanced action on entering the quiz results slide:
    The hide-button, is a white rectangle that I added so that I could place it over the retake button if they passed the quiz successfully. 

  • Can iBooks Author handle custom URL schemes?

    Hi
    I have a native application that displays radiology images. I'd love to have iBooks be able to click on a link that had a custom URL scheme and launch my application. This way you could (for example) have a textbook for different procedures or findings and be able to display the type of study that would result from the procedure.
    When I enter URL with a custom URL scheme iBooks Author prepends a 'http:" to the URL. Is there any way around this?
    I've tried editing an exported iBooks file manually (e.g. in emacs) but the modified ibook doesn't seem to be imported.

    Yes.  I'd love to know the same thing for similar reasons.

  • WORST CUSTOMER SERVICE AND CLIENT SUPPORT OF ANY COMPUTER COMPANY EVER

    i bought the new thinkpad and recd the end of dec 2012. I recoomended it to many in my company and am sorry they all started buying them. We all got the ultra book think pads. My was core 17-quite expensive/4333 SERIES. I bought iT with the warranty. NOTE- WHEN YOU BUY THE THINK PAD - YOU NEED THE EXTRA WARANTY NO ONE TELLS YOU ABOUT -PRO WARRANTY.THE WARANTY YOU GET FOR 3 YEARS IS BOGUS. 
    i USED MY THINK PAD LIGHTLY AND ALWAYS TOOK GOOD CARE OF IT. I PREPARED FOR 6 MONTHS A PROJECT AND HAD IT SAVED TO MY HARD DRIVE BUT NO COPIES. THE MACHINE WENT COMPLETELY DEAD. I PANICKED AS THE INFO WAS NEEDED FOR A MAJOR PRESENTATION I AM MAKING NEXT WEEK. 
    i CALLED LENOVA IMMEDIATELY AND THEY FGAVE ME 5 PHONE NUMBERS SO I CAN BRING IT IN AND HAVE IT SERVICED. IT WAS UNDER WARANTY UNTIL 2015.
    ALL 5 PLACES THEY GAVE DO NOT FIX THE COMPUTERS. I CALLED LENOVO BACK BECAUSE THEY COULD NOT EVEN FIND A DEALER THAT COULD FIX THE MACHINE. I SENT IT TO THEM ON THE 25TH. ON THE 27TH I USED MY CASE NUMBER AND FOUND IT WAS IN REPAIR. I CALLED ON THE 27,28,29,30,1,2,3, I SPOKE TO EVERY DEPARTEMT AND COLLECTIVELY SPENT 30 HOURS OF TIME(YES I WAS HING UP ON, SENT TO WORNG DPARTMENTS, PLACED ON HOLD FOREVER) TRYING TO TRACK MY COMPUTER AND THE PROBLEM. EVERY PERSON SAYS "I AM SORRY, I UNDERSTAND , ETC. THEY DO NOT. I NEEDED TO EITHER RETRIEVE THE INFO FROM THE HARDRIVE OR HAVE IT REPAIRED BEFORE I LEAVE FOR EUROPE IN 2 DAYS FOR A POWER POINT PRESENTATON THAT TOOK 6 MONTHS TO PREPARE AND NO BACK UP. FINALLY I WAS TOLD THE ADAPTER PORT WAS BROKEN AND THE COMPUTER BOARD BURNT OUT AND TO GIVE THEM 950.00 TO FIX A COMPUTER I DID NOT DROP, TAMPER WITH OR BREAK. i USED THE POWER CORD THEY GAVE ME AND CANNOT UNDERSTAND HOW THEY CAN CHARGE ME FOR A COMPUTER THAT IS NEW-WITHOUT A SCRATCH AND UNDER THE WARRANTY THEY SOLD ME. WHY DID I BUY A WARRRANTY?. SHAME ON IBM AND LENOVO. 950.00 . SHAME ON YOU OVER AND OVER.
    I SPOKE TO EVERY DEPARTMENT AND THEY KNOW NOTHING EXCEPT HOW TO TRANSFER ME FROM ONE DEPARTMENT TO ANOTHER DEPT. ONE  MAN TOLD ME THE COMPUTER IS UNDER WARRANTY AND HE WOULD HAVE IT FIXED AND THEN TRANSFERED ME TO A MANAGER TO REVIEW ALL HE CONFIRMED. . AGAIN I WAS SENT TO TECH SUPPORT AND THEN SALES AND THEN WARRANTY AND BACK AGAIN. THERE IS NO MANAGER, JUST PEOPLE THAT PASS THE BUCK AROUND WITHOUT RESPONSIBILITY. i WROTE EACH PERSONS NAME DOWN -AND THE LIST IS LONG. i DID SPEAK TO THE WARRANTY DEPT AND I WAS TOLD I COULD NOT GET THE RIGHT WARRANTY AS THE MACHINE IS MORE THAN 90 DAYS OLD AND NOW IN REPAIR. . LENOVO KNOWS ONE THING- CHARGE THE CUSTOMER AND THEY DO NOT CARE ABOUT WHAT THEY DID WRONG OR THAT THE MACHOINE I RECIEVED WAS FAUTLY. I AM TO BLAME AND HELD HOSTAGE FOR 950.00. I FINALLY SPOKE TO A WOMAN WHO SAID SHE WOULD SEND MY CASE TO  A MANAGER  TO ESCALTE. SHE WAS CONDESCENDING AND HORRIBLE. I EXPLAINED THE PROBLEM AND TIMING AND SHE IS SORRY AND SHE UNDERSTANDS- BUT I DO NOT THINK ANYONE UNDERSTANDS THE WORDS THEY ARE SPEWING. IF THEY UNDERSTOOD- WHY IS IT GOING TO TAKE 3-5 MORE DAYS TO GET THE CASE TO ESCALATE.I WILL LEAVE ON A TRIP WITHOUT MY WORK AND ONE OF THESE DAYS -SOMEONE TILL WAKE UP AND JUST START THE WHOLE PROCESS OVER AND ASK ME THE PROBLEM AND DEMAND THE 950.00.  WAKE UP IBM AND LENOVO AND KNOW I WILL DO ANYTHING I CAN TO DISCOURAGE MY COMPANIES AND ANYONE I AM ASSOCIATED WITH TO NOT CONSIDER IBM PRODUCTS.YOUR CUSTOMER CARE IS HORRIBLE. YOUR SYSTEMS AND TRAINING OF PERSONAL IS TERRIBLE. i WANT MY COMPUTER BACK, FIXED AND NO CHARGE AND ACCEPTED AS IT WAS UNDER THE WARRANTY I BOUGHT. iF THERE IS AN EXTRA PRO THNKPAD WARRANTY I NEED TO BUY- I AM MORE THAN HAPPY TO DO SO. i AM POSTING THIS BLOG ON ALL MY COMPANIES WEBSITES INCLUDING FACEBOOK, TWITTER ,LINKED IN -GLOBALLY. PERHAPS I WILL DO SOME GOOD IN WARNING ANYONE THAT WAS THINKING OF IBM PRODUCTS TO NOT BUY THEM 

    Dave,
    Sorry to hear about your troubles - I can only imagine your frustration and the time crunch.
    The best approach is to ask that your case be escalated to customer relations - this will usually take 24-48 hours and it sounds like that may be already in the works.   Customer relations should be able to work with service and depending on the circumstances have the system repaired under your exisiting standard warranty terms.
    A standard or extended warranty should be enough in most instances - the accidental damage upgrade is really to cover drops, spills, physically broken parts - cracked LCDs, hinges, etc.   These types of damages are often rulled as "customer induced" and not covered under normal warranty which results in a billable ammount quoted for the repair.
    Service applies their best judgement on these, but we recognize that circumstances can vary and so there is an escalation and review process to make sure we can intercede and help customers as appropriate given the particulars of the case.
    Best regards,
    Mark
    ThinkPads: S30, T43, X60t, X1, W700ds, IdeaPad Y710, IdeaCentre: A300, IdeaPad K1
    Mark Hopkins
    Program Manager, Lenovo Social Media (Services)
    twitter @lenovoforums
    English Community   Deutsche Community   Comunidad en Español   Русскоязычное Сообщество

  • Tracking sales, customer retention and Inventory management

    Hi,
    I own a t-shirt screen printing business and am looking for a solution to help me track sales, categorize customer information and manage inventory. I'm still relatively new to numbers 09 so I'm trying to determine if this program can help me achieve my desired end result.
    I conduct two different types of business; wholesale printing and online sales.
    I offer wholesale printing for local companies such as pizza shops, churches, family events etc. They typically have a design prepared and order 50+ t-shirts at a wholesale price. Pricing is determined by a lot of different factors such as; amount of t-shirts ordered, number of colors in print, number of print locations.
    Online sales, refers to a line of t-shirts I created myself and sell directly to customers. I sell through multiple online mediums such as; etsy, ebay and my dot.com. Each of the sites I sell through has a different set of fees associated with the transaction. For example, when selling through etsy; for each transaction etsy takes a % of the sale, plus a predefined insertion fee for posting the listing. When a customer is making a purchase through etsy they have two payment options; etsy's direct check out, or to pay with paypal. When the customer opts to pay through etsy's direct check out; there is a % fee etsy charges, as well as a predefined processing fee (in addition to the original % fee and insertion fee I mentioned above). If a customer through etsy opts to pay with paypal while checking out, then there is a different % fee as well as processing fee that paypal will charge. Also, both etsy's and paypals checkout methods charge a different % fee and processing fee if the package is being shipped to an international destination. Ebay's fee structure is similar to etsy ie; a % fee and insertion fee, as well as a seperate % fee and processing fee that paypal charges.
    Wholesale printing only makes up about 10% of my business so I can pretty easily track those sales as is. Retail sales makes up the other 90% of my business and has become difficult to manage.
    Etsy, ebay and paypal all keep transaction details that can be downloaded in csv files. In the past I have found it difficult to organize all that information and make sense out of it because its coming from multiple sources. I'd like to have one program to track all my online sales and customer information and present in in a nice neat fashion.
    That's where a program like numbers 09 comes into play, hopefully. To keep track of blank inventory I would like to organize and keep track of all the different blanks shirts i have in stock. Say for example I print on a blank gildan brand shirt that is called GL2000, I would like to have a category for the GL2000 as well as a sub category for the different colors of that shirt I have (blue, black, brown, green etc.), as well as another sub category for the different sizes (small-5xl) available in each of the different colors. I would like to have a separate spreadsheet listing all the finished goods (printed shirts), along with the sizes available for that design on hand. Then, when I print new shirts and enter them into the finished goods spreadsheet, I would like it to subtract that amount from the corresponding blank shirt spreadsheet. For example; I have some designs I print on brown shirts and I would need to create a formula that knows that that particular design is on a brown shirt and not green or some other color. That way as I print more shirts I will have a running inventory of both finished goods as well as what I still have left in stock as blank shirts.
    Then I'd like a spreadsheet for me to enter in all the relevant sales data as it comes in. I was envisioning entering the data into that spreadsheed right as I'm shipping out the order. It makes perfect sense because all the information I'd like to track and organize is readily available on the screen when I am creating the shipping label. I would like the spreadsheet to keep track of; Sale date, ship date, item sold, item size, buyer id, transaction id, first name, last name, address, city, state, zip, country, price, coupon (if used), shipping, total (price + shipping), how much the shipping label cost, site item was sold on (ebay or etsy), etsy fee if sold on etsy (% of price + predefined insertion fee), ebay fee if sold on ebay (% of price + predefined insertion fee), refund (if applicable... also if a refund is issued, it would have to automatically adjust the total as well as fee, after entered), sales tax (would only apply if they entered the sate I do business out of in the state column), ebay processing fee, (for etsy transactions) a checkbox to inform the spreadsheet if the etsy transaction was paid through paypal or direct etsy check out (because of the different fees associated with each.) then a corresponding cell with the correct processing fee, it would also have to take into account which country the item was being shipped to and apply the correct fee associated with that country for either of the check out methods; etsy or paypal, then a total after all fees, then possibly a total of all fees paid.
    Like I mentioned before, I'm relatively new to numbers 09. I have made some progress in creating the spreadsheets but feel there is a steep learning curve when defining some of the formulas and functions of the program. I'm still not sure if numbers 09 will be able to do all that I need it to do in the end, so I wanted to ask if it is possible before I continue working on it.
    Any help would be appreciated. Are there any books I could study to learn the program better? I just picked the apple pro training series for iwork 09 but found the numbers section was mainly for beginners and didn't go over some of the more complex functions I'd like to learn about. I searched for other training material but couldn't find any.
    If numbers 09 isn't a suitable program for what I'm trying to accomplish, any suggestions on what program to use? I've looked in to quick books but wasn't sure If I could do something similar with numbers. Thanks for taking the time to read.

    Thanks a lot Mahesh for your reply. I just tried your answer: I've assigned the CRM Service User license to the user, on top of the CRM Sales user license. But still same problem.
    Can you let me know where you can view the exact license chart? The link I have posted above seems a bit outdated as it does not reflect the actual license limitations.
    Véronique

  • BAPI Object Reference for Customer Accounts and Open Items

    I am building an application for a client for Purchase Card Processing using Visual Studio 2005.   I am able to use VS 2003 to create the necessary object to get the Customer List, Customer Details,  and the list of Customer Open Items.
    I am totally new to SAP,  and need some help to figure out my next steps.
    1.  What call(s) will return an Open Item (Document) given the Document Number, along with the individual line items.  With that info I can post a Level 3 transaction and get an authorization code.
    2.  What is the process to post the purchase card authorization,  essentially a payment,  back to SAP for the open item.
    3.  What is the best source for reference details on BAPI?
    Thanks in advance for any assistance.

    Hi Scott,
    the questions are quite context specific to your application, the answers for which i am not aware at this point
    to pick up the 3rd one :
    >>3. What is the best source for reference details on BAPI?
    transaction 'bapi' in a SAP system, or se37 and a search with keywords like 'docnum' or 'openitem' or similar variations might yield some results
    also when you connect to a SAP system using vs2003, you will get a hierarchial view in the server explorer, that is also a simple way of finding bapi's that could be useful to your cause
    with respect,
    amit

  • IR Report "Link" Attibute Custom URL Escape : (colon) Character

    <h2>I am running Apex 4.0.2 and have an interactive report page 242 with a result set.</h2>
    Scenario
    In the "Report Attributes" "Link" settings I want to link the report to a 'Custom URL' target to take the user from this IR Report Page 242 to page 243 to a 'Single Record Data Entry Form'
    I am setting the value of the custom url target as:
    f?p=&APP_ID.:243:&SESSION.::&DEBUG.:243:P243_NAME,P243_DESCRIPTION,P243_LOCATION:#SOURCE_NAME#,#DESCRIPTION#,#LOCATION#:The P243_LOCATION column, however, has a ':' colon and a '.' values in the database column itself with a value of *'jdbc:Host123.abcd'*
    When the user clicks on the link the FULL location column is truncated before the ':' - OBVIOUSLY due to ':' being the paremeter separator column in apex
    So, the #LOCATION# value on Page 242 IR Report containing a value of *'jdbc:Host123.abcd'* is trunced on the called page 243 as 'jdbc' only and truncated prior to the ':' value contained in the field.
    Question:
    HOW Can I build the above URL so that the ':' can be visible on the Page 243 form field? with the full value passed into the called page with a value of: *'jdbc:Host123.abcd'* ?
    I tried the SYS.htf_esc(#LOCATION#) around the calling URL above, but doesn't work as expected.
    Any advice is greatly appreciated.
    VSK

    Hi,
    You can not escape colons but you can pass commas in the url. Enclose the item value in \item_value\ to escape the "," in the item value . For colons, I would suggest creating a hidden field in the source report with SQL REPLACE function and replace all the colons with any other character like ||. Then you can use the same replace function on the target page to match with the new item value.
    Hope it helps. Thanks.
    Regards,
    Manish

  • How do I include custom URLs in a Sharepoint Search?

    I have links pointing to files on our file server.
    I would like to have these links show up in a Sharepoint search.
    Any idea how to accomplish this?

    Hi Packard,
    To include the URLs pointing to files on the file server in SharePoint search, I recommend to store the URLs in a list and then you can search the keywords in the list to get the corresponding items.
    However, if you want to display the URLs in search results, you need to modify the search result display template to show the field value which is used to store the URLs.
    http://blogs.technet.com/b/tothesharepoint/archive/2013/09/11/how-to-display-values-from-custom-managed-properties-in-search-results-option-1.aspx
    http://blogs.technet.com/b/tothesharepoint/archive/2013/09/12/how-to-display-values-from-custom-managed-properties-in-search-results-option-2.aspx
    And you can also use Content Search web part to show the URLs in search results.
    Please edit the web part and then edit the Property Mappings to add the managed property for the field which is used to store the URLs(you need to create the managed property for the crawled property of the field in Search service application first and remember
    to do a full crawl).
    Best regards.
    Thanks
    Victoria Xia
    TechNet Community Support

  • Assign Custom URL to Apple Server Wiki Page

    I am running OS X Server 10.9 Wiki Service and Web Service.  I want to be able to expose a particular Wiki outside my firewal with a custom url.  So for example I want to point
    https://planning.XXX.net to
    https://www.xxx.net/wiki/projects/planswiki/Plans_Wiki.html
    without using a header redirect - for security reasons.

    I am using Server 4.0.3 but I believe this should work with Server 3.x as well. 
    I have a a Web Redirect DNS record setup on my external DNS provider.
    The record points from my Web Site Alias:
    www.mydomain.com
    to the following:
    myserver.mydomain.com/auth?redirect=https:/myserver.mydomain.com/wiki/projects
    This redirects the users to the Projects page and not the default Wiki landing page it also forces them to Authenticate to the Server before gaining access to the Wiki site at all. 
    Just add /planswiki/Plans_Wiki.html to the redirect url. 

  • Search is showing no results with HTTPS URL

    Hi All,
    A power user wanted to have https entry in one of the content sources and asked us to remove the http entry for the web application. After that I have performed the incremental search.
    However, the search on the https on the web site started showing NO results. We have configure search settings on the site as follows:
    After that search is able to search but it search for other content sources.  In the search service application we have several web applications and we want to scope to that specific web application and users should perform search only in that web application
    scope. How could I scope search to a specific web application?
    Our document library search is also retuning with no results.
    Any suggestion to resolve the issue will be greatly appreciated.
    Thanks in advance.    
    Sandy

    Hi Sandy,
    I think you have to edit the publick urls, and switch the default zone and intranet zone URLs, set the https as default zone public URL, then start a full crawl in a proper time if it impacts the user on production server, you may also test in a test
    environment firstly.
    Also there is aother article which should help.
    http://ragavj.blogspot.in/2014/09/layouts15osssearchresultsaspx-not.html
    https://support.microsoft.com/en-us/kb/2000365?wa=wsignin1.0
    Thanks
    Daniel Yang
    TechNet Community Support
    Please remember to mark the replies as answers if they help, and unmark the answers if they provide no help. If you have feedback for TechNet Support, contact
    [email protected]

Maybe you are looking for