What's your average 3G speed? (Check here)

I usually average 500-700, but that's when I'm in downtown Los Angeles or Santa Monica. What are you guys getting? Use the link below and post your speed.
Thanks!
http://i.dslr.net/tinyspeedtest.html

Using www.iphonespeedtest.com my results differ.
In NYC...as expected early in the morning I get about 500 kbps, during the normal business day I get between 75 and 125.
Its far better than edge but still has a long way to go to win me over (Still <3 my iPhone)

Similar Messages

  • HEY, HOW CAN YOU TELL WHAT GEN YOUR ITOUCH IS?

    How can you tell what gen your itouch is?

    Check the link below.
    http://support.apple.com/kb/HT1353
    Stedman

  • Forms and validations - here's some of my ideas, what are yours?

    One of the big things still missing from the JFX space (especially where JEE is concerned) is forms and form validations. Maybe you guys have been luckier but at least 80% of the screens I've had to build in my career have been boring old forms - enter data in the fields, validate them and hit submit.
    So, I've been hacking around on this to try and get a pattern and hopefully some reusable classes for doing this in JavaFX. I have something that works but the code is verbose and less than elegant. I'm hoping some of you guys might want to kick around some ideas on this with me here. If we can come up with something that works, I'd like to either include it in [url http://www.zenjava.com/jfx-flow/]JFX Flow, or put it out as a separate open source project (whichever makes more sense).
    What I think needs to be supported:
    * Map between a normal Java bean and the fields on a form
    * Validate the data, i.e. specifying the constraints on a field and then checking those constraints
    * Show a validation summary at the top of the form
    * Highlight individual fields if they have validation errors
    * Support auto-validation, i.e. the validation highlights and messages will instantly update as the user types
    Some extra restrictions:
    * The data input will ideally be a normal bean and so it won't have observable values on it. In most projects I use, the beans are coming from the server and sometimes may be shared between desktop client and a jsp/web client, or even be a third party API so they can't be changed. End result: we don't want any JFX complexities or dependencies in our server code (design leak). This rule could be bent but only as a last resort.
    * The validations must be defined relative to the normal data bean not a JFX model or controller, etc. This is so the bean can be validated on the server as well as the client. The server must do validation to prevent dodgy data getting in (never trust a client). Ideally we don't want to be specifying the validations in two places (i.e. once for the client and once for the server) as this creates maintenance problems and weakens the integrity of the system over time.
    * Ideally the validation mechanism will be based on [url http://java.dzone.com/articles/bean-validation-and-jsr-303]JSR 303 - Bean Validations as this is quite nice. This is flexible however if there is a suitable alternative that integrates better.
    To give us something to reference in conversation, I've created a small working sample. This is only meant to be a rough starting point (at best) and I'd really like to get feedback on both the code (i.e. should we have a 'presentation model', how could bindings be better used, etc) and the general way I'm representing errors (i.e. should we use tooltips to show errors, or actually show the errors next to the field, should we use border colours or put a little exclamation mark over the field, should the fields be auto-validated or only validated on submit, etc).
    The example is a single form for editing a person. It has three fields, first name, last name and gender. When the form is blank, auto-editing is off. When the user submits the form it is validated and from that point on auto-validating is on. Error fields are highlighted with a style change, and a tooltip is added with details (I think we can do better - what's your ideas?).
    I have used all plain Java to keep thngs simple, but I'd be looking for the end result to translate to FXML as well. I've also coded everything into the one class but the eventual goal would be to have the common stuff moved out to reusable base classes, etc.
    Here's a workspace with some example code in it: http://code.google.com/p/jfxee/source/browse/trunk/jfxforms/
    Here's a running deploy of that code: http://zenjava.com/demo/form/forms.html
    (edit: I've moved the code to its own project and changed the url for the launch - the values above are the new, correct ones)
    Looking forward to hearing some thoughts on this topic.
    Edited by: zonski on 01-Dec-2011 13:41

    At Devoxx I did some straw man prototype that you might find useful (or hopeless, I'm not sure which, I did it in a hurry :-)). I followed some principles that I was influenced by years back by JGoodies, but I haven't looked at the JGoodies stuff in forever and know it isn't all the same. But anyway, like I said, I'm not sure it is actually useful but maybe there is something genius hidden in there.
    I have a Validator, which is just a simple SAM:
    import javafx.scene.control.Control;
    * @author Richard
    public interface Validator<C extends Control> {
        public ValidationResult validate(C control);
    }The idea is that it is given a Control, it will validate that control, and then return a ValidationResult. ValidationResult is actually only needed in cases of errors, since returning null indicates success, so the following is somewhat of a crock but you could rename it ValidationError or something and remove the "SUCCESS" type and there you are.
    public class ValidationResult {
        public enum Type { ERROR, WARNING, SUCCESS }
        private final String message;
        private final Type type;
        public ValidationResult(String message, Type type) {
            this.message = message;
            this.type = type;
        public final String getMessage() {
            return message;
        public final Type getType() {
            return type;
        }For good measure I threw in a ValidationEvent.
    import javafx.event.Event;
    import javafx.event.EventType;
    * @author Richard
    public class ValidationEvent extends Event {
        public static final EventType<ValidationEvent> ANY =
                new EventType<ValidationEvent>(Event.ANY, "VALIDATION");
        private final ValidationResult result;
        public ValidationEvent(ValidationResult result) {
            super(ANY);
            this.result = result;
        public final ValidationResult getResult() { return result; }
    }Because Control's don't presently have the notion of validation built in, I created a ValidationPane which is like a specialized StackPane, where there is a bottom layer, the control, and a glass pane layer. And from CSS you can style it however you like. The ValidationPane has a CSS style class set in case of errors / warnings. So without augmenting controls, the idea is that a ValidationPane subclass would exist to wrap each type of control you needed to validate. It did this because somebody has to wire up the listeners to the control to react on text input etc, and so I thought I'd like that encapsulated in something reusable, and there it was.
    import javafx.beans.DefaultProperty;
    import javafx.beans.property.ObjectProperty;
    import javafx.beans.property.ReadOnlyObjectProperty;
    import javafx.beans.property.ReadOnlyObjectWrapper;
    import javafx.beans.property.SimpleObjectProperty;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.event.EventHandler;
    import javafx.scene.control.Control;
    import javafx.scene.layout.Region;
    * @author Richard
    @DefaultProperty("content")
    public abstract class ValidatorPane<C extends Control> extends Region {
         * The content for the validator pane is the control it should work with.
        private ObjectProperty<C> content = new SimpleObjectProperty<C>(this, "content", null);
        public final C getContent() { return content.get(); }
        public final void setContent(C value) { content.set(value); }
        public final ObjectProperty<C> contentProperty() { return content; }
         * The validator
        private ObjectProperty<Validator<C>> validator = new SimpleObjectProperty<Validator<C>>(this, "validator");
        public final Validator<C> getValidator() { return validator.get(); }
        public final void setValidator(Validator<C> value) { validator.set(value); }
        public final ObjectProperty<Validator<C>> validatorProperty() { return validator; }
         * The validation result
        private ReadOnlyObjectWrapper<ValidationResult> validationResult = new ReadOnlyObjectWrapper<ValidationResult>(this, "validationResult");
        public final ValidationResult getValidationResult() { return validationResult.get(); }
        public final ReadOnlyObjectProperty<ValidationResult> validationResultProperty() { return validationResult.getReadOnlyProperty(); }
         *  The event handler
        private ObjectProperty<EventHandler<ValidationEvent>> onValidation =
                new SimpleObjectProperty<EventHandler<ValidationEvent>>(this, "onValidation");
        public final EventHandler<ValidationEvent> getOnValidation() { return onValidation.get(); }
        public final void setOnValidation(EventHandler<ValidationEvent> value) { onValidation.set(value); }
        public final ObjectProperty<EventHandler<ValidationEvent>> onValidationProperty() { return onValidation; }
        public ValidatorPane() {
            content.addListener(new ChangeListener<Control>() {
                public void changed(ObservableValue<? extends Control> ov, Control oldValue, Control newValue) {
                    if (oldValue != null) getChildren().remove(oldValue);
                    if (newValue != null) getChildren().add(0, newValue);
        protected void handleValidationResult(ValidationResult result) {
            getStyleClass().removeAll("validation-error", "validation-warning");
            if (result != null) {
                if (result.getType() == ValidationResult.Type.ERROR) {
                    getStyleClass().add("validation-error");
                } else if (result.getType() == ValidationResult.Type.WARNING) {
                    getStyleClass().add("validation-warning");
            validationResult.set(result);
            fireEvent(new ValidationEvent(result));
        @Override
        protected void layoutChildren() {
            Control c = content.get();
            if (c != null) {
                c.resizeRelocate(0, 0, getWidth(), getHeight());
        @Override
        protected double computeMaxHeight(double d) {
            Control c = content.get();
            return c == null ? super.computeMaxHeight(d) : c.maxHeight(d);
        @Override
        protected double computeMinHeight(double d) {
            Control c = content.get();
            return c == null ? super.computeMinHeight(d) : c.minHeight(d);
        @Override
        protected double computePrefHeight(double d) {
            Control c = content.get();
            return c == null ? super.computePrefHeight(d) : c.prefHeight(d);
        @Override
        protected double computePrefWidth(double d) {
            Control c = content.get();
            return c == null ? super.computePrefWidth(d) : c.prefWidth(d);
        @Override
        protected double computeMaxWidth(double d) {
            Control c = content.get();
            return c == null ? super.computeMaxWidth(d) : c.maxWidth(d);
        @Override
        protected double computeMinWidth(double d) {
            Control c = content.get();
            return c == null ? super.computeMinWidth(d) : c.minWidth(d);
    }And finally the TextInputValidatorPane instance good for any TextInputControl. I think.
    import javafx.beans.InvalidationListener;
    import javafx.beans.Observable;
    import javafx.beans.value.ChangeListener;
    import javafx.beans.value.ObservableValue;
    import javafx.scene.control.TextInputControl;
    * @author Richard
    public class TextInputValidatorPane<C extends TextInputControl> extends ValidatorPane<C> {
        private InvalidationListener textListener = new InvalidationListener() {
            public void invalidated(Observable o) {
                final Validator v = getValidator();
                final ValidationResult result = v != null ?
                    v.validate(getContent()) :
                    new ValidationResult("", ValidationResult.Type.SUCCESS);
                handleValidationResult(result);
        public TextInputValidatorPane() {
            contentProperty().addListener(new ChangeListener<C>() {
                public void changed(ObservableValue<? extends C> ov, C oldValue, C newValue) {
                    if (oldValue != null) oldValue.textProperty().removeListener(textListener);
                    if (newValue != null) newValue.textProperty().addListener(textListener);
        public TextInputValidatorPane(C field) {
            this();
            setContent(field);
    }This should also be usable as is from FXML since you can easily wrap a TextInputValidatorPane around a TextField, and CSS does all the styling, so I think it all just works. You probably need to have some library of sophisticated Validators which know how to read text from a TextField and compare against the validation annotations, but otherwise it should work well enough. Anyway, in the actual implementation I think I would omit the ValidationPane stuff completely and just build that part into the controls / skins. Like I said, this was a quick hack but seemed to get the "how do I visualize validation errors" part of the problem solved.
    Richard

  • Synchronisation has not been able to complete during the last 7 days. Please check your network settings. What setings do I need to check?

    An error message stating 'Synchronisation has not been able to complete during the last 7 days. Please check your network settings.' has appeared at the bottom of my browser for the last 2 days. Unfortunately, there is no guidance to what network settings I need to check. Any advice will be appreciated.

    Troubleshoot your problem
    *https://support.mozilla.org/en-US/kb/firefox-sync-troubleshooting-and-tips

  • What's your MBP HD's writing & reading speed

    I found there might be problems with my makbook pro 1.83g,
    The writing & reading speed is slow!
    I made 2 partitions of the HD, and tried copying a 280mb video file from partition A to partition B. I opened active monitor to have the readings.
    The disk writing & reading speed has never reached 20mb/s, never,,,,,,,.
    My g5 1.6 is 43mb/s.
    As I remembered, the HD inside the MBP is actually SATA 5400RPM HD, which should be fast, isn't it?
    what do you think? what's your readings?

    2 partitions of the HD, and tried copying a 280mb
    video file from partition A to partition B
    You do realize that copying to different partitions
    on the same HD is a very poor judge of speed don't
    you? The Heads must first read, then write, then
    read.... In effect, you will see about half the speed
    that you would if you were copying to a different HD
    on a different bus. In that case one drive would be
    only reading while the other drive is only writing.
    Makes a heck of a difference. Try copying to a
    different drive, preferably on a different bus, if
    you want to judge speed. Or just get a copy of Xbench
    and run the disk test
    TiBook 667, FW800 Dual 1.25  
    Mac OS X (10.4.6)  
    I will try xbench right away

  • Cool site to see what your average OC should be

    I see people say what is the average are a good oc for my system well I found this little site You just enter you cpu type and click search and it will show you the average oc speed it does not display super detail just enuff to give you a genral idea...its a well know site but its the first time I seen this thing...maybe its old but old news never killed no one......
    http://www.cpudatabase.com/CPUdb/

    Great and valuable information thanks dulow
    Casing Tt Xaser III Skull
    M/B 865 PE Neo-2 PFS Platinum Edition Bios Ver.3.6
    CPU:P4 2.4C (HT enable) and ThermalTake SubZero 4G
    (DOT Rank=Commander,Normal,2395 mHz - 2760 mHz) The PAT/MAT using Bios 3.6 doesn't perform properly.
    Memory: Corsair Twinx XMS 4000 pro 2x512 meg (dual-channel dimm 1 and 3).
    VGA:WInFAst A360 Ultra TDH(FX 5700 with 128 meg DDRII)
    HD:2 SATA Maxtor 80gig and 1 ATA Maxtor 80Gig
    CD/RW Yamaha and Pioneer DVD
    PSU:ThermalTake Silent PurePower 480W (W0010/Black)
    +5 V/40 A, +3.3 V/30 A, +12 V/18 A, -5 V/0.3 A, -12 V/0.8 A, +5 VSB/2 A Peak Load 550 W
    Window XP PRO SP1
    NEC FP2141SB
    Microsoft DesktopPro
    Sound Blaster Audigy 2 Platinum + Klipsch Promedia 4.1

  • What is the average speed for the fans? Mine seem really slow.

    What is the average speed for the fans in a MacBook Pro? When my computer is fairly idle, like right now, the fans are at roughly 1000 rpm each. Is that normal? I have seen posts where the fans are 2500-5000 rpm, so mine seem a bit low. That may explain why my computer has been getting hotter more quickly lately - this started happening after Apple replaced my logic board a few days ago.

    I installed smcFanControl2 and according to that program, Apple's defaults are 2,000RPMs and the program will not let you set it any lower than that because of the increased risk of damage.
    My fans are always at 2,000RPMs during normal usage, and then once I fire up a DVD or Photoshop it usually goes up to the 3,000s or so.

  • Mac book pro is running very slow what can i do to speed it up?

    mac book pro is running very slow what can i do to speed it up?

    Things You Can Do To Resolve Slow Downs
    If your computer seems to be running slower here are some things you can do:
    Start with visits to:     OS X Maintenance - MacAttorney;
                                      The X Lab: The X-FAQs;
                                      The Safe Mac » Mac Performance Guide;
                                      The Safe Mac » The myth of the dirty Mac;
                                      Mac maintenance Quick Assist.
    Boot into Safe Mode then repair your hard drive and permissions:
    Repair the Hard Drive and Permissions Pre-Lion
    Boot from your OS X Installer disc. After the installer loads select your language and click on the Continue button. When the menu bar appears select Disk Utility from the Utilities menu. After DU loads select your hard drive entry (mfgr.'s ID and drive size) from the the left side list.  In the DU status area you will see an entry for the S.M.A.R.T. status of the hard drive.  If it does not say "Verified" then the hard drive is failing or failed. (SMART status is not reported on external Firewire or USB drives.) If the drive is "Verified" then select your OS X volume from the list on the left (sub-entry below the drive entry,) click on the First Aid tab, then click on the Repair Disk button. If DU reports any errors that have been fixed, then re-run Repair Disk until no errors are reported. If no errors are reported click on the Repair Permissions button. Wait until the operation completes, then quit DU and return to the installer.
    Repair the Hard Drive - Lion/Mountain Lion/Mavericks
    Boot to the Recovery HD:
    Restart the computer and after the chime press and hold down the COMMAND and R keys until the Utilites Menu screen appears. Alternatively, restart the computer and after the chime press and hold down the OPTION key until the boot manager screen appears. Select the Recovery HD disk icon and click on the arrow button below.
    When the recovery menu appears select Disk Utility. After DU loads select your hard drive entry (mfgr.'s ID and drive size) from the the left side list.  In the DU status area you will see an entry for the S.M.A.R.T. status of the hard drive.  If it does not say "Verified" then the hard drive is failing or failed. (SMART status is not reported on external Firewire or USB drives.) If the drive is "Verified" then select your OS X volume from the list on the left (sub-entry below the drive entry,) click on the First Aid tab, then click on the Repair Disk button. If DU reports any errors that have been fixed, then re-run Repair Disk until no errors are reported. If no errors are reported, then click on the Repair Permissions button. Wait until the operation completes, then quit DU and return to the main menu. Select Restart from the Apple menu.
    Restart your computer normally and see if this has helped any. Next do some maintenance:
    For situations Disk Utility cannot handle the best third-party utility is Disk Warrior;  DW only fixes problems with the disk directory, but most disk problems are caused by directory corruption; Disk Warrior 4.x is now Intel Mac compatible.
    Note: Alsoft ships DW on a bootable DVD that will startup Macs running Snow Leopard or earlier. It cannot start Macs that came with Lion or later pre-installed, however, DW will work on those models.
    Suggestions for OS X Maintenance
    OS X performs certain maintenance functions that are scheduled to occur on a daily, weekly, or monthly period. The maintenance scripts run in the early AM only if the computer is turned on 24/7 (no sleep.) If this isn't the case, then an excellent solution is to download and install a shareware utility such as Macaroni, JAW PseudoAnacron, or Anacron that will automate the maintenance activity regardless of whether the computer is turned off or asleep.  Dependence upon third-party utilities to run the periodic maintenance scripts was significantly reduced since Tiger.  These utilities have limited or no functionality with Snow Leopard or later and should not be installed.
    OS X automatically defragments files less than 20 MBs in size, so unless you have a disk full of very large files there's little need for defragmenting the hard drive.
    Helpful Links Regarding Malware Protection
    An excellent link to read is Tom Reed's Mac Malware Guide.
    Also, visit The XLab FAQs and read Detecting and avoiding malware and spyware.
    See these Apple articles:
              Mac OS X Snow Leopard and malware detection
              OS X Lion- Protect your Mac from malware
              OS X Mountain Lion- Protect your Mac from malware
              About file quarantine in OS X
    If you require anti-virus protection I recommend using VirusBarrier Express 1.1.6 or Dr.Web Light both from the App Store. They're both free, and since they're from the App Store, they won't destabilize the system. (Thank you to Thomas Reed for these recommendations.)
    Troubleshooting Applications
    I recommend downloading a utility such as TinkerTool System, OnyX, Mavericks Cache Cleaner, or Cocktail that you can use for removing old log files and archives, clearing caches, etc. Corrupted cache, log, or temporary files can cause application or OS X crashes as well as kernel panics.
    If you have Snow Leopard or Leopard, then for similar repairs install the freeware utility Applejack.  If you cannot start up in OS X, you may be able to start in single-user mode from which you can run Applejack to do a whole set of repair and maintenance routines from the command line.  Note that AppleJack 1.5 is required for Leopard. AppleJack 1.6 is compatible with Snow Leopard. Applejack does not work with Lion and later.
    Basic Backup
    For some people Time Machine will be more than adequate. Time Machine is part of OS X. There are two components:
    1. A Time Machine preferences panel as part of System Preferences;
    2. A Time Machine application located in the Applications folder. It is
        used to manage backups and to restore backups. Time Machine
        requires a backup drive that is at least twice the capacity of the
        drive being backed up.
    Alternatively, get an external drive at least equal in size to the internal hard drive and make (and maintain) a bootable clone/backup. You can make a bootable clone using the Restore option of Disk Utility. You can also make and maintain clones with good backup software. My personal recommendations are (order is not significant):
      1. Carbon Copy Cloner
      2. Get Backup
      3. Deja Vu
      4. SuperDuper!
      5. Synk Pro
      6. Tri-Backup
    Visit The XLab FAQs and read the FAQ on backup and restore.  Also read How to Back Up and Restore Your Files. For help with using Time Machine visit Pondini's Time Machine FAQ for help with all things Time Machine.
    Referenced software can be found at MacUpdate.
    Additional Hints
    Be sure you have an adequate amount of RAM installed for the number of applications you run concurrently. Be sure you leave a minimum of 10% of the hard drive's capacity as free space.
    Add more RAM. If your computer has less than 2 GBs of RAM and you are using OS X Leopard or later, then you can do with more RAM. Snow Leopard and Lion work much better with 4 GBs of RAM than their system minimums. The more concurrent applications you tend to use the more RAM you should have.
    Always maintain at least 15 GBs or 10% of your hard drive's capacity as free space, whichever is greater. OS X is frequently accessing your hard drive, so providing adequate free space will keep things from slowing down.
    Check for applications that may be hogging the CPU:
    Pre-Mavericks
    Open Activity Monitor in the Utilities folder.  Select All Processes from the Processes dropdown menu.  Click twice on the CPU% column header to display in descending order.  If you find a process using a large amount of CPU time (>=70,) then select the process and click on the Quit icon in the toolbar.  Click on the Force Quit button to kill the process.  See if that helps.  Be sure to note the name of the runaway process so you can track down the cause of the problem.
    Mavericks and later
    Open Activity Monitor in the Utilities folder.  Select All Processes from the View menu.  Click on the CPU tab in the toolbar. Click twice on the CPU% column header to display in descending order.  If you find a process using a large amount of CPU time (>=70,) then select the process and click on the Quit icon in the toolbar.  Click on the Force Quit button to kill the process.  See if that helps.  Be sure to note the name of the runaway process so you can track down the cause of the problem.
    Often this problem occurs because of a corrupted cache or preferences file or an attempt to write to a corrupted log file.

  • Infinity Speed Very Slow and BT Speed Checker Not ...

    Hi, I’m new here and I’m hoping someone can help me or point me in the right direction with an infinity issue. 
    I’ve had BT infinity for almost 12 months and everything speed wise has been fine until the last month or so.  My modem started to slowly die in January, but this has now been replaced by Kelly Services, the engineer who replaced the modem said the speed would now increase.  It hasn’t and I’m stuck on about a 3mb download connection which is what I was getting previously with Talk Talk.  I usually get a connection speed of between 20 – 30mb (currently advertised as up to 40mb).  I’ve tried numerous times to run the BT speed test whilst wired to the home hub but it fails every time at 96% just saying test error.
    I’m currently using the bbc iplayer speed checker to see what I’m running at and have tried this using a wireless and wired connection and there’s very little difference between the two.
    I have a home hub 2 with firmware version 4.7.5.1.83.2.11.2.6 (Type B) Last updated 20/11/11
    I’ve reset the home hub to factory settings since the modem was replaced and this did fix another issue I was having where I could not connect new devices to the home hub without having to manually enter all the network details, but no joy with the connection speed.
    Does anyone know if there is an alternative speed check I can use to get all the necessary details that BT will want to see or will this be one for the mods to check?
    Thanks

    Hi and Welcome.
    It is the BT Speedtest results ( http://www.speedtester.bt.com/ ) that BT need.
    The IP settings you've been put on and the speeds your achieving are important parts of the FTTC Diagnostic test.
    (Might be interesting to try the Beta up to 24Mbps if you still can't get the main one to run... although it will not have the full info).
    So can only suggest you try turning off the Modem and Home Hub 2 for a minute or so, then when powered back up try and run the FTTC diagnostic part when WIRED.
    (Might be worth trying a different ethernet port on the HH2).
    And if you can another laptop to be really certain where the fault lies.
    If  the test fails again I would paste a copy of the failure in your thread as "AFTER REBOOT and ETHERNET PORT CHANGE" Test Results failure.
    Then complete the BT Forum Mods contact form http://bt.custhelp.com/app/contact_email/c/4951
    And add the URL of this form to the contact form, so BT can see the tests you've already tried and results.
    They will contact you, it may take 72hrs or so due their workload.
    Example of results the BT speedtest look like and improvement HERE.
    Btw it's not recommended to turn the Modem off too often as that may trick the Exchange equipment (DLM) into thinking you have a line fault, and it could reduce the IP settings slowing down your broadband in an attempt to provide a reliable broadband.
    An occasional turn off for testing or holidays will be ok though.
    I've also had my modem replaced by Kelly, but still have it mounted vertically to make sure it's cooling vents work most efficiently. Make sure yours is still running cool.
    My "New Style BT Speedtest results"
    Please Click On any Text in Blue as that automatically links to information.
    PC (NDEGR)

  • What's an average download time for a movie on appletv?

    Trying to use AppleTV for the first time and it seems to be taking hours to download.  My network is working properly.

    Welcome to the Apple Community Permershall.
    There isn't an average as such, it depends on connection speeds.
    The first thing to check would be your internet download speed, you can do this at www.speedtest.net.
    1080p HD movies require a recommended speed of 8 Mbps, 720p HD movies require a recommended speed of 6 Mbps, while SD movies require a recommended speed of 2.5 Mbps.

  • What is the average duration of 1 full SAP life cycle or 1 end-to-end implementation. How long does it take to prepare DEV, QAS and PRD?

    What is the average duration of 1 full SAP life cycle or 1 end-to-end implementation. How long does it take to prepare DEV, QAS and PRD in any company?

    Anand,
    let me start with saying that the question you ask may not help you to determine the duration of your project. As Ryan and others stated the duration of the project is highly dependent on the scope of the solution you are implementing, geographical scope, amount of modifications/enhancements, number of languages, number of users that need to be trained, amount of standard processes customer is able to re-use in the implementation and many other factors (like quality of implementation contractor you will chose and availability of customer and implementors resources). I can probably go on for another couple lines, but I guess you get the idea.
    With that out of the way let's talk about some example implementations that will give you an idea - Ryan did great job outlining what I would call traditional approach above. I have couple examples where customers leveraged innovative deployment strategies that are available today. In particular the project teams leveraged pre-packaged services like RDS, World Template or Best Practices as their baseline solution and they built from there. Second acceleration technique customers now leverage is the deployment in the SAP HANA Enterprise Cloud to accelerate the time to initial setup of the system and thus move from traditional blueprinting to scope validation exercise that further shortens the time. There are other acceleration techniques we see applied in some cases like use of iterative implementation of the delta requirements on top of the baseline solution.
    Let me offer few examples to illustrate what I explained above:
    ERP implementation at Schaidt Innovations with 3 months long deployment of ERP solution using ERP RDS as a baseline (you can view their testimonial here - Schaidt Innovations: SAP ERP on HANA in the cloud - YouTube)
    Customer in Asia with global template deployment that leveraged SAP ERP for Manufacturing with deployment to cloud and 9 countries rollout (Japan, Korea, China, Taiwan, Hong Kong, UK, Germany and US). The initial deployment took 4 months for first country and 2 months for rollout into the additional 8 countries - so total of 6 months. The original plan using traditional approach with full blueprint and heavy configuration was estimated to be more than double of the actual deployment time.
    There are many other examples where customers follow the assemble-to-order delivery model for their project and gain significant benefits doing so. I suggest you to review some of the recordings we did in 2013 about this approach and if you are member of ASUG review the Agile ASAP sessions we did for ASUG PM SIG.
    Link to webinars: SAP A2O Webinar Series Schedule
    Let me know if you have any questions.
    Jan

  • HT3302 What is the average cost to replace a cracked screen on an ipad?

    What is the average cost to replace a cracked ipad screen?

    Apple will exchange your iPod for a refurbished one
    Out-of-Warranty ServiceIf you own an iPad that is ineligible for warranty service but is eligible for Out-of-Warranty (OOW) Service, Apple will replace your iPad with an iPad that is new or equivalent to new in both performance and reliability for the Out-of-Warranty Service fee listed below.
    iPad model
    Out-of-Warranty Service Fee
    iPad mini
    $219
    iPad 3rd, 4th generation
    $299
    iPad 2, iPad
    $249
    A $6.95 shipping fee will be added if service is arranged through Apple and requires shipping. All fees are in US dollars and are subject to local tax.
    Certain damage is ineligible for out-of-warranty service, including catastrophic damage, such as the device separating into multiple pieces, and inoperability caused by unauthorized modifications. However, an iPad that has failed due to contact with liquid may be eligible for out-of-warranty service.Apple reserves the right to determine whether or not your iPad is eligible for Out-of-Warranty service. Replacement iPads have a 90-day limited hardware warranty or assume the remainder of your standard warranty or AppleCare service contract coverage, whichever is longer. Please see the AppleCare+ for iPad and Apple Repair Terms And Conditions for further details.
    Here is one third-party place.
    iPhone Repair, Service & Parts: iPod Touch, iPad, MacBook Pro Screens
    BTW, this is the iPod touch forum.

  • My Mac is slowing down. What can I do to speed it up?

    My Mac is recently showing signs of slowness. What can I do to speed it up? It is  MacBook Pro (Non-Retina) Early 2012.

    First: check your hard disk's free space is between 1x and 2x your RAM. This is nedded for a good virtual memory operation.
    Be sure the HD is OK (check SMART Status in System Profiler) and verify the volume in Disk Utility.
    Download Mountain Lion Cache Cleaner and perform:
    1)
    - premission control
    - scripts cleaning
    - prebindigs rebuilding
    Restart when asked.
    2) restart MLCC and perform all & deep cache cleaning.
    Restart
    The computer should be slow but will become faster as much as you use it.
    Be sure the HD is OK (check SMART Status in System Profiler) and verify the volume in Disk Utility.
    Good Luck!!!

  • WIN in our Prize Draw! What's your baby's funniest...

    Hi everyone
    BT have just launched the Baby Monitor & Pacifier.  To celebrate this new arrival  we’re running a Prize draw for BT Baby Monitors here in The Lounge.   
    For those gadget-mad dads, mums, parents to be and grandparents out there, here’s the science bit…
    The BT Baby Monitor & Pacifier is the only baby monitor in the UK with an MP3 / iPod connection so you can play the baby its favourite song – or your own. 
    It’s got HD sound and a talk-back feature. 
    It has a huge range of 50m indoors and 300m outdoors
    There’s a temperature-changing nightlight on the monitor which changes colour depending on the room temperature so it can be checked at a glance. 
    It comes with various modes of alerting parents to sounds in the baby’s room – full sound monitoring, beeping, vibration, or flashing lights. 
    Sound like a prize you’d like to win? 
    TO ENTER: Simply post a reply to this thread answering the question ‘What’s your baby’s funniest moment?’  And that’s it!
    There will be 10 winners. The first 5 picked at random will each get a BT Baby Monitor & Pacifier; the second 5 will each get a BT Baby Monitor 250.
    Read full terms and conditions for the Prize Draw here
    I can’t wait to read all your stories.  Good Luck!
    Retired BTCare Community Manager - StephanieG and SeanD are your new Community Managers
    If you like a post, or want to say thanks for a helpful answer, please click on the Ratings star on the left-hand side of the post.
    If someone answers your question correctly please let other members know by clicking on ’Mark as Accepted Solution’.

    Some great stories guys, thanks for sharing. Certainly making me smile reading them here! 
    Mums, Dads, Grandparents, Parents to be - keep the stories coming! 
    Cheers
    Kerry
    Retired BTCare Community Manager - StephanieG and SeanD are your new Community Managers
    If you like a post, or want to say thanks for a helpful answer, please click on the Ratings star on the left-hand side of the post.
    If someone answers your question correctly please let other members know by clicking on ’Mark as Accepted Solution’.

  • What's your favorite of styling hyperlinks?

    Hi,
    what's your favorite way of styling hyperlinks?
    Right now I've colored mine C=100 M=100 Y=0 Y=0 and made them underlined. I feel the underlining is a bit too harsh on my overall design. Then again if I don't underline them, how are people suppose to know they're links?
    Spelling out URLs is just not an option. Unless I use TinyURL? They say their links will last forever but who knows for sure?

    That is a question about cultural expectations -- I can't answer that confidently.  The check mark that so often is used in US software to signal 'OK' (as in the spelling checking function where I edit this message) signals 'Error' to me -- and when it is shown in green (as Borland Software did at one point, and as Adobe does here) it signals both 'Error' and 'OK', and produces a kind of 'pulling-both-ways' effect that isn't too pleasant -- to me. I'm not sure I can come up with something that works for you.
    The dialog bubbles may work -- though to me the carry overtones of a footnote or an endnote. But they pretty clearly seem to signal 'more info elsewhere', and that's definitely a step in the right direction.
    I would be looking for something like a bent arrow -- perhaps Unicode U+21AA (↪), or perhaps something similar with a double arrow (Unicode U+21D2, ⇒), except I'd like it to have a similar curve at the left, half suggesting a 'click here to go elsewhere'. (Wingdings 3, character code 0xCA, is close.) But I could probably go for 0x58 in WIngdings 3, rotate it 90 degrees to the right, and perhaps tweak the small box into two smaller boxes of unequal size, suggesting movement.
    Or perhaps just something that suggest a 'click here' -- some of the simpler designs in Altemus Bursts, or Altemus Pinwheel or Altemus Stars might work.
    I would like something that tempted the reader into testing, and so encourage learning-by-doing. That would be helped by a similar symbol going the other way to indicate the 'back' of a web browser.  Arrows help here -- they show a direction. Other designs -- bursts -- won't be a easily understood: what would be a reverse burst?.And what symbol would be used at the target end of the dialog bubbles to suggest 'go back'? (Added: perhaps a quad or square signalling 'end'?)
    Arrows seem safer. Even guillemets might work, as long they won't be misread as quotes of some kind. Guillemets in a circle? There are some such glyphs like that in Wingdings. The standard 'fast forward' and 'fast backward'  glyphs (in Webdings, say) may also work.
    Actually ... this is the kind of problem I'd might want to suggest for a small project for a class for typeface designers.

Maybe you are looking for

  • Export Final Cut Pro 7 project to open in FCP 6?

    Is there any way to open a final cut pro 7 project in final cut 6? We have a bunch of older Macs that won't run FCP7, but we use for training but our hope was to upgrade the newer machines to the new Final Cut Studio, but it would be great if we coul

  • HP COLOR LASERJET Pro MFP M176n

    Hello Is the printer HP COLOR LASERJET Pro MFP M176n PCL5/PCL6 compliant? I searched in the HP website and it says PCLm/PCLmS in one link and PCL 3 GUI in another link. Also advise what is PCLm/PCLmS? PCL 3 GUI : http://h10025.www1.hp.com/ewfrf/wc/do

  • How can I reorganize the list of my email accounts in TB 31.5.0?

    How can I change the order of my email accounts in the folder pane? In my current version (31.5.0) there is no way to rearrange the order of my email account.

  • CSS 11500 Load balancing

    Hello, We have a CSS 11503 with the following partial config ================== service 10.10.10.221-1724 ip address 10.10.10.1 keepalive type tcp port 1724 keepalive port 1724 active service 10.10.10.222-1724   ip address 10.10.10.1   keepalive type

  • Send error from Java to Flex

    I need to throw errors from Java and to receive them in Flex. My idea is using xml with error id and message, and maybe the Flex component which should show the error. Is there any other way to do it? Another interaction between Java and Flex? Thanks