How to ask for a CC Balance increase??

Hey All!, I'm looking to get an increase to my credit card so I can actually utilize my card for intended purposes vs. having to constantly go in and pay on balances so that the credit utilization does not hurt my score. My scores just recently dropped because I had about $2000 hit my credit utilization when I was on vacation and forgot to pay before the statement hit which kind of put me over the edge to take action about it. Monthly Income $10,400Mortgage $2,000Auto Loan $420 $0 balance on revolving credit with a good pay history to which I generally never allow anything to hit the statement. I was young and dumb at one point and had everything maxed out and paid minimum payments but have been straight arrow for about 2 years. Outside of my home and auto I have zero debt. Prior to this balance credit utilization increase my scores were... Eq: 758 Trans: 791 Ex: 772 Now my scores are... Eq: 742 Trans: 776 Ex: 778 My credit card are as follows:Capital One - Limit: $3,500 - Member Date 2005American Express - $2,500 - Member Date 2015Bank Of America - $2,000 - Member Date 2006  What kind of increase should I ask for and what is the most effective way to do so? TIA!                   

Mossburg031 wrote:
Hey All!, I'm looking to get an increase to my credit card so I can actually utilize my card for intended purposes vs. having to constantly go in and pay on balances so that the credit utilization does not hurt my score. My scores just recently dropped because I had about $2000 hit my credit utilization when I was on vacation and forgot to pay before the statement hit which kind of put me over the edge to take action about it. Monthly Income $10,400Mortgage $2,000Auto Loan $420 $0 balance on revolving credit with a good pay history to which I generally never allow anything to hit the statement. I was young and dumb at one point and had everything maxed out and paid minimum payments but have been straight arrow for about 2 years. Outside of my home and auto I have zero debt. Prior to this balance credit utilization increase my scores were... Eq: 758 Trans: 791 Ex: 772 Now my scores are... Eq: 742 Trans: 776 Ex: 778 My credit card are as follows:Capital One - Limit: $3,500 - Member Date 2005American Express - $2,500 - Member Date 2015Bank Of America - $2,000 - Member Date 2006  What kind of increase should I ask for and what is the most effective way to do so? TIA!                   Cap One go to Services>More>Request Credit Line Increase, select card, answer questions  Amex go to More Options>Credit Management>Increase Line of Credit put in 4 digit number, answer questions 

Similar Messages

  • How to ask for a number of copies in Finder Print?

    How to ask for a number of copies in Print Finder Items? Thanks.
    iBook G3 700   Mac OS X (10.4.8)   Still running a paperless office on my iBook! 120gig, 640RAM, 1440 x 900 2nd monitor! 500gig FW-HD!

    Here is a script that will create a "Run AppleScript" action in Automater that should do what you want. Just click on the link and hit the Run button in Script Editor.
    I wanted to get this too you fast so there is no error checking on the text entered into the dialog. Let me know if you want it added.
    click here to open this script in your editor<pre style="font-family: 'Monaco', 'Courier New', Courier, monospace; overflow:auto; color: #222; background: #DDD; padding: 0.2em; font-size: 10px; width:400px">
    tell application "Automator"
    make new workflow
    -- Action 1
    add Automator action "Run AppleScript" to workflow 1
    set value of setting 1 of Automator action 1 of workflow 1 to "on run {input, parameters}
    tell application \"Finder\"
    activate
    set theFiles to input
    display dialog \"How many copies do you want\" default answer \"1\"
    set NumberOfCopies to text returned of the result as integer
    end tell
    repeat with aFile in theFiles
    repeat with j from 1 to NumberOfCopies
    tell application \"Finder\" to display dialog \"Printing copy \" & j & return & aFile giving up after 2
    tell application \"Finder\" to print aFile
    end repeat
    end repeat
    return input
    end run"
    end tell</pre>
    PowerBook 12"   Mac OS X (10.4.8)  

  • How to ask for an array and how to save the values

    I'm supposed to be learning the differences between a linear search and a binary search, and the assignment is to have a user input an array and search through the array for a given number using both searches. My problem is that I know how to ask them how long they want their array to be, but I don't know how to call the getArray() method to actually ask for the contents of the array.
    My code is as follows:
    import java.util.Scanner;
    import java.util.ArrayList;
    public class Main
        private static Scanner input = new Scanner(System.in);
        public static void main (String args[])
            //creates ArrayList
            int List[];
            System.out.println("How long would you like the array to be?");
            int arrayLength = input.nextInt();
            //Initializes array list
            List = new int [arrayLength];
            System.out.println("Please enter the first value of the array");
        public static void getArray(int List[], int arrayLength)
            for(int i=0; i < arrayLength; i++) {
                 System.out.println("Enter the next value for array");
                 List[i] = input.nextInt();
         public static void printArray(int List[])
             for(int i=0; i < List.length; i++)
                 System.out.print(List[i] + " ");
    public class search
        public static int binarySearch(int anArray[], int first, int last, int value)
            int index;
            if(first > last) {
                index = -1;
            else {
                int mid = (first + last)/2;
                if(value == anArray[mid]) {
                    index = mid; //value found at anArray[mid]
                else if(value < anArray[mid]) {
                    //point X
                    index = binarySearch(anArray, first, mid-1, value);
                else {
                    //point Y
                    index = binarySearch(anArray, mid+1, last, value);
                } //end if
            } //end if
            return index;
        //Iterative linear search
        public int linearSearch(int a[], int valueToFind)
            //valueToFind is the number that will be found
            //The function returns the position of the value if found
            //The function returns -1 if valueToFind was not found
            for (int i=0; i<a.length; i++) {
                if (valueToFind == a) {
    return i;
    return -1;

    I made the changes. Two more questions.
    1.) Just for curiosity, how would I have referenced those methods (called them)?
    2.) How do I call the searches?
    import java.util.Scanner;
    import java.util.ArrayList;
    public class Main
        private static Scanner input = new Scanner(System.in);
        public static void main (String args[])
            //creates ArrayList
            int List[];
            System.out.println("How many values would you like the array to have?");
            int arrayLength = input.nextInt();
            //Initializes array list
            List = new int [arrayLength];
            //Collects the array information
            for(int i=0; i < arrayLength; i++) {
                 System.out.println("Enter a value for array");
                 List[i] = input.nextInt(); 
            //Prints the array
            System.out.print("Array: ");
            for(int i=0; i < List.length; i++)
                 System.out.print(List[i] + " ");
            //Asks for the value to be searched for
            System.out.println("What value would you like to search for?");
            int temp = input.nextInt();
            System.out.println(search.binarySearch()); //not working
    }

  • How to ask for a new feature in SBO

    Is there a way to ask for a new feature in SBO ? A page or procedure ? I client wants to do it through the proper channels.

    Hi......
    Take SDk help in terms of Addon in order to plug the new features......
    Regards,
    Rahul

  • How to ask for a new feature/function?

    I am having problems with iTunes, release 9.2.1(4), because of the way the popup menu is laid out. When I Control+click on the Podcast list the resulting popup menu lists 'Mark as played' at the very top. This changed sometime in the last several releases. It used to have 'Update podcast' at the top of the list.
    I am also having problems with my iPod 5G Video playlist. When I sync new podcast to the iPod they end up on the bottom of the list, but there are a few that I'd like at the very beginning. I highlight them then drag them with the mouse, but I can't get up to the top of the list for some reason. I can only get up as high as the 2nd item in the list. I think this is because the software doesn't account for the column headings.
    I'd like to ask that Apple's iTunes Software Engineers add both an 'undo' function to the Podcasts list and a function that lets me order some of my frequently used commands (like 'Update podcast') to this popup list. (I know I could try scripting, but I don't really have the time to learn another computing language.) I am specifically looking for something that allows for undoing things like marking all my podcasts as played when I really only wanted to do an update.
    I'd also like to ask that someone look into this issue of not being able to drag a podcast to the very beginning of the list so as to make it the new number one item.
    I'd like to do all these things, but I don't know if there is something I'm missing. If anyone knows how to get around these issues without having Apple reprogram iTunes please let me know.

    Click here and fill out the form.
    (53107)

  • How to ask for a servlet response into a JSP?

    Hi guys,
    I have the following problem. I developed a servlet able to return a string with some information.
    I would like to see this information from a JSP page. In other words, I would like to encapsule in the jsp page, the info requested to the servlet.
    Is it possible? In this case the servlet returns a piece of HTML text. If there is a way, could it be possible to use the same mechanism for a JSP to ask a servlet to include a picture in the page?
    Many thanks
    /Massimo

    maxqua72 wrote:
    Hi guys,
    I have the following problem. I developed a servlet able to return a string with some information.
    I would like to see this information from a JSP page. In other words, I would like to encapsule in the jsp page, the info requested to the servlet.Just put the result in the request scope and forward the request to the JSP.
    Is it possible? In this case the servlet returns a piece of HTML text. E.g.
    protected void doGet(HttpServletRequest request, HttpServletResponse response) {
        String result = "<b>result</b>";
        request.setAttribute("result", result);
        request.getRequestDispatcher("page.jsp").forward(request, response);
    }page.jsp<p>Result is: ${result}</p>If the servlet actually writes HTML to its response (not so nice) then you can use <jsp:include/> to include it in your JSP page.
    If you want to do it all asynchronously, then indeed consider AJAX.
    If there is a way, could it be possible to use the same mechanism for a JSP to ask a servlet to include a picture in the page?Write an independent servlet for that. You may find this article useful: [http://balusc.blogspot.com/2007/04/imageservlet.html].

  • How can I ask for things to add in the next ios update

    There are a few things I would like on my ipod touch as ios accesories.
    So how do ask for these things?

    Yes. Do it here:
    Apple - iPod touch – Feedback

  • I have 12.80 left from a gift card, but when I go to buy something it ask for my credit card. How do I use up my balance?

    If you have a balance, how do you spend the rest of it with out having to put in your credit card info?

    Among other things iTunes uses your credit card to confirm that you are a resident of the same country as the store you are using. Occasionally it may ask for you to confirm the details and "prove" the card by putting on a holding charge which it later releases. If you have credit in the store that should be applied to any purchases first, even if iTunes asks you to confirm your details. Your listed credit in the window can become out of date if you use more than one computer or device to make purchases. Signing out of your account, then back in, should refresh the balance.
    tt2

  • How soon to ask for a BOA CLI after auto increase & other ?

    Hey all. I received an CL auto increase from BOA for my BOA Cash Rewards Platinum Plus Visa in May 2015. They bumped it from $1.5K to $3.5K. This past July (2015), I recently paid off a significant portion of my credit cards.  .I currently have the following:-Chase SWA Visa ($8K bal, $9K limit).  Chase reduced this limit on me in Dec 2014 from $12K due too many new acounts.-BOA Cash Rewards Platinum Plus Visa ($1.5K bal, $3.5K limit)-Credit One Bank Visa ($500 bal, $2.2K limit).-Discover IT ($0 bal, $1.5K limit).-FNB Omaha Visa ($0 bal, $1.7K limit)-Capital One Platinum MC ($0 bal, $300 limit)-AMEX Premium Rewards Gold ($0 bal, paid off monthly) Yesterday's Equifax FICO (from this site): 685Last Month (July) FAKO score from Discover site: 683  (prior to paying off other cards)Current FAKO score from Capital One: 704 No dings in last 7 years, No Mortgage, No auto loan payment. $70K student loans in payment (all current).Recent inquiries on CR since March 2015- EQ: 1; TU: 0; EX: 5 (2 drop off in Oct)$55K-$60K  annual salary A few days ago I asked Cap One for PC and card with no annual fee and higher limit.  I asked via chat service.  No go.I also asked Discover for CLI through luv button, that too, no go.  Both soft pulls. I plan to buy a house in the next year or so.  I'd like to get all of my scores in the mid 700's.I was hoping to get a CL increase so I could close the Cap One (low limit,high annual fee) and Credit One (duh?) accounts without impacting my utilization. 1)  Are they using old soft scores from a few months back when making these decisions?2)  Do I have a better chance for a CLI with BOA? if so, how soon do I ask for it?3)  What are the chances Chase would restore my original $12K limit?3)  Is there another card I have a better chance at getting a larger CL?  (not a veteran)4)  Am I better off continuing to garden, paying down the Chase and others? I appreciate all valid advice provided.      

    Bankermeister wrote:
    Hey all. I received an CL auto increase from BOA for my BOA Cash Rewards Platinum Plus Visa in May 2015. They bumped it from $1.5K to $3.5K. This past July (2015), I recently paid off a significant portion of my credit cards.  .I currently have the following:-Chase SWA Visa ($8K bal, $9K limit).  Chase reduced this limit on me in Dec 2014 from $12K due too many new acounts.-BOA Cash Rewards Platinum Plus Visa ($1.5K bal, $3.5K limit)-Credit One Bank Visa ($500 bal, $2.2K limit).-Discover IT ($0 bal, $1.5K limit).-FNB Omaha Visa ($0 bal, $1.7K limit)-Capital One Platinum MC ($0 bal, $300 limit)-AMEX Premium Rewards Gold ($0 bal, paid off monthly) Yesterday's Equifax FICO (from this site): 685Last Month (July) FAKO score from Discover site: 683  (prior to paying off other cards)Current FAKO score from Capital One: 704 No dings in last 7 years, No Mortgage, No auto loan payment. $70K student loans in payment (all current).Recent inquiries on CR since March 2015- EQ: 1; TU: 0; EX: 5 (2 drop off in Oct)$55K-$60K  annual salary A few days ago I asked Cap One for PC and card with no annual fee and higher limit.  I asked via chat service.  No go.I also asked Discover for CLI through luv button, that too, no go.  Both soft pulls. I plan to buy a house in the next year or so.  I'd like to get all of my scores in the mid 700's.I was hoping to get a CL increase so I could close the Cap One (low limit,high annual fee) and Credit One (duh?) accounts without impacting my utilization. 1)  Are they using old soft scores from a few months back when making these decisions?2)  Do I have a better chance for a CLI with BOA? if so, how soon do I ask for it?3)  What are the chances Chase would restore my original $12K limit?3)  Is there another card I have a better chance at getting a larger CL?  (not a veteran)4)  Am I better off continuing to garden, paying down the Chase and others? I appreciate all valid advice provided. BOA might give you a CLI if you're willing to take a hard pull. Call-in and shoot for the moon. They'll counter-offer if it's too high. Chase is unlikely to restore your previous CL considering your utilization. I'd pay that down ASAP. Your scores should go up when you're below 30% utilization on that card, and it's possible that Chase will give you an auto-CLI a few months after you've paid it down. As far as another card with a larger CL, have you thought about a credit union? A credit union membership might prove useful when you're shopping for a mortgage. NASA FCU has been known to offer large ($25k) credit limits (with a 7.9% APR on BTs!). Plus, they offer unsecured lines of credit (mine's at 9.90% APR!) Don't be in a rush to close your high APR cards with AFs. Wait until you've paid down your Chase card and have either acquired a high-limit card or a major CLI (or both!) Hope this helps. Good luck!

  • When I login to my equipment it ask for a certificate. How do I delete these certificates?

    We just recently upgraded our equipment and now I don't get the whole screen parts are missing. So I figured if I delete certificates or renew them it might work. So I need to know How to delete them or renew them.

    Among other things iTunes uses your credit card to confirm that you are a resident of the same country as the store you are using. Occasionally it may ask for you to confirm the details and "prove" the card by putting on a holding charge which it later releases. If you have credit in the store that should be applied to any purchases first, even if iTunes asks you to confirm your details. Your listed credit in the window can become out of date if you use more than one computer or device to make purchases. Signing out of your account, then back in, should refresh the balance.
    tt2

  • Im trying to purchase music and it says i have $21.07 on my itunes account but when i go to purchase music it asks for my credit card details or a gift card no. and wont let me continue til i do so. how do i spend the money i have on there already?

    im trying to purchase music and it says i have $21.07 on my itunes account but when i go to purchase music it asks for my credit card details or a gift card no. and wont let me continue til i do so. how do i spend the money i have on there already?
    i try to download the song and it comes up with put in password. then it takes me to a credit card detail place. i have enough money on my account i shouldn't have to use my credit card. how can i use the money alredy on my account?

    If the amount of the purchase is close to $21.07, then you need to take into account taxes may be added.
    If you go beyond the credit from a gift card the balance will be billed to your credit card account.

  • How long does it take for Infinity DLM to increase...

    I have had a noisy line since I had infinity installed back in May this year, however as the fault was intermittent I didn't want to risk the possible £130 charge should they not find a fault. However the problem got progressively worse so I reported the fault, the engineer attended on the 19/09/14 and traced the problem to a faulty pair between the carriage way box (not the fibre cabinet) and the telegraph pole, he changed me to different pair which fixed the noise problem. I asked if he could do a DLM reset and he tried but advised that as he did not have the details for my connection he could not action the reset and to contact BT if the speeds do not increase. The fault has been marked fixed by BT as of 25/09/14
    The noise on the line and the resulting disconnections over the past ~5 months have meant that my connection has dropped from its initial 75mbps to sub 40mbps, it has been 11 days since the fix but I have not seen any improvements as yet. How long should I be waiting before the speeds improve and interleaving is disabled? For information the noise on the line is gone and I am around 100-150 meters from the fibre cabinet. My HH5 stats are below.
    1. Product name:
    BT Home Hub
    2. Serial number:
    3. Firmware version:
    Software version 4.7.5.1.83.8.173.1.6 (Type A) Last updated 13/08/14
    4. Board version:
    BT Hub 5A
    5. VDSL uptime:
    10 days, 23:37:48
    6. Data rate:
    11993 / 39997
    7. Maximum data rate:
    25394 / 88566
    8. Noise margin:
    13.3 / 14.0
    9. Line attenuation:
    0.0 / 16.2
    10. Signal attenuation:
    0.0 / 16.2
    Here are the results from the BT Wholesale Performance Test.
    Download speed achieved during the test was - 37.76 Mbps
     For your connection, the acceptable range of speeds is 40 Mbps-38.71 Mbps .
     Additional Information:
     IP Profile for your line is - 38.71 Mbps
    Upload speed achieved during the test was - 8.11Mbps
     Additional Information:
     Upstream Rate IP profile on your line is - 20 Mbps
    And here are the results from the availability checker.
    FTTC Range A (Clean)80 63.4 20 20
    FTTC Range B (Impacted)75.7 49.3 20 16.1
    How long do I need to wait before I should start seeing improvements and/or need to contact BT for an engineer to visit?
    I appreciate any advice given.

    It actually looks like your line has been capped to infinity one with the downstream been 39997, my mums on Sky fibre 40/10 package and that's what hers is like sometimes. Normally 39999, DLM can take 2-3 week in some cases but tbh if your fault has deffo been fixed you should have seen improvement after a few days, you will have to contact bt about this because if DLM is stuck the only way to get it unstuck is an engineer, I don't think they can reset your line at the exchange on fttc. You're getting less speed than the minimum you should get on an impacted Line so I would be asking for compensation, you're lucky that your max speed you can get is 88 meg the max I can get is 67 on a shorter line to the cabinet.

  • I am trying to download whatsapp on my iphone 4  when I hit the redeem button it shows I have $14.73 in my account, but asks for a code.  I tried my itunes card code but it says it was already used. How can I tap into my account to pay for the app?

    I am trying to download whatsapp on my iphone 4.  It asks for my apple id and password and when I sign in , it gets me to a page that says redeem ...when I hit redeem it shows I have a $14 balance in my account and asks for a code  -  I tried entering the itunes card number...it says it has already been used.  How do I tap into my account to pay for the app? 

    It says   at the top      under Redeem after I touched that:
              $14.73
    Account: [email protected]   (my account name)
    Enter your Gift Card or Download Coad

  • HT1689 I have a credit in my itunes account but when making a purcahse it is asking for my credit card info.  I don't want it charged to my credit card, I want to use my account credit.  How can I do this?

    I have a credit in my itunes account but when making a purcahse it is asking for my credit card info.  I don't want it charged to my credit card, I want to use my account credit.  How can I do this?

    Hello, Lynne. 
    Thank you for visiting Apple Support Communities. 
    Here is a helpful article that explains how iTunes purchases are billed. 
    iTunes Store: How iTunes Store purchases are billed
    http://support.apple.com/kb/HT5582
    When using iTunes to purchase content for the first time on a new device, it may require you to verify your payment information as a way to authenticate your device.  If this not a new device attempting to access iTunes store and prompting you provide payment information, there could be an outstanding balance.  This article will show you how to verify you purchase history and invoices. 
    iTunes Store & Mac App Store: Seeing your purchase history and order numbers
    http://support.apple.com/kb/HT2727
    Also, you can change the payment method as none as long as there isn't an outstanding balance on the account.
    iTunes Store: Changing account information
    http://support.apple.com/kb/ht1918
    Hope this helps,
    Jason H. 

  • HT1349 Last week I was prompted to do an update on my MacBook Pro which I did & now different things keep popping up asking for passwords for a keychain & it won't go away. I don't know what these are & I don't know how to access them. Help me please

    Last week I was prompted to do an update on my Mac Book Pro which I did. Ever since I did the update a box keeps popping up asking for login info for my keychains & they won't go away. I have no clue what these keychains are & I don't know how to find them & know the passwords for each of them. Plus now I don't get my email on here either. Please help me...

    Outside of the contact number for that you've already used I don't know another way of direct contact. Here are some things that they may or may not of had you try that might help you. If you will go to the settings app and pick general on the right-hand side you will see accessibility. Within that you can adjust a text size make the text bowl you can also increase the contrast. You can also adjust the brightness and control panel.
    As for Siri again in the settings app under general you should see Siri on the right-hand side with the switch to turn it on. If that is turned on and you're still having issues
    Try a Restart. 
    Press and hold the Sleep/Wake button for a few seconds until the red "slide to power off" slider appears, and then slide the slider. Press and hold the Sleep/Wake button until the Apple logo appears.
     Resetting your settings
    You can also try resetting all settings. Settings>General>Reset>Reset All Settings. You will have to enter all of your device settings again.... All of the settings in the settings app will have to be re-entered. You won't lose any data, but it takes time to enter all of the settings again.
    Resetting your device
    Press and hold the Sleep/Wake button and the Home button together for at least ten seconds, until the Apple logo appears. Apple recommends this only if you are unable to restart it.
    Or if this doesn't work and nobody else on the blog doesn't have a better idea you can contact Apple. 
    Here is a link to their contacts with most of the information below. 
    http://www.apple.com/contact/

Maybe you are looking for