Schedule TM to backup only on specific network

Hi there .
How can i schedule my TM to backup only if I'm connected to a specific wireless network.
Because I'm using Time Capsule I want to TC make backups if I'm only connected to this wireless network and no other networks, because it's useless starting backup when I'm not connected to my TC network.

We ARE golden!
Here's a procedure that works to exclude some folders for any user, and to limit TM to be active only under certain conditions. Please read along.
Here's some information I wanted to share with the Mac community, on how to tweak Apple's Time Machine backup technology. Out of the box, TM is very easy to use (click and forget), but it heavily lacks configurable options, which leads to problems or at least 'challenges' in a corporate environment.
A lot of this info comes from stuff I found through Google, but a comprehensive guide with all info in 1 place does not seem to exist. So here I go. Grab a coffee and sit back.
Case
Our company wanted to test TM technology. I've set up a Mac OS X Server with a dedicated shared volume for the TM backups. The same principle is applicable to the Time Vault device. I'm NOT talking about TM with locally attached storage.
*Problem 1 - Exclusions*
The TM System Preference Pane offers only some very basic configuration options: Auto backup On/Off, Destination volume, Exclusions under the Option button, all of which are NON-enduser configurable. You need to be admin to change anything, which is good in a corporate environment.
Exclusions are a good thing. You don't want to back up generic files (ie. System, Apps), nor private user data (such as Movies, iTunes Music, Pictures). TM, however, offers no support to exclude these folders for every users of a system. You'd need to log in as an admin to every Mac and add these folders manually for every user. If another user logs into the system, this process needs to be repeated.
Can't we work with wildcards, so these folders are excluded for every user of the system?
*Problem 2 - Scheduling*
All runs fine when the Mac clients are on the LAN. TM will kick in every hour and start doing its job. There is plenty bandwidth available (wired or wifi) for TM to read indexes, copy data and do its meticulous checking. Believe me, TM is bandwidth-hungry! I've seen totals of 300MB of data going up and down for a delta backup of only 50MB 'real' fresh data.
On the LAN, all is OK, one just needs to have a little patience. The problem starts when users are not in the office, but connected to our VPN. Bandwidth is usually much lower (especially if connected through a 3G mobile service). Nevertheless, every hour TM will try and connect to the TM server, it will find it, but it will take a very long time for it to finish. Moreover, a lot of people have limited monthly data volumes, and TM will use this up rapidly.
The user doesn't have admin privileges, so (s)he can't deactivate TM in its System Preference pane. The running backup can be stopped manually, but this leads to ever-increasing backup times as more index checking needs to be done.
Apple 'forgot' to build in some scheduling or other checking mechanism (like location). As long as it can find the TM server, it will try to backup every hour.
Completely disabling auto-backup altogether defies TM's purpose, as users tend to forget launching backups manually.
Let's see what we can do here...
Solutions
Crippled as the TM GUI appears on its surface, there's plenty to play with under the hood. Here's what you'll need to follow along.
- root access
- familiarity with the Terminal and shell scripting
- notions of how terminal commands "defaults", "launchd" and "launchctl" work
- a .plist editor, i.e. Property List Editor.app (installed with XCode tools)
*Solution 1 - Exclusions*
The easy stuff first. There is a file
/System/Library/CoreServices/backupd.bundle/Contents/Resources/StdExclusions.pli st
which we open with Property List Editor.app.
You will see 3 keys: <ContentsExcluded>, <PathsExcluded> and <UserPathsExcluded>.
I've added extra strings under the <UserPathsExcluded> Array: "Downloads", "Movies", "Pictures", "Music" and some more. While you are at it, peek around in the other keys to see what never gets backed up.
That's it! For every user, these folders will be excluded once you've updated the StdExclusions.plist file. This will not be visible from the System Preferences, so warn your folks that they should look after their private stuff themselves.
*Solution 2 - Scheduling*
Aaah, here it gets interesting. As explained, an ordinary enduser has no control over the TM scheduling (basically switching it on or off) from the System Preference, as you need admin privileges to change this. How can we make TM only become active when on the company LAN?
There is a file
/System/Library/LaunchDaemons/com.apple.backupd-auto.plist
which actually schedules the hourly TM backup. Nothing interesting here, just good to know what drives TM. You could change the TM auto-backup frequency here, but that's not our goal. We would like to load/unload this plist completely to allow/prevent TM from activating.
Using launchctl, (please Google for more in-depth info on how launchd and launchctl work, it kinda replaces cron), this can be done easily with the command
+sudo launchctl unload /System/Library/LaunchDaemons/com.apple.backupd-auto.plist+
+sudo launchctl load /System/Library/LaunchDaemons/com.apple.backupd-auto.plist+
Another file is equally interesting:
/Library/Preferences/com.apple.TimeMachine.plist
which has a key <AutoBackup>. Its boolean and corresponds to the On/Off switch in TM System Preferences.
We want to switch it off automatically when not on the LAN, and on again when on the LAN.
Using the command defaults, this flag can be switched easily:
+defaults write /Library/Preferences/com.apple.TimeMachine AutoBackup -boolean no+
+defaults write /Library/Preferences/com.apple.TimeMachine AutoBackup -boolean yes+
Now let's bring these two together and AUTOMATE them. What we'll need is some kind of script that checks a condition (I've taken ifconfig listing a company IP address or not) and then executes above commands for us.
The script (I've saved it in /Applications/Time\ Machine\ Check/timemachinecheck.sh) reads like this:
#!/bin/sh
+check=`ifconfig | grep "inet <first 2 digits of company IP range>" | wc -l`+
+flagfile=/Applications/Time\ Machine\ Check/Time\ Machine\ Check\ OK.txt+
+if [ "$check" -eq 0 ] ; then+
+if [ -f "$flagfile" ] ; then+
+rm -f "$flagfile"+
+defaults write /Library/Preferences/com.apple.TimeMachine AutoBackup -boolean no+
+launchctl unload /System/Library/LaunchDaemons/com.apple.backupd-auto.plist+
fi
else
+if [ ! -f "$flagfile" ] ; then+
+date > $flagfile+
+defaults write /Library/Preferences/com.apple.TimeMachine AutoBackup -boolean yes+
+launchctl load /System/Library/LaunchDaemons/com.apple.backupd-auto.plist+
fi
fi
It's a simple script. You can adapt it to incorporate your own 'check'.
If a valid IP is found through ifconfig, the defaults and launchctl commands do their work. A flagfile is created as well, to stop this script from repeating the same commands and logging a system log entry every time it runs (which would not be a problem, but I like to keep my system.log tidy).
If no valid IP is found, defaults and launchctl shut stuff down. The flagfile is removed (so the script doesn't repeat its commands, see system log above).
OK, but how to schedule this script so it runs, say, every minute?
One creates a plist in
/Library/LaunchDaemons/com.tbwa.timemachinecheck.plist
which reads like this
+<?xml version="1.0" encoding="UTF-8"?>+
+<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">+
+<plist version="1.0">+
<dict>
<key>Label</key>
<string>com.yourcompany.timemachinecheck</string>
<key>OnDemand</key>
<true/>
<key>ProgramArguments</key>
<array>
+<string>/Applications/Time Machine Check/timemachinecheck.sh</string>+
</array>
<key>StartInterval</key>
<integer>60</integer>
</dict>
</plist>
Basically, all it does is run the timemachinecheck.sh script above every 60 seconds. As it is in /Library, this happens as root. As it is in /Library/LaunchDaemons, it is always active (as opposed to LaunchAgents which are only active once, when a user logs in)
Conclusion
This works for me. The nice thing is that although the auto-backup is disabled automatically when not on the company LAN, a user connected over VPN (on wide enough broadband) can still launch a backup manually.
I had wished this guide to be a little nicer on the eyes, but all the important info is here. You may need to brush up on the techie stuff, but there's the Internet and Google for that.

Similar Messages

  • Using manual IP address only for specific networks

    For my home network I use DHCP with manual address because I have to forward some ports specifically to my computer. However this causes problems when connecting to other networks. For some reason this setting stays active even when using other networks. Therefore, I can't connect to say my school network because the setting has to be set to plain DHCP. Is there a way to use manual IP address only for specific networks?

    System Preferences > Network > Locations and add a location for your home with its manual settings. Add a location for other DHCP locations. Then when you want to connect at another DHCP location select that location from your locations dropdown.

  • Make Time Machine backup to specific drive only on specific network?

    I have an old macbook pro 2007 that I use for time machine backups over the local network. It works perfectly; however, my main computer is also a macbook pro (2013) I can only get backups to the MBP 2007 via a specified IP Address (10.0.1.232). The problem is, they're are 4 different networks I regularly connect to, and if I am on the wrong network, the backup will still be attempted. Sometimes, I get an authentication error, sometimes I get a disk not found error, and sometimes it successfully backs up, which I do not want unless I am on the correct network.
    How can I make it only backup to 10.0.1.232 when on the appropriate network?
    I understand that this is not a problem with time capsules, as it bases it off of more than the ip address, i cannot do this with my mbp as far as I am aware. If anyone knows how to change this, that could be an alternative solution.

    Benny B wrote:
    Anyone want to help dumb this down for me? I got a new larger hard drive and want to move my old Time Machine drive over to the new one. I erased the new one using Disk Utility and followed the FAQ to do the Restore to move the old drive. I get a "Could not validate source - Bad file descriptor" error and it doesn't go further.
    You need to do a +*Repair Disk+* (not permissions) on the old drive. If DU repairs some error(s) but not all, run it again (and again) until it either repairs them all or can't fix any more. If it can't fix them all, post back for options.
    I'm already switched over to 10.6.1 - does that have something to do with it? If I use the Finder to move it over do I just take all the folders and move them over, rename the drive and fire up TM?
    No, don't try that until you get the old backups repaired. The Finder won't be able to copy them, either. And you must copy the entire Backups.backupdb folder.
    Oh, and please update your profile ... 10.4.10?

  • Mail: How to check an account ONLY from specific Network Location?

    I use multiple macs, and use my .mac account to synchronize mail accounts, rules, smart mailboxes, signatures, etc.
    However, I'd actually like to specifically NOT check certain accounts on some machines.
    Even though the account settings are synced, I thought I might be able to take advantage of "Network Locations" to create specific network locations like HOME or WORK and thusly create a combination of mail and network location preferences that would solve my particular need. The idea being that it would allow me to specify in mail's settings (somehow) that a particular mail account should only check the server for messages if the current network location is actually WORK, and if the network location was HOME, it should just not check.
    Some other apps (ie: Snerdware's Groupcal) will check the network location setting and not perform checks if the current location is not the expected one.
    So the question is, is there some way to make Mail.app 2.1.3 on Tiger do this?

    30 messages displayed is the default, but you can change that.  On your email page, under "settings" is an option to change the number of messages per page.  One  option is "no limit."

  • Use Time Machine on ONLY one specific folder?

    I wish to use the Time Machine function to backup only one specific folder on my computer, the DROPBOX folder.
    How can I implement this and inform Time Machine of my choice?
    According to my first investigations, I only have the choice to select folders to EXCLUDE. This makes the setup of Time Machine unconfortable.
    Any advice?

    I agree with Jeffrey Jones2 above .
    Makes no sense to backup the dropbox folder alone, Dropbox It is "cloud storage" and has its own backup. Dropbox keeps a snapshot every time you save a file. You can preview and restore.
    If you go to the DROPBOX website you can view deleted file from the trash can icon (see below.)
    From there it is a matter of Restore the file. This would work for accidentally deleted files,  there maybe a 30day archive limit so read the small print for details.
    If it is imperative to your backup plan,  just drag and drop  your folder to any external storage device, just not the Time Machine HD/partition.

  • My Macbook (lion/ML) can connect to wifi, but gets no internet (only specific network)

    Hi everyone.
    I'm really not the only one having a Wi-Fi problem, but my case may be a little different, so I thought I'd start a new thread.
    I can connect to my Business network, To my home network and to my mobile phone tether connection. All gives 3/3 or 2/3 bars (perfect connection) but only my phone tether connection actually gives internet through. Strangest thing is that all of this happened suddenly. I had a few weeks of perfect internet (I only have this laptop for a few weeks) and suddenly all my Wifi is not working correctly
    My configuration:
    Macbook Pro 15" 2012, non retina
    Mountain Lion, with all updates installed (also happened on Lion)
    WiFi connection
    KPN ZTE 220H Modem/Router
    A few things to keep in mind:
    - This problem started on Lion, but after updating to ML, it hasn't been resolved
    - I can connect with any router
    - But can get only Internet from one specific network (My Phone tether)
    - My home network and the network at my office can be connected, but doesn't gives any internet, nor Ping (terminal) does work
    - Ethernet works perfectly
    I'm not running a 169.*.*.* DHCP
    Ok, besides that.. I've tried quite much any solution.
    - Renewing DHCP Lease
    - Resetting the PRAM
    - Resetting the SMC
    - Network Assistent
    - Network location options
    - Removing all Network devices, applying and readding them
    - Removing the system preferences, clean the bin, reboot
    - Use a custom DHCP, BootP
    Non of all those options work to resolve my Wi-Fi problem. Not even for half a minute.
    Anyone else has a solution?

    Hi; Then this has got to be the lamest Flatypus (Ozzie roadkill laptop), Mate. Drive on: nothing to see, here. Just Pretty; only. Shiny, too; NOT EVEN. Yes there are 12-page forum threads here and elsewhere on the Mac dropping wireless, an issue that must disappear soon (got Mac OS 10.5.6?). The best and brightest Mac programmers are working as we speak, trying to dig out an end-around for the hundreds of dorky ancient pc MS-DOS router scripts, without destroying the magic for Mac-native devices by being encumbered with dross protocols, dumbed down.
    So, have heart; murmur not. Cowboy up, which is American for 'spend more money on the issue' (and, d'oh, spend it on the same people that brought the issue to you in the first instance ...) ... buy a Mac Airport Extreme Base station? Else just keep trying to configure the existing Router; sweet, when you finally troubleshoot this dud and post back ...
    Is your router capable of wiFi "n" even ... may be time for an upgrade, then; something new, and Mac-friendly. Good luck!

  • Already have wireless network, need help for set up of time capsule for wired backup only.

    Hello all -
    I have a time capsule that plugs into wall and used a wireless network to back up computer.  It would always mess up internet afterwards so I would unplug the time capsule and reset internet until the next back up.  my time capsule now will not link into my computer. It just flashes amber.  Spoke with apple and was told to come on here and ask for help for setting up time capsule for a wired backup only and to mention that I have a wireless network.
    Hope any of this makes sense.
    Thank You!!

    Spoke with apple and was told to come on here and ask for help
    Really?  The paid professionals at Apple told you to post on a forum where users.....just like you....are trying to answer questions?  We'll try to help, though.
    For starters, please tell us the make and model of the modem/router that you have now that is providing your wireless network.

  • HT4628 Trouble getting into specific networks in network preferences

    When I enter network preference, click Advanced, and try to double click on a network name to get into the security of a specific network, nothing happens when I double click. I used to double click, and the window would come up with the security settings, and I could change the password, etc. Why isn't this working? Pressing "return" doesn't do anything either. Thanks ahead of time for your time in helping me out!

    I don't know what you deleted; I didn't advise you to delete anything. You may need to restore one or both of the following items from your backups. The first is in your home folder. Restore the second item only if you were prompted for your administrator password, and entered it. After restoring, log out and log back in.
    ~/Library/Keychains/login.keychain
    /Library/Keychains/System.keychain

  • How can I set my Mac to only share SPECIFIC folders with Win7

    It used to work, but, even though I have set only my Public folder and a specific photographs folder to share with a Win7 PC on my home network, the Win7 machine can see the entire Mac HD.
    I followed instructions from here:
    http://www.trickyways.com/2011/07/file-sharing-mac-os-x-lion-and-pc-windows-7/
    But if I type Run then enter the ip address of the Mac, all the folders appear. Is there a way to limit them to only the two specific folders?
    I've mapped the single folder to a drive, so admittedly, unless you go into "Run", you can't see the other Mac folders and drives, but I'd still like to make sure it can't be done.
    Thanks

    Welcome to the Apple Community.
    Cricket66 wrote:
    ........ How can I set photo stream to only upload specific images?
    That's not possible unfortunately.

  • Time Machine spends hours partially backing up and then fails with "Time Machine couldn't complete the backup due to a network problem."  Tried suggestions I've seen on the forum.

    Time Machine spends hours partially backing up and then fails with "Time Machine couldn't complete the backup due to a network problem."  I've tried various suggestions I've seen on the forum but nothing has worked.  TIme Machine worked fine for the last two years and just suddenly started having this problem every time.  The only thing that was a little different is that the computer was off for a week while on vacation and then I added a large amount (20 GB) of photos. Now the requested backup size is 82GB, which is large, and process proceeds very slowly for 2-3 hours before failing with the message mentioned.  I have more than enough available backup storage space for it.  Before failing, Time Machine has backed up no more than 12GB or so of the backup.  It fails during different files each time.
    I've turned off the computer sleep feature, and I've checked that the NAS is set to never automatically power down. I normally backup over Wi-Fi, but I've also tried connecting to Ethernet and it still has the same problem.  It's odd because I also have a MacBook Pro that is still backing up fine to the same NAS using the MacBook's Time Machine. 
    I am using an iMac with OS X 10.6.8 and an Iomega StorCenter ix2-200 NAS.
    I have system logs that I can share if helpful.  The logged messages vary a bit from run to run, but here are some messages that I've been seeing:
    I always get this message near the beginning of the backup:
    Event store UUIDs don't match for volume: Macintosh HD
    I've gotten this messsage a number of times:
    Bulk setting Spotlight attributes failed.
    One Day
    Stopping backupd to allow ejection of backup destination disk!
    Another day
    1/7/12 10:44:20 AM
    mDNSResponder[18]
    PenaltyTimeForServer: PenaltyTime negative -112916, (server penaltyTime -1132397006, timenow -1132284090) resetting the penalty
    1/7/12 10:46:37 AM
    kernel
    ASP_TCP Disconnect: triggering reconnect by bumping reconnTrigger from curr value 0 on so 0x1106be94
    1/7/12 10:46:37 AM
    kernel
    AFP_VFS afpfs_DoReconnect started /Volumes/TimeMachine prevTrigger 0 currTrigger 1
    Another Day
    1/6/12 8:03:22 AM
    Google Chrome[164]
    Cannot find function pointer CMPluginInFactory for factory 3487BB5A-3E66-11D5-A64E-003065B300BC in CFBundle/CFPlugIn 0x16f99e20 </Users/smarmer/Library/Contextual Menu Items/Google Notifier Quick Add CM Plugin.plugin> (not loaded)
    1/6/12 8:04:02 AM
    com.apple.backupd[193]
    Copied 7.5 GB of 67.0 GB, 8866 of 8866 items
    1/6/12 8:06:58 AM
    /System/Library/CoreServices/CCacheServer.app/Contents/MacOS/CCacheServer[1013]
    No valid tickets, timing out
    1/6/12 8:29:44 AM
    mDNSResponder[19]
    PenaltyTimeForServer: PenaltyTime negative -148702, (server penaltyTime 2056822773, timenow 2056971475) resetting the penalty
    1/6/12 8:59:22 AM
    kernel
    ASP_TCP Disconnect: triggering reconnect by bumping reconnTrigger from curr value 0 on so 0xa5ac380
    1/6/12 8:59:22 AM
    kernel
    AFP_VFS afpfs_DoReconnect started /Volumes/TimeMachine prevTrigger 0 currTrigger 1
    1/6/12 8:59:22 AM
    kernel
    AFP_VFS afpfs_DoReconnect:  doing reconnect on /Volumes/TimeMachine
    1/6/12 8:59:22 AM
    kernel
    AFP_VFS afpfs_DoReconnect:  soft mounted and hidden volume so do not notify KEA for /Volumes/TimeMachine
    1/6/12 8:59:22 AM
    kernel
    AFP_VFS afpfs_DoReconnect:  Max reconnect time: 30 secs, Connect timeout: 15 secs for /Volumes/TimeMachine
    1/6/12 8:59:22 AM
    kernel
    AFP_VFS afpfs_DoReconnect:  connect to the server /Volumes/TimeMachine
    1/6/12 8:59:22 AM
    kernel
    ASP_TCP asp_SetTCPQoS:  sock_settclassopt got error 57
    Another day
    1/5/12 3:48:55 PM
    mdworker[2128]
    CFPropertyListCreateFromXMLData(): Old-style plist parser: missing semicolon in dictionary.
    1/5/12 4:24:54 PM
    mDNSResponder[19]
    PenaltyTimeForServer: PenaltyTime negative -42698, (server penaltyTime 1148718961, timenow 1148761659) resetting the penalty
    1/5/12 4:29:58 PM
    com.apple.backupd[2074]
    Copied 586.4 MB of 67.0 GB, 9891 of 9891 items
    1/5/12 4:39:00 PM
    kernel
    ASP_TCP Disconnect: triggering reconnect by bumping reconnTrigger from curr value 0 on so 0xa1c0380

    bokon0n wrote:
    1/11/12 8:53:30 AM
    com.apple.backupd[1169]
    Warning: Destination /Volumes/TimeMachine does not support TM Lock Stealing
    1/11/12 8:53:30 AM
    com.apple.backupd[1169]
    Warning: Destination /Volumes/TimeMachine does not support Server Reply Cache
    Those indicate that your NAS is not fully compatible with Snow Leopard. 
    1/11/12 8:53:35 AM
    kernel
    jnl: disk2s2: replay_journal: from: 67182592 to: 78680064 (joffset 0xa7b8000)
    1/11/12 8:53:39 AM
    kernel
    jnl: disk2s2: examining extra transactions starting @ 78680064 / 0x4b09000
    1/11/12 8:53:39 AM
    kernel
    jnl: disk2s2: Extra txn replay stopped @ 79056896 / 0x4b65000
    1/11/12 8:53:49 AM
    kernel
    jnl: disk2s2: journal replay done.
    1/11/12 8:53:49 AM
    fseventsd[41]
    event logs in /Volumes/Time Machine/.fseventsd out of sync with volume.  destroying old logs. (253512 14 253512)
    1/11/12 8:53:50 AM
    kernel
    hfs: Removed 1 orphaned / unlinked files and 0 directories
    That looks like a problem was found with the file system (data) on the TM disk.  I don't know the details, but OSX tried to recover it from the journal, and found extra data on the drive.    Likely a result of the incompatibility mentioned above.
    1/11/12 9:47:40 AM
    com.apple.backupd[1169]
    Bulk setting Spotlight attributes failed.
    That's a problem writing to the NAS drive.
    But the backup continued after all this.
    1/11/12 1:25:07 PM
    kernel
    ASP_TCP Disconnect: triggering reconnect by bumping reconnTrigger from curr value 0 on so 0x9d00b44
    Something caused a disconnect.  Can't tell from the log what it was.
    I doubt it's a problem with something in OSX being damaged or corrupted, but reinstalling OSX isn't a major hassle, so might be worth a try.
    To be incompatible with Snow Leopard, this NAS must be at least a couple of years old.  It may be beginning to fail.
    Contact the maker.  See if there's an update to make it compatible with Snow Leopard.  If so, that might fix it.
    If not, or if that doesn't fix it, see if they have any diagnostics that will shed any light.

  • Using Time Capsule for backup only (no Wifi)

    I posted a problem in another thread ( https://discussions.apple.com/message/22500623#22500623 ) about conflicts with my Time Capsule and Comcast modem. Apple concluded that there was a hardware problem with the Time Capsule. I got a new Time Capsule yesterday since I couldn't get a refund on the old one. Because configuring the Time Capsule to work as a Wifi station requires such a hassle and I don't get any extra benefits in terms of speed compared to my Comcast modem, I now have a very expensive hard drive for backup. I have some questions about using the TC for backup only since I am running into some problems with the backup.
    1. Does the TC have to be connected to my modem? It seems that when I do not connect the TC to the modem then I end up with the backup stalling after a few GB. Additionally, I end up with the flashing amber light.
    2. If I do connect the TC to the modem it backs up but my WIFI grinds to a halt (likely a product of all the data pushing from the computer through the modem and to the TC). I should add that in Airport Utility I have turned off WIFI on the TC so it should not be interfering with the WIFI. If I do need to connect to the modem are there any tips for not messing up WIFI speeds beyond just backing up when everyone is asleep? I assume not, but it can't hurt to ask.
    Thanks.

    2. My initial setup showe various errors so I hooked the TC into the modem via the WAN port and then I was able to set up (WIFI off, Bridge Mode OFF) and those errors went away.
    If I understand your last post correctly, you say that I should do a reset on the TC. Re-configure but leave the errors because backups will still work. Then I can leave the TC unplugged until I need to use it (which has the added bonus of limited flashing amber light). Is this correct?
    You are setting up the TC in the wrong mode.. it has to be in Router mode.. Not Bridge..
    You are worrying too much about the flashing amber.. it is irrelevant. You can select ignore and it will go green.
    This setup is actually simple.
    So here is what I suggest.
    1. Factory reset the TC.
    Just to get started from a clean setup. And that will put the TC in the correct mode.. ie dhcp and nat.
    2. Plug it by ethernet LAN TC to computer. On the computer no other connection.. turn off wireless.
    3. Just change the name of the TC to something short as it helps.. eg TCGen5
    And turn the wireless off.
    And ignore all the other problems.
    4. Now setup TM.. I would also start clean.. do a fresh TM setup .. see A4 here.
    http://pondini.org/TM/Troubleshooting.html
    5. Run the backup. Maybe even erase the TC before you start so you are really doing a fresh clean backup.
    The very first backup will start quickly and drop to very slow speed as there are heaps of very small files in the system.. these take a long time to process.. but as it proceeds it will speed up. Overall you should still average 50GB/hr.
    6. Once you complete the first backup, later ones should be fine.. but do not expect them to work as well as when you do it hourly.. it does need to do a lot more work to figure out where the TM backup is up to.
    I would like to get you to have another crack at using the TC properly in the network. When you are over the pain of all this.. and perhaps when apple releases a decent firmware update you can go back to it.. but I have another suggestion for setup. Get the above working first so you have a good first backup of all your computers.

  • Scheduled system image backup windows 8.1

    Hello,
    in windows 8.1. there is an option to create a system image backup.
    What can be done to configure this as a scheduled job to backup a machine every night as an image?
    Thx

    Hi,
    Since MS took away the scheduling feature in System image backup, we can only use script  in the Task Scheduler as Chrise mentioned.
    You can also refer to this article: 
    How to schedule a Windows 8.1 System Image backup (step-by-step)
    http://pureinfotech.com/2013/10/24/schedule-windows-81-system-image-backup/
    This response contains a reference to a third party World Wide Web site. Microsoft is providing this information as a convenience to you. Microsoft does not control these sites and has not tested any software or information found on these sites; therefore,
    Microsoft cannot make any representations regarding the quality, safety, or suitability of any software or information found there. There are inherent dangers in the use of any software found on the Internet, and Microsoft cautions you to make sure that you
    completely understand the risk before retrieving any software from the Internet.
    Hope this would be easy understanding. 
    Regards,
    Kate Li
    We
    are trying to better understand customer views on social support experience, so your participation in this
    interview project would be greatly appreciated if you have time.
    Thanks for helping make community forums a great place.
    Tested and works make sure to change drives to backup and destination
    SCHTASKS /Create /SC WEEKLY /D MON /TN WeeklyFullBackup /RL HIGHEST /ST 13:00 /TR “wbAdmin Start Backup -backupTarget:F: -include:C: -allCritical -quiet”

  • How to setup Time Capsule for wireless backup only

    I have a new Time Capsule that I want to set up for wireless backups of both my Macbook Air (with Time Machine) and a Windows Vista laptop. I have an existing home wireless network with my Att/Uverse tv and internet service. I do not want to disturb that network/internet setup.
    How do I set up the time capsule to use it for wireless backup only? When I start the Airport utility setup, the first thing it asks is do I want to 1) set up new network, 2) replace existing router, or 3) join existing network.

    Thanks. That got me the green light and a message that everything was set up properly. It started it's first Time Machine backup and everything looked good for a while. But now I have a new problem.
    The backup failed twice. The first time it had a message that it could no longer find the time capsule, so I had to reset it and go thru the setup procedures again. Started backup again overnight, and this morning it tells me that it failed again. But this time I still have my green light, and the message is "a network problem may have interfered with the backup.
    I don't know what else to do with the setup to get it to work. Right now it has started backing up again on its own, so I'll leave it going one more time. (I should tell you that all of this is occurring on my Mac. I have not even started setting it up on the Vista machine. I want to make sure it works on the Mac first). Any advice from anyone who had the same problems with setup would be appreciated.

  • Cellular data only for specific apps

    Is there a way by which i can enable cellular data only for specific apps? Lets suppose i want only mail and viber to run on cellular. So how do i enable cellular network only for viber and mail

    Hello all,
    I have been using the iPhone 4S for about a year and I never had problems untill a few days back. Since about a week, my 3G settings for applications installed automatically reset.
    Path >> iPhone screen >> Settings >> Mobile(Cellular) >> Use Mobile Data For >> "List of all apps installed"
    Against each application, you have an option to either enable / disable the mobile data usage:
    Eg:
    App Store          (swipe left to disable || swipe right to enable)
    Contacts          (swipe left to disable || swipe right to enable)
    Facebook          (swipe left to disable || swipe right to enable)
    Facetime          (swipe left to disable || swipe right to enable)
    Weather          (swipe left to disable || swipe right to enable)
    You Tube          (swipe left to disable || swipe right to enable)
    etc...
    Problem:
    If I don't want You Tube to use mobile data, I would normally swipe left to disable thus the application will not start / stream any music if its on 3G/4G. Since a few days, whenever I disable the option for any app... go back to the main screen and recheck the settings, I see its enabled again!
    The error I see when I start the app is:
    MOBILE DATA IS TURNED OFF FOR "YOU TUBE"
    You can turn on mobile data for this app in settings
    <Settings>     <OK>
    When I go back to settings... I see the option is enabled.
    Now I dont know what and how this happened all of a sudden. I have tried resetting the network settings for my iPhone, and it has not helped me.
    My iPhone is updated to OS 7.0.4 and all apps are updated.
    Anyone can help me on this error and how do I fix this?
    FYI... I have no problems connecting to WiFi at all!

  • SAP_COLLECTOR_FOR_PERFMONITOR - canceled only at specific time

    Hi All,
    Job SAP_COLLECTOR_FOR_PERFMONITOR is scheduled hourly on ECC system.
    All jobs are finished successfully in a day but only at specific time its getting failed.
    Recently we have upgrade the support package of SAP_BASIS & SAP_ABP from 05 to 13. After then we are getting this error message.
    In ST22 we getting ABAP dump for job:-
    Runtime Errors         LOAD_PROGRAM_NOT_FOUND
    Date and Time          27.08.2014 12:19:42
    Short text
         Program "RSORA811" not found.
    What happened?
         There are several possibilities:
         Error in the ABAP Application Program
         The current ABAP program "RSCOLL00" had to be terminated because it has
         come across a statement that unfortunately cannot be executed.
         or
         Error in the SAP kernel.
         The current ABAP "RSCOLL00" program had to be terminated because the
         ABAP processor detected an internal system error.
    Error analysis
        On account of a branch in the program
        (CALL FUNCTION/DIALOG, external PERFORM, SUBMIT)
        or a transaction call, another ABAP/4 program
        is to be loaded, namely "RSORA811".
        However, program "RSORA811" does not exist in the library.
        Possible reasons:
        a) Wrong program name specified in an external PERFORM or
           SUBMIT or, when defining a new transaction, a new
           dialog module or a new function module.
        b) Transport error
    How to correct the error
        Check the last transports to the R/3 System.
        Are changes currently being made to the program "RSCOLL00"?
        Has the correct program been entered in table TSTC for Transaction " "?
        If the error occures in a non-modified SAP program, you may be able to
        find an interim solution in an SAP Note.
        If you have access to SAP Notes, carry out a search with the following
        keywords:
        "LOAD_PROGRAM_NOT_FOUND" " "
        "RSCOLL00" or "RSCOLL00"
        "LOOP_AT_SYSTEMS_AND_REPORTS"
    System Details :-
    SAP Version - SAP ECC 6.0 EHP 4
    Oracle DB - 10.2.0.5.0
    OS- HP UNIX 11.31
    Kernel Release 721 - patch level 201
    Please suggest for solution
    Regards,
    Ajay Asawa

    Hi Ajay,
    If any job is failing at a particular time, you should look for other changes happening in you system.
    Perhaps, any other job running causing problems.
    Alos, refer: 1841778 - LOAD_PROGRAM_NOT_FOUND in RSCOLL00
    Regards,
    Divyanshu

Maybe you are looking for

  • How to do The scenario of Make to order with inquiry and quotation?????????

    Dear All Now I am implementing a make to order scenario, what we have is a scenario described as below: The customer sends an inquiry to my client requesting a quotation for manufactures some goods then we have to check the cost and time to manufactu

  • Installed but icon doesn't work

    When I click on the smart web printing icon it tells me I have to update.  A message comes back that version 6.4 is already installed.  But the Icon doesn't work and takes me back to installing again.  Photosmart c410 Windows Vista Dell

  • Need documentation for writing GPIB drivers for RTOS-32 using Borland C 5.51

    Greetings, I need to develop GPIB drivers (using the NI GPIB card) for the RTOS-32 operating system (by On-Time). I am using Borland C 5.51 as the compiler. I am looking for info/examples on writing/porting low level drivers for the GPIB. The example

  • Required inventory level in Item Master

    Hi,                     In the item master data in Inventory tab we have minimum inventory,maximum inventory and also required level.What is the function of that field.Because it is not filled automatically even after the stock level goes below minim

  • Struck by lightening, now network doesn't work properly

    Can anyone help me out with this: http://discussions.apple.com/thread.jspa?messageID=9631091