What is your health & fitness goal??

This board seems like a ghost town.  Let’s see if we can spark something!
I am in no way a trained professional and I will not claim to be.  That is the farthest from the truth, but I have been involved with health and fitness, in some fashion, ever since my old football days.  I also competed on my schools Olympic weightlifting team.  In my opinion, exercise is one of the best stress relievers.
My wife and I ran our first full marathon this past June.  We had participated in a couple half marathons in the past, but the thought of running 26.2 miles seemed a bit far-fetched.  Our goal was basically just to finish the entire marathon.  We trained for about four months and were actually able to finish the whole marathon.  The physical act of meeting that goal felt amazing, a bit painful, but amazing.
Is there a health/fitness related goal you are working toward or was there a goal that you met??  It could be just about anything and everything.
Derek|Social Media Specialist | Best Buy® Corporate
 Private Message

Good morning Lovelymobiles!
I was generally on the smaller side while growing up, so I would always look for ways to gain weight or increase my overall size.  The one area that I found provided the best results for me was the weight room.  A workout consisting of 3 to 4 sets per exercise and between 8 to 12 reps per set seemed to do the trick when I started going 4 to 5 times a week.
Another potential way to help gain weight would be to increase your daily calorie intake.  You could start by slowing increasing the portion size you eat for breakfast, lunch, and dinner.  I am in no way an expert, so I would suggest consulting a personal trainer or nutritionist if you have any specific questions.
Good luck and stay focused!!
Derek|Social Media Specialist | Best Buy® Corporate
 Private Message

Similar Messages

  • What kind of video format and/or codecs are used in Health & Fitness (app which come pre-installed in Windows 8.1)?

    Hello.
    I need any official information regarding what kind of video format and/or codec is used in Health & Fitness app.
    Also might be helpful to get a link to resource with officially available (downloadable) drivers and/or codecs of video format which used in Health & Fitness app.
    Thanks.

    Hi,
    Yes, the right place to ask this kind of question is following forum:
    http://answers.microsoft.com/en-us/windows/forum/windows8_1_pr-winapps
    Alex Zhao
    TechNet Community Support

  • 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

  • What's your favorite MacBook Pro case?

    What’s your favorite 15” MacBook Pro case? I am looking for something small that will safely hold the 15” Macbook Pro and some accessory’s such as a mouse and AC adapter.

    Bag n’ Tag It
    by: Digital Dude
    In today’s world of everything slim and integrated, more techno fanatics and Spartan travelers are embracing the minimalist approach. To that end, I was looking for an alternative to my bulky computer briefcase for travel. So, I ordered the “Buzz” by Tom Bihn.
    Initially, I was a bit skeptical since the price of the Buzz is rather high for a nylon bag in today’s crowded market. Fortunately, the folks at Tom Bihn have an excellent guarantee with great customer service. If you receive the bag, and it’s not what you expected, simply return it without having to request an authorization. Try that with any other bag manufacturer!
    Exterior:
    My first impression after opening the box was that the Buzz is in fact, a very well made nylon sling-bag with attractive accents. The initial fit on the back and shoulder was comfortable, and the crossover strap is wide and it fits guys and gals without interference. It’s also nicely padded and has a large durable quick disconnect fastener below your left rib area. There is a smaller adjustable waist strap for a more secure and balanced fit. I found it wasn’t necessary for casual carry although quite useful when riding a bike or running to catch that flight.
    Interior:
    The Buzz has two main compartments with waterproof zippers that don’t snag and they seal very well.
    The main compartment houses a unique padded panel with a fitted corner, similar to a fitted bed sheet that stretches over one corner of the MacBook Pro. The space between the computer holder and the zippered panel provides room for a book, magazines, documents, or even a small travel neck pillow.
    The second zippered compartment is on the very back and is slightly smaller or stepped down from the main compartment. It includes the usual key strap and some angled stitched pockets for pens, business cards and one larger pocket that can hold a Passport or airline tickets, etc.
    The third compartment is on the exterior right side and is made of elastic material and is designed to hold a bottle, small umbrella or equivalent. It also has two pull straps to further secure its contents.
    Finally, there is a super convenient compartment in the center of the crossover strap with a Velcro closure. This is my favorite feature, since it holds your cell, iPod or more notably, the new iPhone securely across your chest.
    Field Tests:
    I harnessed the Buzz, adjusted the straps and wore it for a week in and around town. The Buzz and its sling design holds' the 15-inch MacBook Pro, cables, charger, etc. in a vertical orientation on the back. This permits full range of motion for both arms, unlike most soft-sided computer briefcases.
    At times, I wanted to shift the load, so I simply reached around with my left hand and lifted up slightly on the bottom as I grabbed the ferry-loop (top strap) with my right hand. In this manner, you can easily adjust the tension on the crossover strap.
    The Buzz shoulder bag is advertised as offering “moderate” protection, although it’s quite adequate for most common travel activities. However, I wanted to see if I could fit my MacBook Pro while stuffed in the Tucano “Second Skin” sleeve. To my delight, it fit nearly perfect as though it was made for “The Buzz”. This combination effectively increases the travel protection by at least 2:1.
    Wish List:
    Accessory provisions or lack thereof, is a shortfall with many bag manufactures. User’s end up stuffing their charger, cables and adapters into secondary bags which all end up at the bottom, resulting in disorganized clutter. I visualize a removable fitted panel with separate compartments or straps that hold a basic array of typical computing items. In fact, I ended up using one of my luggage toiletry panels to help organize my computer gear in the Buzz. It holds everything vertically and eliminated the pile at the bottom.
    After field-testing, I decided this bag was definitely a keeper’. However, I would prefer a tighter fit of the MacBook Pro or a matching sleeve. I would also favor a more contoured and softer crossover strap with an exterior I.D. card and pen/pencil slot. Since I’m dreaming here, how about a less abrasive backside for improved comfort.
    Conclusion:
    The Buzz sling bag is a well-made, lightweight, ergonomic alternative to a backpack or the horizontal briefcase design. It holds most everything one might need for mobile computing while providing an excellent provision for Apple’s new iPhone.
    Regards,
    ~DD
    References:
    http://www.tombihn.com/page/001/PROD/TBP/TB0151
    http://store.apple.com/1-800-MY-APPLE/WebObjects/AppleStore.woa/wa/RSLID?mco=114 576C9&nplm=TJ953VC/A
     MBP Core Duo: 15"/2.16/2GB DDR/7200HD   Mac OS X (10.4.10)   "New" AEBS w/n-draft

  • Polar FT60: Bing Health & Fitness excercise data - or is it?

    I recently started using a Polar FT60 with Flowlink and GPS and it works great. However, although HealthVault registers the Polar data correctly as "excercise" with appropriate details, Bing Health & Fitness is not. The data simply does not
    show up in my cardio tracker. Anyone have an idea? Am I missing something?

    Hello again Pete, it's Josh with HV Support.
    While this isn't a bug tracker like you were asking about, it is our developers information/announcement page.
    http://blogs.msdn.com/b/healthvault/
    It includes the latest features, updates, and timelines for releases.  If you're not a developer, then some of the terms will be meaningless, but just know that 'Production' and/or 'Shell' means the live HealthVault site you're interacting with. 
    It's not a good place to ask non-developer based questions, but may give you some insight into what is going on behind the scenes here at HealthVault.
    I hope you gain some value from taking a look Pete.
    Josh

  • What good video cards fit G5 Dual cpu

    what good video cards fit G5 Dual cpu
    can i have a link to a UK website selling what your suggesting or just  give me the name and i can look it up

    Thanks for this post/response. The 7800GT card I currently have was a build to order option and I assume was not flashed. I'd love to figure out if there is a
    way to get my current card to like the MXO box, or to install a new, equally fast video card that would allow me to use MXO. I may install an x1900 Mac Edition and see how it works but do want to hear from other late edition G5 owners that they have been happy with this card (running OS 10.4.11, Final Cut Pro).
    K

  • What lids/screens will fit (Satellite Pro 4300)

    Ive got a sat pro 4300 but the screen is damaged, does anyone know what other models will fit regards replacement; would a Tecra 8000 fit for instance? Any help would be great.
    Thanks guys.
    Message was edited by: stuart30

    Hi,
    you can't say this flat. The Screen from Tecra 8000 would fit physically, but the connectors and FL inverter doesn't fit!
    I think the best way to solve your problem is either buy a SP 4300 at ebay and replace the screen or order a screen at a Toshiba Service Partner.
    Bye

  • What is your favorite feature?

    ProSight ProSight 7.0 forges the link between strategy and
    execution more effectively than ever before. The new
    alerting capabilities deliver dynamic intelligence on the
    health of my investments. If you've installed the new
    release, what is your favorite feature?

    I really like the maps as well... with the qualification that what is best is having a phone attached to it. I've only had the phone a week and used this feature 5 or more times to find a place and then immediately just call it. That's something the touch won't be able to do even within a wi-fi spot (g).
    But today I think I found something equally cool -- someone sent me an email with their phone number and I was able to press the number and dial it. It's one thing to hyperlink to a URL within an email -- to be able to dial an embedded phone number is wicked (anyone knows if this works on web pages? That is, can the iPhone identify a phone number on a web page to press and dial? I need to check that out).

  • What is your tech support phone number?

    what is your tech support phone number?

    Here you go..
    http://support.microsoft.com/gp/contact_microsoft_customer_serv?&fr=1
    MICROSOFT PERMIER SUPPORT  
    1-800-936-3100 
    Cheers,
    Gulab Prasad
    Technology Consultant
    Blog:
    http://www.exchangeranger.com    Twitter:
      LinkedIn:
       Check out CodeTwo’s tools for Exchange admins
    Note: Posts are provided “AS IS” without warranty of any kind, either expressed or implied, including but not limited to the implied warranties of merchantability and/or fitness for a particular purpose.

  • What is your theory on what happened with ASUS Transformer Prime and BB?

    This is my theory:
    First preorder batch 11/22:
    BB opened up for preorders based on expected date of anticipated 12/9 ship date.  The buyers at BB that orders from vendors did not buy any preorder stock from ASUS in Champagne on first order. I gotta bleive that the reason that the Champagne prime is not shipping from BB is a "buyer" error. They filled their first allotment of preorders. That is why BB shiped out grey from the first wave of preorders. Other vendors got both- why did BB only get grey? The buyers always think they know what we want or will order and only ordered grey in the request to ASUS. They got caught with their pants down when Amazon cancelled the orders on 12/2 and EVERYONE affected jumped on BB.com and ordered the champagne which was available as the next wave.
    Amazon fallout 12/2:
    Best buy opened up another set of preorder allotment - 2nd wave, and got hit hard real fast with preorders that they were not prepared for, or had stock for.
    ASUS is filling initial preorder requests from the resellers in the order that the resellers requested too.  BB was offering that in the next wave of preorders, but they probably took too many orders at once, and they put in another order to ASUS around the 12/9 delay ship date and ASUS was not taking them at that time (delays due to Wifi reported) .
    ASUS 12/9 wifi report delay in shiping:
    ASUS was cought in a delay with reports of wifi range problems and either stopped taking orders, or recallled/replaced shipment with others.  Once ASUS took orders again from the reseller they are shipping daily based on the preorder backlog. Asus is responsible for the delay in accepting orders from vendors, and BB had a buyer error, by either waiting too long to put in the first wave of orders, or not ordering enough, and now they are in the back of the vendor reseller line waiting on ASUS to get to them.
    12/19:
    The date of irst ship came and BB shipped all it ordered from first wave and could not get anymore from ASUS in the second wave to cover the Amazon fallout system overload.  They were left in the back of the line of all other vendors becuse no reseller could get a second next wave fulfillment until all others got their first waves fulfilled.  The 12/9 delay kept next waves from being fulfilled, and that is why inventory is trickling into the other resellers and BB can only get a few more at a time.  BB ordered champagne on a next wave delay.
    The thing that bugs me in to no end is how is a person that ordered grey on 11/28 at BB still on backorder, but a 12/05 grey order has shipped and delivered?? This is not ASUS fault, That is poor business operations on BB. 
    That is my "perfect storm" theory- what do you think?  What is your theory?

    That is pretty close to what I think happened.
    It does seem pretty clear that Best Buy never initially ordered and Champagne Primes.  I have combed through the threads at this site and others and haven’t seen one person receive a Champagne Prime from BB.  Meanwhile people who bought from other resellers like New Egg and Amazon have received Champagne Primes. 
    The mismanagement of shipping out orders chronologically has to be maddening for the people who ordered the Grey Primes.  I do feel for these people that ordered the same exact product before others who now have their Prime, but will still don’t have their items.
    The communication from Best Buy had been terrible.  Screwing up the orders in the 2 examples are somewhat forgivable to me, but the miscommunication and what seems to be deceitfulness that Best Buy has exhibited is not.  They just seem not to care about the customer any more.  From my experience, prior to the release I was lead to believe my order would be ready to ship on 12/18.  Then it went on backorder with no real reason why.  Two (12/18 and 12/22) of three calls to customer service reps indicated that my Champagne Prime would still arrive by today (12/23), with the other call rep (12/20) saying she basically had no when my item would be in.  Then yesterday afternoon a post from a customer care rep on these boards confirming that I am basically hosed because I choose BB to fulfill my Prime preorder.  

  • What's YOUR Idea of an "Ideally Organized HD?

    What's YOUR Idea of an "Ideally Organized HD?"
    I've been giving this a lot of thought lately. Whereas it is obvious that OSX organizes your hard drive better than anything on Windoze, especially when you consider the power derived from using Spotlight, I have been wondering exactly WHAT, WHAT does an Ideally Organized Hard Drive look like? What are it's properties? I don't mean how it should look specifically to YOU, the single user. I mean what does an ideally organized Hard Drive look like to everyone running OSX? (which is everyone). What are some of the components of a ideally organized hard drive? What does it look like/feel like? Not necessarily in order of importance, I'll start this one off:
    An Ideally Organized Hard Drive Has These Properties (feel free to add your ideas):
    1) All the music, documents, apps, pictures and movies go into their designated locations, just for starters. You may even want to create another main Category such as I did, and call it "All Talk & Sound FX". Here's where I stick my voice, and talk radio, and verbal jokes etc. for example.
    2) There are NO identical (duplicate) files, but the thorough and profuse use of Alias files are implemented. {{{if you have duplicates, and you update the one, you necessarily have to update the other, otherwise, you don't have duplicates anymore, right? But if you use an Alias, no matter which file, original or Alias, that you update, BOTH files are updated.}}}
    3) The HD is organized for EASY Backup on a daily basis: Everything new gets placed into an "Everything New" file (call it what you want) on the Desktop, then this one folder is backed up daily, saved onto an external HD, then loaded back and now actually saved onto the HD as new stuff just once a week (in accordance to #1); this is the outcome from doing a Restore from this backed-up "Everything New" folder. Everything goes into this "Everything New" folder on a daily basis; however, Applications are installed immediately whereas everything else just gets popped into the "Everything New" folder for holding.
    4) Many files are annotated in the Get Info Window with easy to find key words and comments. Spotlight will do the rest my friends!
    5) A DMG of the HD (a perfect Clone which is achieved using your Tiger Disk--Disk Utility) is done on a weekly basis (heck, all you have to do is launch the software at night, go to bed, have an automatic shutdown on your Mac for about 3.5 hours later (for a 23GB DMG Disk Image)). {{Note that a Restore from the "Everything New" folder must be done first!, prior to making the DMG}} When this Disk Image is made, it will have All of your Preferences, All of your newly installed applications, All of your Bookmarks, All of your new additions to iCal, All of your new Addresses, EVERYTHING, and therefore these specific folders do NOT have to be backed up **separately** by using this process as I describe.
    Once a week you will Restore from this DMG (which takes an hour if you have previously verified/mounted this image), then delete the week-old Backup of the "Everything Folder", because your HD now now has all these files added to it (remember, the key here is to do a Restore from the "Everything New" folder first, before you made the most recent DMG). You can now also delete any old Disk Images that you want, because you will be making more! (I always keep 2 or 3 on hand). You can now also delete any old "Everything New" backups from your External, because you will be making more of these backups as well!
    6) Your Hard Drive should utilize the copious amount of custom icons, in order to quickly spot and identify files/folders.
    7) You have created shortcuts (Alias') on the HD, which point to spots on the External HD, (which is not only used for Backup as recently described) to facilitate the transfer of large files (example: AIFF's) to/from the external HD. My External HD has a working "Powerbook" folder where these files are saved to, keeping my internal HD at a bare minimum of growing size, yet the files are easily uploaded/downloaded between the external and internal, and viewed, when the External is attached (of course) to the internal.
    8) The hard drive lacks any sensitive material whatsoever, i.e. passwords are kept on an external hard drive, and new ones are backed up daily to the Everything New folder. Using a free program such as Password Vault also strengthens this area of security and organization. If the Passwords are kept to an external location, and yet are easily accessed by an Alias, then they are 100% safe to reside on the External, since the External would have to be attached in order for the passwords to be read.
    9) Maintenance is run routinely on the HD, using a program such as Onyx, especially before and after the disk image process. You can also schedule Onyx to run the Apple maintenance scripts automatically, when you are asleep. Also part of this maintenance would be running a program such as Disk Warrior, before and after the disk image process. Onyx and Disk Warrior go hand in hand, and although you will not "see" (visually) HOW your HD has been organized more efficiently, you will experience the benefits of using Disk Warrior (faster/more responsive), which organized your HD Directory automatically.
    10) Another nice little Utility is SpeedTools, which has a great program for Defraging files. Yes, I've found that Disk Defrag does work. Point #10 does nothing for "organizing", however I make this point because Disk Defrag does indeed help your HD to run more efficiently (thus faster).
    *** Ohh by the way, maybe I'm saying the following as a joke, maybe I'm not. But if you follow my suggestions above, you wouldn't be so paranoid about downloading the latest update to Tiger (or Leopard when that comes out) because the old "Archive & Install" option becomes obsolete. If you run into trouble NOW, using my methods, you now have the peace of knowing that you have a perfectly Cloned Disk Image of your valuable, ideally organized Mac HD, residing on an external drive and just waiting to be called into action! ***
    Finally, please note that I am not telling you how to organize your hard drive, I am only suggesting this as one way to do it, and the way that I do it. If you have something totally different from this, but it works for you, please post that. If you want to add to what I've said, go right ahead! But if you don't agree with something I've said, then by all means offer your own suggestion and be civil about it! Thanks!
    ~ Vito

    You and everyone else that takes the time to read, and understand what I said, and can benefit from this, is WELCOME! ; )
    By the way, I forgot to mention. I use "Micon" a little terrific freeware program (from VersionTracker) to make (initialize) my custom icons. I also use Graphic Converter to make my own original icons of anything I like. Don't underestimate the value in making your own custom icons-- they really stand out from the "standard old blue".
    ~ Vito

  • What are your impressions of "multi-tasking"?

    If you have iOS4 and a capable device, you should have multi-tasking and opened apps appearing in the task bar. Newer app versions are able to run in the background. In my opinion, when I close most apps (by pressing the home button), I want them to close completely, not run in the background. Aside from being a privacy issue, apps in the task bar may use battery power or if truly in a suspended mode, they still take up memory or process capability. In order to really shut them down, two additional home button clicks and then two more screen strokes are required. Not very efficient and probably leading to an earlier home button failure. Why not have some kind of screen command (tap or swipe combination?) to simultaneously shut down all apps in the task bar? The bar itself is useless if you have used many apps in the course of a day. To find what you're looking for, you have to scroll through a long parade of icons. It's a lot easier to just tap the icon where you know it is sitting in the nice folder you created. I don't get it. I realize the bar can be used for switching open apps, but this is really not that big of a deal for the vast majority of apps. Furthermore, there should be an option to enable or disable multi-tasking globally as well as for individual apps. Now that would be an improvement.
    What are your thoughts?

    I havent done any kind of multitasking on my ipod touch, im waiting to upgrade my software to the newer one. However, I couldnt agree more with that of pressing the home button many times to perform basic function to switch apps or enable the multitasking ability. I think palm adapted a better design of software than apple ever did with their IOS 4. Palm's webOS can handle full multitasking--something the iPhone can't do. Palm uses what it calls "a deck of cards model" for managing multitasking: You can view each of your open applications at once, shuffle them any way you choose, and then discard the ones you want to close. All of this is done with intuitive gestures that mimic handling a physical deck of cards. Apps remains live, even when minimized into the card view, so changes can continue to happen in real-time, even if you've moved on to another activity.
    I had the time to experience a bit of a palm web os software on an AT&T store and my impression on that software is done more elegantly than apple multitasking home pressing button system.
    P.S to NYtroutbum: you should definitely present that idea to apple by its feedback product page. Let's hope it listens.

  • How do you see what bitrate your music is on the latest iTunes?

    How do you see what bitrate your music is on the latest iTunes?

    select
    Music
    Above the first song there are colums you can customize  ,  select bitrate from that menu
    tap two fingers on the trackpad will open up the menu to customize after moving the pointer to that field

  • How do you tell what driver your macbook is?

    im trying to hook my macbook pro up to my roomates computer, but i have to know what driver it is, how do i find out?

    No driver involved. How are you trying to connect them? What kind of cable? What is your room mates computer? Why are you connecting them?

  • How do you know what generation your Apple TV is?

    How can you tell what generation your Apple TV is and what the version IOS it is running? Thanks for any help!

    In the link provided, there is a section which tells which model you have; e.g.
    Apple TV (3rd generation)
    Year introduced: Early 2012
    Color: Black
    Model number on bottom:
    A1427 for Apple TV (3rd generation)
    A1469 for Apple TV (3rd generation) Rev A
    The A1427 or A1469 is printed on the bottom of the apple tv with very fine print, i had to use a flashlight to see my model number.

Maybe you are looking for

  • My ipod somehow converted my video files to music files...

    Ok, I know it sounds strange, but it happened. I buy weekly episodes of South Park and The Office from iTunes so I have a video to watch while on break at work. The other day I went to watch Season 3 of The Office and the episodes have all vanished!

  • Help, my ipod is in safe mode

    i connected my ipod to my computer and it turned on in safe mode and now itunes is telling me i must restore my settings...is there any way to fix this problem without loosing all my songs?? i have about 1400 and it has taken me two months to get all

  • Dashboard won't run with Parental Controls

    It's showing as an allowed application but won't come up.

  • Merge patch question

    Hi All, my system is ebs R12 12.1.1 db 11gr1 i will apply these patches to the system before i would apply us patch first and merge all languages to one patch then apply it. my question is if i can merge ALL languages including US into one patch and

  • Asking for information when opening a template

    I made a bunch of custom templates for Numbers, but I got stuck trying to add a very essential and useful feature. Would it be possible to request certain information when a new template is opened? For example: There are cells that hold information a