1356

I would like to check to see if I have an Internet connection on iOS using the Cocoa Touch libraries or on macOS using the Cocoa libraries.

I came up with a way to do this using an NSURL. The way I did it seems a bit unreliable (because even Google could one day be down and relying on a third party seems bad), and while I could check to see for a response from some other websites if Google didn't respond, it does seem wasteful and an unnecessary overhead on my application.

- (BOOL) connectedToInternet
{
    NSString *URLString = [NSString stringWithContentsOfURL:[NSURL URLWithString:@"http://www.google.com"]];
    return ( URLString != NULL ) ? YES : NO;
}

Is what I have done bad, (not to mention stringWithContentsOfURL is deprecated in iOS 3.0 and macOS 10.4) and if so, what is a better way to accomplish this?

Tamás Sengel
  • 47,657
  • 24
  • 144
  • 178
Brock Woolf
  • 44,051
  • 47
  • 117
  • 143
  • You could replace the last line with: return (id)URLString; (Omitting the cast will also work, but might give you a compiler warning.) – Felixyz Jul 05 '09 at 09:18
  • 11
    Rather `return (BOOL)URLString;`, or even better, `return !!URLString` or `return URLString != nil` –  Jun 24 '12 at 20:48
  • 3
    I don't know what your use case is, but if you can it's preferable to try the request and handle any errors such as a lack of connection that arise. If you can't do this, then there's plenty of good advice here in this case. – SK9 Jul 01 '13 at 05:06
  • 2
    Your solution is clever, and I prefer it. You can also use `NSString *URLString = [NSString stringWithContentsOfURL:[NSURL URLWithString:@"https://twitter.com/getibox"] encoding:NSUTF8StringEncoding error:nil];` To get rid of the annoying warning. – Abdelrahman Eid Oct 29 '13 at 16:56
  • 4
    try using Reachability class from the below link, it will work for you https://github.com/tonymillion/Reachability – Dhaval H. Nena Jan 01 '14 at 12:11
  • 4
    For those recently finding this answer: http://stackoverflow.com/a/8813279 – afollestad Apr 17 '14 at 20:16
  • Or try this singleton class so you can set a timeout to avoid hangs in 100% packet loss scenarios. https://github.com/fareast555/TFInternetChecker – Mike Critchley Aug 26 '15 at 05:56
  • The fastest and easiest way to check connection - http://stackoverflow.com/a/8813279/5790492 – Nik Kov Jun 09 '16 at 10:17
  • https://stackoverflow.com/a/42710600/6898523 – MAhipal Singh Jul 20 '18 at 07:11

46 Answers46

1302

Important: This check should always be performed asynchronously. The majority of answers below are synchronous so be careful otherwise you'll freeze up your app.


Swift

1) Install via CocoaPods or Carthage: https://github.com/ashleymills/Reachability.swift

2) Test reachability via closures

let reachability = Reachability()!

reachability.whenReachable = { reachability in
    if reachability.connection == .wifi {
        print("Reachable via WiFi")
    } else {
        print("Reachable via Cellular")
    }
}

reachability.whenUnreachable = { _ in
    print("Not reachable")
}

do {
    try reachability.startNotifier()
} catch {
    print("Unable to start notifier")
}

Objective-C

1) Add SystemConfiguration framework to the project but don't worry about including it anywhere

2) Add Tony Million's version of Reachability.h and Reachability.m to the project (found here: https://github.com/tonymillion/Reachability)

3) Update the interface section

#import "Reachability.h"

// Add this to the interface in the .m file of your view controller
@interface MyViewController ()
{
    Reachability *internetReachableFoo;
}
@end

4) Then implement this method in the .m file of your view controller which you can call

// Checks if we have an internet connection or not
- (void)testInternetConnection
{   
    internetReachableFoo = [Reachability reachabilityWithHostname:@"www.google.com"];

    // Internet is reachable
    internetReachableFoo.reachableBlock = ^(Reachability*reach)
    {
        // Update the UI on the main thread
        dispatch_async(dispatch_get_main_queue(), ^{
            NSLog(@"Yayyy, we have the interwebs!");
        });
    };

    // Internet is not reachable
    internetReachableFoo.unreachableBlock = ^(Reachability*reach)
    {
        // Update the UI on the main thread
        dispatch_async(dispatch_get_main_queue(), ^{
            NSLog(@"Someone broke the internet :(");
        });
    };

    [internetReachableFoo startNotifier];
}

Important Note: The Reachability class is one of the most used classes in projects so you might run into naming conflicts with other projects. If this happens, you'll have to rename one of the pairs of Reachability.h and Reachability.m files to something else to resolve the issue.

Note: The domain you use doesn't matter. It's just testing for a gateway to any domain.

iwasrobbed
  • 45,197
  • 20
  • 140
  • 190
  • When they talk about the host being reachable, they are actually talking about whether or not a *gateway* to the host is reachable or not. They don't mean to say that "google.com" or "apple.com" is available, but moreso that a means of getting there is available. – iwasrobbed Oct 19 '10 at 15:21
  • My checkNetworkStatus method is not getting called.. I'm retaining in the init method. Anyone else have this trouble? – quantumpotato Dec 21 '10 at 16:46
  • Ah - have to call it manually, since the internet connection isn't "Changed" right when you start. In my ConnectionService init: _internetReachable = [[Reachability reachabilityForInternetConnection] retain]; [self checkNetworkStatus]; works. Thanks! +1 – quantumpotato Dec 21 '10 at 17:07
  • 4
    @gonzobrains: The domain you use doesn't matter. It's just testing for a gateway to *any* domain. – iwasrobbed Jun 14 '11 at 21:33
  • This example is using internetReachable, hostReachable as class members, which, for me, raises memory errors. I solved it by following Apple's example and accessing the object returned with the notification in the observer method. – Tudor Jun 24 '11 at 09:17
  • This is great - way better than what I was doing, which was using a built in WS ping method – tacos_tacos_tacos Aug 10 '11 at 03:29
  • So many Apple Mach-O Linker Error, can anyone make a simple project using this and post it up please? thanks – Steve Ham Aug 26 '11 at 08:15
  • Tip: Make sure no other libraries you have added already contain Reachability. I had linker errors only to realise Sharekit already had Reachability .h & .m included so I had them in the project twice. – Daniel Bowden Jan 17 '12 at 12:43
  • @gonzobrains There are places where google is not reachable for multiple reasons. – Coyote Mar 08 '12 at 11:35
  • Does WWAN include checking 3G connections? – Guy Daher Mar 09 '12 at 12:39
  • I already have existing Reachability files which are used by ShareKit. If I overwrite those files with the tonymillion version is my app going to break horribly? – Snowcrash Apr 26 '12 at 17:53
  • You using a BOOL, but if I copy your solution, the BOOL will always be false untill if I initialize it as True. Even when the BOOL is initialize before the notification come. – lagos Jul 16 '12 at 13:06
  • and don't forget to release `internetReachable` and `hostReachable` _in your dealloc or viewWillDisappear or similar method_ – beryllium Jul 30 '12 at 07:37
  • I think this does not work correctly when phone is in airplane mode. Have any of you checked it? – Krishnan Sep 28 '12 at 06:47
  • how can one detect network changes if the app is in the background? – Hashmat Khalil Feb 21 '13 at 10:21
  • AFAIK, google.com is blocked in china - what happens to a user running this code in china? – Kaan Dedeoglu May 06 '13 at 15:32
  • 3
    @KaanDedeoglu It's just an example, use whatever domain you want. It simply checks for a gateway to the internet, not that the domain is actually available. – iwasrobbed May 06 '13 at 16:04
  • Note... For approach 1, you'll need to add the "SystemConfiguration framework to the project", or you'll get errors like "_SCError, referenced from":", as detailed here: http://stackoverflow.com/a/11014062/26510 – Brad Parks Jul 30 '13 at 17:34
  • 1
    Oh, btw you need to add `SystemConfiguration.framework` to the project as well (for method 1). – wiseindy Aug 16 '13 at 18:55
  • I'm an Android programmer learning iOS and I'm simply amazed that iOS doesn't have a simple built-in way of checking the internet connection! In Android SDK it's a one-liner. – Bogdan Alexandru Aug 29 '13 at 13:31
  • @BogdanAlexandru – iwasrobbed Aug 29 '13 at 23:38
  • @iWasRobbed `boolean is_internet_connection = (((ConnectivityManager) getSystemService(Context.CONNECTIVITY_SERVICE)).getActiveNetworkInfo() != null);` – Bogdan Alexandru Aug 30 '13 at 07:13
  • @BogdanAlexandru I was speaking more broadly, like in-app purchases for example :) Or expansion files... Just have to be happy with what we have. – iwasrobbed Aug 30 '13 at 16:33
  • however, no method can detect those case that need to log in. – LiangWang Jul 15 '14 at 02:20
  • @Jacky Huh? Detecting internet connection has nothing to do with storing user sessions for log in. – iwasrobbed Jul 15 '14 at 18:12
  • 2
    Use www.appleiphonecell.com instead of google.com - this url was created by apple for precisely this reason. – Smikey Jul 25 '15 at 13:55
  • What types of things are you all using to "Update the UI on the main thread" asynchronously in Method 1#4? `NSNotificationCenter`? – kraftydevil Aug 21 '15 at 06:17
  • Where to call `testInternetConnection:` or how many times to call it. I'm assuming only once? – kraftydevil Aug 21 '15 at 07:00
  • 1
    @iWasRobbed - ty. I found a blog post that spells out exactly what you're talking about: http://code.tutsplus.com/tutorials/ios-sdk-detecting-network-changes-with-reachability--mobile-18299 – kraftydevil Aug 25 '15 at 10:08
  • I used the Method 1 and trying to switch the Wifi on mac to check the status, strange is when wife disconnected unreachability block is called however' when Wifi made ON' the reachable block gets called , immediately the unreachable block calls as well. Why this error. – Vicky Dhas Dec 27 '16 at 04:12
  • It doesn't work if I am logged on an antenna wi-fi with no internet connection on it... – ΩlostA Jan 19 '18 at 11:48
  • 1
    Use of www.appleiphonecell.com is now (2018) a bad choice. It now redirects to Apple.com which is a > 40kB html file. Back to google.com - it is only 11kB. BTW google.com/m is same size but is reported to be slower by 120 msec. – BlueskyMed Dec 09 '18 at 17:31
  • I must say, any answer that starts with "Install via CocoaPods" is not a really an answer. – Tjalsma Apr 12 '19 at 19:52
  • @Tjalsma Guessing you've never worked with Reachability before; you're going to want to use a standard solution and not recreate the wheel – iwasrobbed Apr 17 '19 at 11:00
  • I tested your `reachability.whenReachable = { reachability in` Swift suggestion but it didn't do anything. Instead I'm now using `if reachability.connection != .none`(Swift 5, latest version of the file) and it's working well (only tested with emulator and wired internet). – Neph May 17 '19 at 12:40
  • 1
    @ΩlostA Did you find a solution for that case? – Keselme Jan 08 '20 at 15:43
  • @Keselme I don't know if it answer precisely to your problem, but I use that for now, and it works for me : https://stackoverflow.com/a/48347191/3581620 – ΩlostA Jan 08 '20 at 16:57
  • You can observe some defects on a Simulator – yoAlex5 Oct 13 '20 at 23:38
311

I like to keep things simple. The way I do this is:

//Class.h
#import "Reachability.h"
#import <SystemConfiguration/SystemConfiguration.h>

- (BOOL)connected;

//Class.m
- (BOOL)connected
{
    Reachability *reachability = [Reachability reachabilityForInternetConnection];
    NetworkStatus networkStatus = [reachability currentReachabilityStatus];
    return networkStatus != NotReachable;
}

Then, I use this whenever I want to see if I have a connection:

if (![self connected]) {
    // Not connected
} else {
    // Connected. Do some Internet stuff
}

This method doesn't wait for changed network statuses in order to do stuff. It just tests the status when you ask it to.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
cannyboy
  • 23,724
  • 40
  • 138
  • 242
  • Hi @msec, you can try Andrew Zimmer solution in this page, it works fine with adsl disconnected (and wifi connected) – Williew May 05 '12 at 02:30
  • 1
    For those who just copy and paste like i did with the above code. Also add SystemConfiguration.framework manually or you will get linking error. – Iftikhar Ali Ansari Jan 14 '15 at 13:56
  • Always come as reachable if i connect with WiFi. WiFi doesn't mean that it is having internet connection. I wanna verify internet connection even it has WiFi connectivity. Can you please help me out? – wesley Jan 29 '19 at 11:55
146

Using Apple's Reachability code, I created a function that'll check this correctly without you having to include any classes.

Include the SystemConfiguration.framework in your project.

Make some imports:

#import <sys/socket.h>
#import <netinet/in.h>
#import <SystemConfiguration/SystemConfiguration.h>

Now just call this function:

/*
Connectivity testing code pulled from Apple's Reachability Example: https://developer.apple.com/library/content/samplecode/Reachability
 */
+(BOOL)hasConnectivity {
    struct sockaddr_in zeroAddress;
    bzero(&zeroAddress, sizeof(zeroAddress));
    zeroAddress.sin_len = sizeof(zeroAddress);
    zeroAddress.sin_family = AF_INET;

    SCNetworkReachabilityRef reachability = SCNetworkReachabilityCreateWithAddress(kCFAllocatorDefault, (const struct sockaddr*)&zeroAddress);
    if (reachability != NULL) {
        //NetworkStatus retVal = NotReachable;
        SCNetworkReachabilityFlags flags;
        if (SCNetworkReachabilityGetFlags(reachability, &flags)) {
            if ((flags & kSCNetworkReachabilityFlagsReachable) == 0)
            {
                // If target host is not reachable
                return NO;
            }

            if ((flags & kSCNetworkReachabilityFlagsConnectionRequired) == 0)
            {
                // If target host is reachable and no connection is required
                //  then we'll assume (for now) that your on Wi-Fi
                return YES;
            }


            if ((((flags & kSCNetworkReachabilityFlagsConnectionOnDemand ) != 0) ||
                 (flags & kSCNetworkReachabilityFlagsConnectionOnTraffic) != 0))
            {
                // ... and the connection is on-demand (or on-traffic) if the
                //     calling application is using the CFSocketStream or higher APIs.

                if ((flags & kSCNetworkReachabilityFlagsInterventionRequired) == 0)
                {
                    // ... and no [user] intervention is needed
                    return YES;
                }
            }

            if ((flags & kSCNetworkReachabilityFlagsIsWWAN) == kSCNetworkReachabilityFlagsIsWWAN)
            {
                // ... but WWAN connections are OK if the calling application
                //     is using the CFNetwork (CFSocketStream?) APIs.
                return YES;
            }
        }
    }

    return NO;
}

And it's iOS 5 tested for you.

Cœur
  • 32,421
  • 21
  • 173
  • 232
Andrew Zimmer
  • 3,194
  • 1
  • 17
  • 18
  • @JezenThomas This doesn't perform the internet check asynchronously, which is why it is "much slimmer"... You should always be doing this asynchronously by subscribing to notifications so that you don't hang up the app on this process. – iwasrobbed May 03 '12 at 05:29
  • Thanks, this work even if you are using wifi adsl and adsl is not connected, is exactly what I need. – Williew May 05 '12 at 02:27
  • 5
    This leaks memory - the 'readability' structure (object, thing) needs to be freed with CFRelease(). – Russell Mull Nov 20 '12 at 08:52
  • @RussellMull ... any idea how to fix the leak? – i_raqz Sep 15 '13 at 05:23
  • Weird that this answer predates mine (on a question marked as a duplicate) by 2 years, is exactly the same as mine, but I never saw it until today. – ArtOfWarfare Jan 30 '14 at 05:32
  • any ideas how to test connection to concrete IP and Port? Like "127.0.0.1:1535" – Artem Zaytsev Sep 10 '15 at 14:01
123

This used to be the correct answer, but it is now outdated as you should subscribe to notifications for reachability instead. This method checks synchronously:


You can use Apple's Reachability class. It will also allow you to check if Wi-Fi is enabled:

Reachability* reachability = [Reachability sharedReachability];
[reachability setHostName:@"www.example.com"];    // Set your host name here
NetworkStatus remoteHostStatus = [reachability remoteHostStatus];

if (remoteHostStatus == NotReachable) { }
else if (remoteHostStatus == ReachableViaWiFiNetwork) { }
else if (remoteHostStatus == ReachableViaCarrierDataNetwork) { }

The Reachability class is not shipped with the SDK, but rather a part of this Apple sample application. Just download it, and copy Reachability.h/m to your project. Also, you have to add the SystemConfiguration framework to your project.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Daniel Rinser
  • 8,730
  • 4
  • 38
  • 39
82

Here's a very simple answer:

NSURL *scriptUrl = [NSURL URLWithString:@"http://www.google.com/m"];
NSData *data = [NSData dataWithContentsOfURL:scriptUrl];
if (data)
    NSLog(@"Device is connected to the Internet");
else
    NSLog(@"Device is not connected to the Internet");

The URL should point to an extremely small website. I use Google's mobile website here, but if I had a reliable web server I'd upload a small file with just one character in it for maximum speed.

If checking whether the device is somehow connected to the Internet is everything you want to do, I'd definitely recommend using this simple solution. If you need to know how the user is connected, using Reachability is the way to go.

Careful: This will briefly block your thread while it loads the website. In my case, this wasn't a problem, but you should consider this (credits to Brad for pointing this out).

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Erik
  • 1,998
  • 17
  • 16
  • 10
    I really like this idea, but I would say for the 99.999% reliability while maintaining a small response size, go with www.google.com/m which is the mobile view for google. – rwyland Sep 23 '12 at 05:46
  • 1
    Awesome solution @Erik. What i also recommend you is to use www.google.com, instead of www.google.com/m, as rwyland said. It's weird, but from my test the mobile version always takes about 120ms more than the www.google.com – Sebyddd May 15 '14 at 13:27
  • 4
    Apple docs recommend not to do this since it can block the thread on a slow network, can cause app to be terminated in iOS – Brad Thomas Oct 07 '14 at 17:44
  • Thanks for the positive feedback, agree that www.google.com/m is the best solution because of reliability! – Erik Aug 08 '15 at 13:02
  • Also true that this will block the thread. That's why I'm using an extremely small website. Again, it's simple, not elegant. – Erik Nov 11 '15 at 14:16
  • do not use syncronous calls.. as Apple states. (and note that syncronsus call will wrap an asyn call.. :) ) – ingconti Aug 16 '17 at 10:25
  • dont use Async code "masked" as async. Doing do you can end up waiting forever (App stuck) if for example DNS are not set.. call will block indefinitely. – ingconti Aug 24 '17 at 07:40
  • 4
    LOL, I’m sure Google appreciate you suggesting people use them as an Internet check resource. – mxcl Apr 03 '18 at 15:28
  • I tried that solution, when I'm connected to WiFi network with no internet access I get stuck. – Keselme Jan 08 '20 at 15:15
73

Here is how I do it in my apps: While a 200 status response code doesn't guarantee anything, it is stable enough for me. This doesn't require as much loading as the NSData answers posted here, as mine just checks the HEAD response.

Swift Code

func checkInternet(flag:Bool, completionHandler:(internet:Bool) -> Void)
{
    UIApplication.sharedApplication().networkActivityIndicatorVisible = true

    let url = NSURL(string: "http://www.google.com/")
    let request = NSMutableURLRequest(URL: url!)

    request.HTTPMethod = "HEAD"
    request.cachePolicy = NSURLRequestCachePolicy.ReloadIgnoringLocalAndRemoteCacheData
    request.timeoutInterval = 10.0

    NSURLConnection.sendAsynchronousRequest(request, queue:NSOperationQueue.mainQueue(), completionHandler:
    {(response: NSURLResponse!, data: NSData!, error: NSError!) -> Void in

        UIApplication.sharedApplication().networkActivityIndicatorVisible = false

        let rsp = response as! NSHTTPURLResponse?

        completionHandler(internet:rsp?.statusCode == 200)
    })
}

func yourMethod()
{
    self.checkInternet(false, completionHandler:
    {(internet:Bool) -> Void in

        if (internet)
        {
            // "Internet" aka Google URL reachable
        }
        else
        {
            // No "Internet" aka Google URL un-reachable
        }
    })
}

Objective-C Code

typedef void(^connection)(BOOL);

- (void)checkInternet:(connection)block
{
    NSURL *url = [NSURL URLWithString:@"http://www.google.com/"];
    NSMutableURLRequest *headRequest = [NSMutableURLRequest requestWithURL:url];
    headRequest.HTTPMethod = @"HEAD";

    NSURLSessionConfiguration *defaultConfigObject = [NSURLSessionConfiguration ephemeralSessionConfiguration];
    defaultConfigObject.timeoutIntervalForResource = 10.0;
    defaultConfigObject.requestCachePolicy = NSURLRequestReloadIgnoringLocalAndRemoteCacheData;

    NSURLSession *defaultSession = [NSURLSession sessionWithConfiguration:defaultConfigObject delegate:self delegateQueue: [NSOperationQueue mainQueue]];

    NSURLSessionDataTask *dataTask = [defaultSession dataTaskWithRequest:headRequest
        completionHandler:^(NSData *data, NSURLResponse *response, NSError *error)
    {
        if (!error && response)
        {
            block([(NSHTTPURLResponse *)response statusCode] == 200);
        }
    }];
    [dataTask resume];
}

- (void)yourMethod
{
    [self checkInternet:^(BOOL internet)
    {
         if (internet)
         {
             // "Internet" aka Google URL reachable
         }
         else
         {
             // No "Internet" aka Google URL un-reachable
         }
    }];
}
klcjr89
  • 5,662
  • 9
  • 54
  • 91
  • 3
    Seems like this is the fastest way – Pavel Mar 21 '13 at 08:28
  • 3
    Caution: In my experience, this solution doesn't work all the time. In many cases the response returned is 403, after taking its sweet time. This solution seemed perfect, but doesn't guarantee 100% results. – Mustafa May 09 '13 at 07:54
  • Let's figure out a way to improve on the code and make it more perfect. – klcjr89 May 10 '13 at 01:06
  • @KiranRuthR exactly! :) – klcjr89 Oct 15 '13 at 15:51
  • Updated 2/6/14 with better implementation – klcjr89 Feb 07 '14 at 02:57
  • 10
    As of June 2014, this will fail in mainland China, owing to the Chinese government now completely blocking google.com. (google.cn works, though, but in mainland China, no baidu.com, no internet) Probably better to ping whatever server you need to be communicating with. – prewett Jul 28 '14 at 05:28
  • 4
    Use www.appleiphonecell.com instead - apple created this url for precisely this reason. – Smikey Jul 25 '15 at 13:53
  • @Smikey Google's url is more reliable than Apple's – klcjr89 Jul 25 '15 at 14:26
  • But it doesn't work in China - this may be an issue for some people. And Apple created it precisely for testing network reachability on iPhone, so it is reliable. – Smikey Jul 25 '15 at 14:28
  • 1
    I used [appleiphonecell](http://appleiphonecell.com) as it is Apple's own, can be used in China as well, and it's a very fast website. This, in conjunction with your answer provided me with the nearest and fastest solution. Thank you – Septronic Nov 09 '15 at 14:18
  • May I suggest an update to your solution, as if there is an error or your block will never be called. (Also, I always check the block for nil, a it will crash if it is) -> BOOL isConnected = NO; if (!error && response) { isConnected = ([(NSHTTPURLResponse *)response statusCode] == 200); } if ( block ) { block(isConnected); } – eric Feb 23 '17 at 21:20
  • my previous comment was referring to the ObjectiveC solution – eric Feb 23 '17 at 21:26
  • "appleiphonecell.com" is returning 301(moved permenantly) originally and being redirected to apple.com thats why we get 200. But the response is slower than google.com – Ammar Mujeeb Dec 31 '18 at 11:36
  • @AmmarMujeeb updated answer to revert back to using google. – klcjr89 Jan 07 '19 at 16:10
57

Apple supplies sample code to check for different types of network availability. Alternatively there is an example in the iPhone developers cookbook.

Note: Please see @KHG's comment on this answer regarding the use of Apple's reachability code.

Moshe
  • 55,729
  • 73
  • 263
  • 420
teabot
  • 14,828
  • 9
  • 61
  • 78
  • Thanks. I discovered that the Xcode documentation in 3.0 also contains the source code, found by searching for "reachability" in the documentation. – Brock Woolf Jul 05 '09 at 11:37
  • 7
    Note that the new revision (09-08-09) of the Reachability sample code from Apple is asynchronous. – Daniel Hepper Jan 17 '10 at 21:03
46

You could use Reachability by  (available here).

#import "Reachability.h"

- (BOOL)networkConnection {
    return [[Reachability reachabilityWithHostName:@"www.google.com"] currentReachabilityStatus];
}

if ([self networkConnection] == NotReachable) { /* No Network */ } else { /* Network */ } //Use ReachableViaWiFi / ReachableViaWWAN to get the type of connection.
Aleksander Azizi
  • 9,595
  • 8
  • 57
  • 86
39

Apple provides a sample app which does exactly this:

Reachability

NANNAV
  • 4,718
  • 4
  • 26
  • 48
  • 7
    You should note that the Reachability sample only detects which interfaces are active, but not which ones have a valid connection to the internet. Applications should gracefully handle failure even when Reachability reports that everything is ready to go. – rpetrich Jul 05 '09 at 11:17
  • Happily the situation is a lot better in 3.0, as the system will present a login page for users behind a locked down WiFi where you have to login to use... you use to have to check for the redirect manually (and you still do if developing 2.2.1 apps) – Kendall Helmstetter Gelner Jul 06 '09 at 04:28
  • I wouldn't say that the Reachability app does exactly what the is asked for. However it's a good starting point for adding the kind of functionality that is asked for, – Johan Karlsson Jan 09 '19 at 13:46
  • Broken link!, would appreciate if this can be checked/fixed, many thanks – Heider Sati May 22 '20 at 10:01
33

Only the Reachability class has been updated. You can now use:

Reachability* reachability = [Reachability reachabilityWithHostName:@"www.apple.com"];
NetworkStatus remoteHostStatus = [reachability currentReachabilityStatus];

if (remoteHostStatus == NotReachable) { NSLog(@"not reachable");}
else if (remoteHostStatus == ReachableViaWWAN) { NSLog(@"reachable via wwan");}
else if (remoteHostStatus == ReachableViaWiFi) { NSLog(@"reachable via wifi");}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Ben Groot
  • 4,915
  • 3
  • 38
  • 44
  • 1
    Unless something changed since 4.0 was released, that code is not asynchronous and you are guaranteed to see it show up in Crash Reports - happened to me before. – bpapa Aug 27 '10 at 15:10
  • 1
    I agree with bpapa. It's not a good idea to use synchronous code. Thanks for the info though – Brock Woolf Aug 27 '10 at 18:28
27

A version on Reachability for iOS 5 is darkseed/Reachability.h. It's not mine! =)

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Alex
  • 1,630
  • 1
  • 20
  • 35
25

There's a nice-looking, ARC- and GCD-using modernization of Reachability here:

Reachability

NANNAV
  • 4,718
  • 4
  • 26
  • 48
JK Laiho
  • 3,252
  • 5
  • 30
  • 36
22

If you're using AFNetworking you can use its own implementation for internet reachability status.

The best way to use AFNetworking is to subclass the AFHTTPClient class and use this class to do your network connections.

One of the advantages of using this approach is that you can use blocks to set the desired behavior when the reachability status changes. Supposing that I've created a singleton subclass of AFHTTPClient (as said on the "Subclassing notes" on AFNetworking docs) named BKHTTPClient, I'd do something like:

BKHTTPClient *httpClient = [BKHTTPClient sharedClient];
[httpClient setReachabilityStatusChangeBlock:^(AFNetworkReachabilityStatus status)
{
    if (status == AFNetworkReachabilityStatusNotReachable) 
    {
    // Not reachable
    }
    else
    {
        // Reachable
    }
}];

You could also check for Wi-Fi or WLAN connections specifically using the AFNetworkReachabilityStatusReachableViaWWAN and AFNetworkReachabilityStatusReachableViaWiFi enums (more here).

Bruno Koga
  • 3,836
  • 2
  • 29
  • 44
18

I've used the code in this discussion, and it seems to work fine (read the whole thread!).

I haven't tested it exhaustively with every conceivable kind of connection (like ad hoc Wi-Fi).

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Felixyz
  • 18,843
  • 13
  • 64
  • 60
  • this code is not totally good because it just checks to see if you have wifi connection with a router, not if the web can be reached. You can have wifi working and continue enable to reach the web. – Duck Nov 21 '09 at 02:43
15

Very simple.... Try these steps:

Step 1: Add the SystemConfiguration framework into your project.


Step 2: Import the following code into your header file.

#import <SystemConfiguration/SystemConfiguration.h>

Step 3: Use the following method

  • Type 1:

    - (BOOL) currentNetworkStatus {
        [UIApplication sharedApplication].networkActivityIndicatorVisible = NO;
        BOOL connected;
        BOOL isConnected;
        const char *host = "www.apple.com";
        SCNetworkReachabilityRef reachability = SCNetworkReachabilityCreateWithName(NULL, host);
        SCNetworkReachabilityFlags flags;
        connected = SCNetworkReachabilityGetFlags(reachability, &flags);
        isConnected = NO;
        isConnected = connected && (flags & kSCNetworkFlagsReachable) && !(flags & kSCNetworkFlagsConnectionRequired);
        CFRelease(reachability);
        return isConnected;
    }
    

  • Type 2:

    Import header : #import "Reachability.h"

    - (BOOL)currentNetworkStatus
    {
        Reachability *reachability = [Reachability reachabilityForInternetConnection];
        NetworkStatus networkStatus = [reachability currentReachabilityStatus];
        return networkStatus != NotReachable;
    }
    

Step 4: How to use:

- (void)CheckInternet
{
    BOOL network = [self currentNetworkStatus];
    if (network)
    {
        NSLog(@"Network Available");
    }
    else
    {
        NSLog(@"No Network Available");
    }
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Rajesh Loganathan
  • 10,635
  • 4
  • 74
  • 88
  • Is type 1 asynchronous? – Supertecnoboff Oct 03 '18 at 17:27
  • I want the type 2 fixes from your answer. I have added the reachability classes and i tried to check the connection verification by using above your answer. it always comes reachable even if i connect with WiFi but it doesn't have the internet connection. WiFi doesn't mean that it is having internet connection. I wanna verify internet connection even it has WiFi connectivity. Can you please help me out? – wesley Jan 29 '19 at 11:54
12
-(void)newtworkType {

 NSArray *subviews = [[[[UIApplication sharedApplication] valueForKey:@"statusBar"] valueForKey:@"foregroundView"]subviews];
NSNumber *dataNetworkItemView = nil;

for (id subview in subviews) {
    if([subview isKindOfClass:[NSClassFromString(@"UIStatusBarDataNetworkItemView") class]]) {
        dataNetworkItemView = subview;
        break;
    }
}


switch ([[dataNetworkItemView valueForKey:@"dataNetworkType"]integerValue]) {
    case 0:
        NSLog(@"No wifi or cellular");
        break;

    case 1:
        NSLog(@"2G");
        break;

    case 2:
        NSLog(@"3G");
        break;

    case 3:
        NSLog(@"4G");
        break;

    case 4:
        NSLog(@"LTE");
        break;

    case 5:
        NSLog(@"Wifi");
        break;


    default:
        break;
}
}
Mutawe
  • 6,399
  • 3
  • 43
  • 88
  • 7
    Even if the device is connected to Wifi or some other network type, the internet connection can still be unavailable. Simple test: connect to your home wifi and then unplug your cable modem. Still connected to wifi, but zero internet. – iwasrobbed Aug 22 '13 at 14:35
11
- (void)viewWillAppear:(BOOL)animated
{
    NSString *URL = [NSString stringWithContentsOfURL:[NSURL URLWithString:@"http://www.google.com"]];

    return (URL != NULL ) ? YES : NO;
}

Or use the Reachability class.

There are two ways to check Internet availability using the iPhone SDK:

1. Check the Google page is opened or not.

2. Reachability Class

For more information, please refer to Reachability (Apple Developer).

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
IOS Rocks
  • 2,109
  • 2
  • 18
  • 24
  • 1
    There are two way to check internet availbility in iPhone SDK 1)Check the Google page is opened or not. – IOS Rocks Nov 22 '12 at 12:04
  • 1
    -1 : This is a synchronous method that will block the main thread (the one that the app UI is changed on) while it tries to connect to google.com. If your user is on a very slow data connection, the phone will act like the process is unresponsive. – iwasrobbed Mar 25 '13 at 23:05
10

Use http://huytd.github.io/datatify/. It's easier than adding libraries and write code by yourself.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Huy Tran
  • 755
  • 1
  • 10
  • 22
10

First: Add CFNetwork.framework in framework

Code: ViewController.m

#import "Reachability.h"

- (void)viewWillAppear:(BOOL)animated
{
    Reachability *r = [Reachability reachabilityWithHostName:@"www.google.com"];
    NetworkStatus internetStatus = [r currentReachabilityStatus];

    if ((internetStatus != ReachableViaWiFi) && (internetStatus != ReachableViaWWAN))
    {
        /// Create an alert if connection doesn't work
        UIAlertView *myAlert = [[UIAlertView alloc]initWithTitle:@"No Internet Connection"   message:NSLocalizedString(@"InternetMessage", nil)delegate:nil cancelButtonTitle:@"Ok" otherButtonTitles:nil];
        [myAlert show];
        [myAlert release];
    }
    else
    {
         NSLog(@"INTERNET IS CONNECT");
    }
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Paresh Hirpara
  • 485
  • 3
  • 10
8

First download the reachability class and put reachability.h and reachabilty.m file in your Xcode.

The best way is to make a common Functions class (NSObject) so that you can use it any class. These are two methods for a network connection reachability check:

+(BOOL) reachabiltyCheck
{
    NSLog(@"reachabiltyCheck");
    BOOL status =YES;
    [[NSNotificationCenter defaultCenter] addObserver:self
                                          selector:@selector(reachabilityChanged:)
                                          name:kReachabilityChangedNotification
                                          object:nil];
    Reachability * reach = [Reachability reachabilityForInternetConnection];
    NSLog(@"status : %d",[reach currentReachabilityStatus]);
    if([reach currentReachabilityStatus]==0)
    {
        status = NO;
        NSLog(@"network not connected");
    }
    reach.reachableBlock = ^(Reachability * reachability)
    {
        dispatch_async(dispatch_get_main_queue(), ^{
        });
    };
    reach.unreachableBlock = ^(Reachability * reachability)
    {
        dispatch_async(dispatch_get_main_queue(), ^{
        });
    };
    [reach startNotifier];
    return status;
}

+(BOOL)reachabilityChanged:(NSNotification*)note
{
    BOOL status =YES;
    NSLog(@"reachabilityChanged");
    Reachability * reach = [note object];
    NetworkStatus netStatus = [reach currentReachabilityStatus];
    switch (netStatus)
    {
        case NotReachable:
            {
                status = NO;
                NSLog(@"Not Reachable");
            }
            break;

        default:
            {
                if (!isSyncingReportPulseFlag)
                {
                    status = YES;
                    isSyncingReportPulseFlag = TRUE;
                    [DatabaseHandler checkForFailedReportStatusAndReSync];
                }
            }
            break;
    }
    return status;
}

+ (BOOL) connectedToNetwork
{
    // Create zero addy
    struct sockaddr_in zeroAddress;
    bzero(&zeroAddress, sizeof(zeroAddress));
    zeroAddress.sin_len = sizeof(zeroAddress);
    zeroAddress.sin_family = AF_INET;

    // Recover reachability flags
    SCNetworkReachabilityRef defaultRouteReachability = SCNetworkReachabilityCreateWithAddress(NULL, (struct sockaddr *)&zeroAddress);
    SCNetworkReachabilityFlags flags;
    BOOL didRetrieveFlags = SCNetworkReachabilityGetFlags(defaultRouteReachability, &flags);
    CFRelease(defaultRouteReachability);
    if (!didRetrieveFlags)
    {
        NSLog(@"Error. Could not recover network reachability flags");
        return NO;
    }
    BOOL isReachable = flags & kSCNetworkFlagsReachable;
    BOOL needsConnection = flags & kSCNetworkFlagsConnectionRequired;
    BOOL nonWiFi = flags & kSCNetworkReachabilityFlagsTransientConnection;
    NSURL *testURL = [NSURL URLWithString:@"http://www.apple.com/"];
    NSURLRequest *testRequest = [NSURLRequest requestWithURL:testURL  cachePolicy:NSURLRequestReloadIgnoringLocalCacheData timeoutInterval:20.0];
    NSURLConnection *testConnection = [[NSURLConnection alloc] initWithRequest:testRequest delegate:self];
    return ((isReachable && !needsConnection) || nonWiFi) ? (testConnection ? YES : NO) : NO;
}

Now you can check network connection in any class by calling this class method.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Latika Tiwari
  • 298
  • 3
  • 7
8

There is also another method to check Internet connection using the iPhone SDK.

Try to implement the following code for the network connection.

#import <SystemConfiguration/SystemConfiguration.h>
#include <netdb.h>

/**
     Checking for network availability. It returns
     YES if the network is available.
*/
+ (BOOL) connectedToNetwork
{

    // Create zero addy
    struct sockaddr_in zeroAddress;
    bzero(&zeroAddress, sizeof(zeroAddress));
    zeroAddress.sin_len = sizeof(zeroAddress);
    zeroAddress.sin_family = AF_INET;

    // Recover reachability flags
    SCNetworkReachabilityRef defaultRouteReachability =
        SCNetworkReachabilityCreateWithAddress(NULL, (struct sockaddr *)&zeroAddress);
    SCNetworkReachabilityFlags flags;

    BOOL didRetrieveFlags = SCNetworkReachabilityGetFlags(defaultRouteReachability, &flags);
    CFRelease(defaultRouteReachability);

    if (!didRetrieveFlags)
    {
        printf("Error. Could not recover network reachability flags\n");
        return NO;
    }

    BOOL isReachable = ((flags & kSCNetworkFlagsReachable) != 0);
    BOOL needsConnection = ((flags & kSCNetworkFlagsConnectionRequired) != 0);

    return (isReachable && !needsConnection) ? YES : NO;
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Sahil Mahajan
  • 3,786
  • 2
  • 26
  • 42
8

I found it simple and easy to use library SimplePingHelper.

Sample code: chrishulbert/SimplePingHelper (GitHub)

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Piyush Dubey
  • 2,398
  • 1
  • 22
  • 39
8
  1. Download the Reachability file, https://gist.github.com/darkseed/1182373

  2. And add CFNetwork.framework and 'SystemConfiguration.framework' in framework

  3. Do #import "Reachability.h"


First: Add CFNetwork.framework in framework

Code: ViewController.m

- (void)viewWillAppear:(BOOL)animated
{
    Reachability *r = [Reachability reachabilityWithHostName:@"www.google.com"];
    NetworkStatus internetStatus = [r currentReachabilityStatus];

    if ((internetStatus != ReachableViaWiFi) && (internetStatus != ReachableViaWWAN))
    {
        /// Create an alert if connection doesn't work
        UIAlertView *myAlert = [[UIAlertView alloc]initWithTitle:@"No Internet Connection"   message:NSLocalizedString(@"InternetMessage", nil)delegate:nil cancelButtonTitle:@"Ok" otherButtonTitles:nil];
        [myAlert show];
        [myAlert release];
    }
    else
    {
         NSLog(@"INTERNET IS CONNECT");
    }
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Maulik Salvi
  • 269
  • 3
  • 9
8

Swift 3 / Swift 4

You must first import

import SystemConfiguration

You can check internet connection with the following method

func isConnectedToNetwork() -> Bool {

    var zeroAddress = sockaddr_in()
    zeroAddress.sin_len = UInt8(MemoryLayout.size(ofValue: zeroAddress))
    zeroAddress.sin_family = sa_family_t(AF_INET)

    let defaultRouteReachability = withUnsafePointer(to: &zeroAddress) {
        $0.withMemoryRebound(to: sockaddr.self, capacity: 1) {zeroSockAddress in
            SCNetworkReachabilityCreateWithAddress(nil, zeroSockAddress)
        }
    }

    var flags = SCNetworkReachabilityFlags()
    if !SCNetworkReachabilityGetFlags(defaultRouteReachability!, &flags) {
        return false
    }
    let isReachable = (flags.rawValue & UInt32(kSCNetworkFlagsReachable)) != 0
    let needsConnection = (flags.rawValue & UInt32(kSCNetworkFlagsConnectionRequired)) != 0
    return (isReachable && !needsConnection)

}
Devang Tandel
  • 2,927
  • 1
  • 17
  • 40
7

The Reachability class is OK to find out if the Internet connection is available to a device or not...

But in case of accessing an intranet resource:

Pinging the intranet server with the reachability class always returns true.

So a quick solution in this scenario would be to create a web method called pingme along with other webmethods on the service. The pingme should return something.

So I wrote the following method on common functions

-(BOOL)PingServiceServer
{
    NSURL *url=[NSURL URLWithString:@"http://www.serveraddress/service.asmx/Ping"];

    NSMutableURLRequest *urlReq=[NSMutableURLRequest requestWithURL:url];

    [urlReq setTimeoutInterval:10];

    NSURLResponse *response;

    NSError *error = nil;

    NSData *receivedData = [NSURLConnection sendSynchronousRequest:urlReq
                                                 returningResponse:&response
                                                             error:&error];
    NSLog(@"receivedData:%@",receivedData);

    if (receivedData !=nil)
    {
        return YES;
    }
    else
    {
        NSLog(@"Data is null");
        return NO;
    }
}

The above method was so useful for me, so whenever I try to send some data to the server I always check the reachability of my intranet resource using this low timeout URLRequest.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Durai Amuthan.H
  • 28,889
  • 6
  • 148
  • 223
7

To do this yourself is extremely simple. The following method will work. Just be sure to not allow a hostname protocol such as HTTP, HTTPS, etc. to be passed in with the name.

-(BOOL)hasInternetConnection:(NSString*)urlAddress
{
    SCNetworkReachabilityRef ref = SCNetworkReachabilityCreateWithName(kCFAllocatorDefault, [urlAddress UTF8String]);
    SCNetworkReachabilityFlags flags;
    if (!SCNetworkReachabilityGetFlags(ref, &flags))
    {
        return NO;
    }
    return flags & kSCNetworkReachabilityFlagsReachable;
}

It is quick simple and painless.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Tony
  • 4,562
  • 2
  • 20
  • 32
7

Apart from reachability you may also use the Simple Ping helper library. It works really nice and is simple to integrate.

Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
user2538944
  • 285
  • 4
  • 12
7

I think this one is the best answer.

"Yes" means connected. "No" means disconnected.

#import "Reachability.h"

 - (BOOL)canAccessInternet
{
    Reachability *IsReachable = [Reachability reachabilityForInternetConnection];
    NetworkStatus internetStats = [IsReachable currentReachabilityStatus];

    if (internetStats == NotReachable)
    {
        return NO;
    }
    else
    {
        return YES;
    }
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Mina Fawzy
  • 18,268
  • 13
  • 118
  • 129
6

Import Reachable.h class in your ViewController, and use the following code to check connectivity:

#define hasInternetConnection [[Reachability reachabilityForInternetConnection] isReachable]
if (hasInternetConnection){
      // To-do block
}
Olcay Ertaş
  • 5,374
  • 8
  • 71
  • 98
Himanshu Mahajan
  • 4,458
  • 2
  • 28
  • 29
6
  • Step 1: Add the Reachability class in your Project.
  • Step 2: Import the Reachability class
  • Step 3: Create the below function

    - (BOOL)checkNetConnection {
        self.internetReachability = [Reachability reachabilityForInternetConnection];
        [self.internetReachability startNotifier];
        NetworkStatus netStatus = [self.internetReachability currentReachabilityStatus];
        switch (netStatus) {
            case NotReachable:
            {
                return NO;
            }
    
            case ReachableViaWWAN:
            {
                 return YES;
            }
    
            case ReachableViaWiFi:
            {
                 return YES;
            }
        }
    }
    
  • Step 4: Call the function as below:

    if (![self checkNetConnection]) {
        [GlobalFunctions showAlert:@""
                         message:@"Please connect to the Internet!"
                         canBtntitle:nil
                         otherBtnTitle:@"Ok"];
        return;
    }
    else
    {
        Log.v("internet is connected","ok");
    }
    
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
Anny
  • 449
  • 5
  • 14
  • Apple's docs state this _Note: Reachability cannot tell your application if you can connect to a particular host, only that an interface is available that might allow a connection, and whether that interface is the WWAN._ – noobsmcgoobs Apr 22 '16 at 19:55
6

Checking the Internet connection availability in (iOS) Xcode 8 , Swift 3.0

This is simple method for checking the network availability like our device is connected to any network or not. I have managed to translate it to Swift 3.0 and here the final code. The existing Apple Reachability class and other third party libraries seemed to be too complicated to translate to Swift.

This works for both 3G,4G and WiFi connections.

Don’t forget to add “SystemConfiguration.framework” to your project builder.

//Create new swift class file Reachability in your project.
import SystemConfiguration
public class InternetReachability {

class func isConnectedToNetwork() -> Bool {
   var zeroAddress = sockaddr_in(sin_len: 0, sin_family: 0, sin_port: 0, sin_addr: in_addr(s_addr: 0), sin_zero: (0, 0, 0, 0, 0, 0, 0, 0))
   zeroAddress.sin_len = UInt8(sizeofValue(zeroAddress))
   zeroAddress.sin_family = sa_family_t(AF_INET)
   let defaultRouteReachability = withUnsafePointer(&zeroAddress) {
          SCNetworkReachabilityCreateWithAddress(nil, UnsafePointer($0)).takeRetainedValue()
   }
   var flags: SCNetworkReachabilityFlags = 0
   if SCNetworkReachabilityGetFlags(defaultRouteReachability, &flags) == 0 {
          return false
   }
   let isReachable = (flags & UInt32(kSCNetworkFlagsReachable)) != 0
   let needsConnection = (flags & UInt32(kSCNetworkFlagsConnectionRequired)) != 0

   return isReachable && !needsConnection
  }
}

// Check network connectivity from anywhere in project by using this code.
 if InternetReachability.isConnectedToNetwork() == true {
         print("Internet connection OK")
  } else {
         print("Internet connection FAILED")
  }
Community
  • 1
  • 1
ViJay Avhad
  • 2,504
  • 19
  • 26
6

When using iOS 12 or macOS 10.14 or newer, you can use NWPathMonitor instead of the pre-historic Reachability class. As a bonus you can easily detect the current network connection type:

import Network // Put this on top of your class

let monitor = NWPathMonitor()
    
monitor.pathUpdateHandler = { path in
    if path.status != .satisfied {
        // Not connected
    }
    else if path.usesInterfaceType(.cellular) {
        // Cellular 3/4/5g connection
    }
    else if path.usesInterfaceType(.wifi) {
        // Wi-fi connection
    }
    else if path.usesInterfaceType(.wiredEthernet) {
        // Ethernet connection
    }
}
 
monitor.start(queue: DispatchQueue.global(qos: .background))
 

More info here: https://developer.apple.com/documentation/network/nwpathmonitor

Ely
  • 5,159
  • 1
  • 34
  • 51
5

For my iOS Projects, I recommend using

Reachability Class

Declared in Swift. For me, it works simply fine with

Wi-Fi and Cellular data

.

 import SystemConfiguration

 public class Reachability {

 class func isConnectedToNetwork() -> Bool {

    var zeroAddress = sockaddr_in(sin_len: 0, sin_family: 0, sin_port: 0, sin_addr: in_addr(s_addr: 0), sin_zero: (0, 0, 0, 0, 0, 0, 0, 0))
    zeroAddress.sin_len = UInt8(MemoryLayout.size(ofValue: zeroAddress))
    zeroAddress.sin_family = sa_family_t(AF_INET)

    let defaultRouteReachability = withUnsafePointer(to: &zeroAddress) {
        $0.withMemoryRebound(to: sockaddr.self, capacity: 1) {zeroSockAddress in
            SCNetworkReachabilityCreateWithAddress(nil, zeroSockAddress)
        }
    }

    var flags: SCNetworkReachabilityFlags = SCNetworkReachabilityFlags(rawValue: 0)
    if SCNetworkReachabilityGetFlags(defaultRouteReachability!, &flags) == false {
        return false
    }

    let isReachable = (flags.rawValue & UInt32(kSCNetworkFlagsReachable)) != 0
    let needsConnection = (flags.rawValue & UInt32(kSCNetworkFlagsConnectionRequired)) != 0
    let ret = (isReachable && !needsConnection)
    return ret
} }

Use conditional statement,

if Reachability.isConnectedToNetwork(){
          * Enter Your Code Here*
        }
    }
    else{
        print("NO Internet connection")
    }

This class is useful in almost every case your app uses the Internet Connection. Such as if the condition is true, API can be called or task could be performed.

3

Get the Reachabilty class from https://github.com/tonymillion/Reachability, add the system configuration framework in your project, do import Reachability.h in your class and implement the custom methods as below:

- (BOOL)isConnectedToInternet
{
    //return NO; // Force for offline testing
    Reachability *hostReach = [Reachability reachabilityForInternetConnection];
    NetworkStatus netStatus = [hostReach currentReachabilityStatus];
    return !(netStatus == NotReachable);
}
Peter Mortensen
  • 28,342
  • 21
  • 95
  • 123
K.D
  • 516
  • 3
  • 14
  • 3
    -1; adds nothing to this thread that the accepted answer doesn't already cover better, IMO. Also, your entire method body can just be replaced with `return [[Reachability reachabilityForInternetConnection] isReachable];` – Mark Amery Sep 17 '13 at 11:37
3

import "Reachability.h"

-(BOOL)netStat
{
    Reachability *test = [Reachability reachabilityForInternetConnection];
    return [test isReachable];
}
Community
  • 1
  • 1
neo D1
  • 1,680
  • 13
  • 15
3

Create an object of AFNetworkReachabilityManager and use the following code to track the network connectivity

self.reachabilityManager = [AFNetworkReachabilityManager managerForDomain:@"yourDomain"];
[self.reachabilityManager startMonitoring];
[self.reachabilityManager setReachabilityStatusChangeBlock:^(AFNetworkReachabilityStatus status) {
        switch (status) {
            case AFNetworkReachabilityStatusReachableViaWWAN:
            case AFNetworkReachabilityStatusReachableViaWiFi:
                break;
            case AFNetworkReachabilityStatusNotReachable:
                break;
            default:
                break;
        }
    }];
RandomGuy
  • 129
  • 1
  • 6
3

Check internet connection availability in (iOS) using Xcode 9 & Swift 4.0

Follow Below steps

Step 1: Create an extension file and give it the name: ReachabilityManager.swift then add the lines of code below.

import Foundation
import SystemConfiguration
public class ConnectionCheck 
{    
   class func isConnectedToNetwork() -> Bool 
   {
    var zeroAddress = sockaddr_in()
    zeroAddress.sin_len = UInt8(MemoryLayout<sockaddr_in>.size)
    zeroAddress.sin_family = sa_family_t(AF_INET)

    guard let defaultRouteReachability = withUnsafePointer(to: &zeroAddress,         
    {
        $0.withMemoryRebound(to: sockaddr.self, capacity: 1) {
            SCNetworkReachabilityCreateWithAddress(nil, $0)
        }
    }) else {
        return false
    }

    var flags: SCNetworkReachabilityFlags = []
    if !SCNetworkReachabilityGetFlags(defaultRouteReachability, &flags) {
        return false
    }

    let isReachable = flags.contains(.reachable)
    let needsConnection = flags.contains(.connectionRequired)

    return (isReachable && !needsConnection)
   }
  }

Step 2: Call the extension above using the code below.

if ConnectionCheck.isConnectedToNetwork()
{
     print("Connected")
     //Online related Business logic
}
else{
     print("disConnected")
     // offline related business logic
}
Adam Richardson
  • 2,448
  • 1
  • 25
  • 30
praful argiddi
  • 804
  • 1
  • 6
  • 11
2

This is for SWIFT 3.0 and async. Most answers are sync solution which is gonna block your main thread if you have a very slow connection. This solution is better but not perfect because it rely on Google to check the connectivity so feel free to use an other url.

func checkInternetConnection(completionHandler:@escaping (Bool) -> Void)
{
    if let url = URL(string: "http://www.google.com/")
    {
        var request = URLRequest(url: url)
        request.httpMethod = "HEAD"
        request.cachePolicy = .reloadIgnoringLocalAndRemoteCacheData
        request.timeoutInterval = 5

        let tast = URLSession.shared.dataTask(with: request, completionHandler:
        {
            (data, response, error) in

            completionHandler(error == nil)
        })
        tast.resume()
    }
    else
    {
        completionHandler(true)
    }
}
pierre23
  • 3,447
  • 1
  • 25
  • 24
2
Pod `Alamofire` has `NetworkReachabilityManager`, you just have to create one function 

func isConnectedToInternet() ->Bool {
        return NetworkReachabilityManager()!.isReachable
}
Shruti Thombre
  • 1,009
  • 3
  • 11
  • 27
2

see Introducing Network.framework: A modern alternative to Sockets https://developer.apple.com/videos/play/wwdc2018/715/ we should get rid of Reachability at some point.

Zsolt
  • 3,381
  • 3
  • 28
  • 44
1

Alamofire

I know the question is asking for Coca Touch solution, but I want to provide a solution for people who searched check internet connection on iOS and will have one more option here.

If you are already using Alamofire, here is what you can benifit from that.

You can add following class to your app, and call MNNetworkUtils.main.isConnected() to get a boolean on whether its connected or not.

#import Alamofire

class MNNetworkUtils {
  static let main = MNNetworkUtils()
  init() {
    manager = NetworkReachabilityManager(host: "google.com")
    listenForReachability()
  }

  private let manager: NetworkReachabilityManager?
  private var reachable: Bool = false
  private func listenForReachability() {
    self.manager?.listener = { [unowned self] status in
      switch status {
      case .notReachable:
        self.reachable = false
      case .reachable(_), .unknown:
        self.reachable = true
      }
    }
    self.manager?.startListening()
  }

  func isConnected() -> Bool {
    return reachable
  }
}

This is a singleton class. Every time, when user connect or disconnect the network, it will override self.reachable to true/false correctly, because we start listening for the NetworkReachabilityManager on singleton initialization.

Also in order to monitor reachability, you need to provide a host, currently I am using google.com feel free to change to any other hosts or one of yours if needed. Change the class name and file name to anything matching your project.

nuynait
  • 1,752
  • 17
  • 26
  • Please can you help with the usage of the above code. How to use it ? – PersianBlue Mar 18 '19 at 10:16
  • @PersianBlue You can add following class to your app, and call MNNetworkUtils.main.isConnected() to get a boolean on whether its connected or not. (This is already mentioned in the answer) – nuynait Mar 18 '19 at 14:34
  • Yes i had already tried that but it always gives me false no matter what the state of internet is. – PersianBlue Mar 19 '19 at 06:29
1

Please try this, it will help you (Swift 4)

1) Install Reachability via CocoaPods or Carthage: Reachability

2) Import Reachability and Use in Network Class

import Reachability
class Network {

   private let internetReachability : Reachability?
   var isReachable : Bool = false

   init() {

       self.internetReachability = Reachability.init()
       do{
           try self.internetReachability?.startNotifier()
           NotificationCenter.default.addObserver(self, selector: #selector(self.handleNetworkChange), name: .reachabilityChanged, object: internetReachability)
       }
       catch {
        print("could not start reachability notifier")
       }
   }

   @objc private func handleNetworkChange(notify: Notification) {

       let reachability = notify.object as! Reachability
       if reachability.connection != .none {
           self.isReachable = true
       }
       else {
           self.isReachable = false
       }
       print("Internet Connected : \(self.isReachable)") //Print Status of Network Connection
   }
}

3) Use like Below where You need.

var networkOBJ = Network()
// Use "networkOBJ.isReachable" for Network Status
print(networkOBJ.isReachable) 
Rohit Makwana
  • 2,835
  • 12
  • 23
1
//
//  Connectivity.swift
// 
//
//  Created by Kausik Jati on 17/07/20.
// 
//

import Foundation
import Network

enum ConnectionState: String {
    case notConnected = "Internet connection not avalable"
    case connected = "Internet connection avalable"
    case slowConnection = "Internet connection poor"
}
protocol ConnectivityDelegate: class {
    func checkInternetConnection(_ state: ConnectionState, isLowDataMode: Bool)
}
class Connectivity: NSObject {
    private let monitor = NWPathMonitor()
    weak var delegate: ConnectivityDelegate? = nil
    private let queue = DispatchQueue.global(qos: .background)
    private var isLowDataMode = false
    static let instance = Connectivity()
private override init() {
    super.init()
    monitor.start(queue: queue)
    startMonitorNetwork()
}
private func startMonitorNetwork() {
    monitor.pathUpdateHandler = { path in
        if #available(iOS 13.0, *) {
            self.isLowDataMode = path.isConstrained
        } else {
            // Fallback on earlier versions
            self.isLowDataMode = false
        }
        
        if path.status == .requiresConnection {
            print("requiresConnection")
                self.delegate?.checkInternetConnection(.slowConnection, isLowDataMode: self.isLowDataMode)
        } else if path.status == .satisfied {
            print("satisfied")
                 self.delegate?.checkInternetConnection(.connected, isLowDataMode: self.isLowDataMode)
        } else if path.status == .unsatisfied {
            print("unsatisfied")
                self.delegate?.checkInternetConnection(.notConnected, isLowDataMode: self.isLowDataMode)
            }
        }
    
    }
    func stopMonitorNetwork() {
        monitor.cancel()
    }
}
0

Swift 5, Alamofire, host

//Session reference
var alamofireSessionManager: Session!

func checkHostReachable(completionHandler: @escaping (_ isReachable:Bool) -> Void) {
    let configuration = URLSessionConfiguration.default
    configuration.timeoutIntervalForRequest = 1
    configuration.timeoutIntervalForResource = 1
    configuration.requestCachePolicy = .reloadIgnoringLocalCacheData

    alamofireSessionManager = Session(configuration: configuration)

    alamofireSessionManager.request("https://google.com").response { response in
        completionHandler(response.response?.statusCode == 200)
    }
}

//using
checkHostReachable() { (isReachable) in
    print("isReachable:\(isReachable)")
}

yoAlex5
  • 13,571
  • 5
  • 105
  • 98
0

swift5+

public class Reachability {
    class func isConnectedToNetwork() -> Bool {
        var zeroAddress = sockaddr_in()
        zeroAddress.sin_len = UInt8(MemoryLayout<sockaddr_in>.size)
        zeroAddress.sin_family = sa_family_t(AF_INET)
        
        guard let defaultRouteReachability = withUnsafePointer(to: &zeroAddress, {
            $0.withMemoryRebound(to: sockaddr.self, capacity: 1) {
                SCNetworkReachabilityCreateWithAddress(nil, $0)
            }
        }) else {
            return false
        }
        
        var flags: SCNetworkReachabilityFlags = []
        if !SCNetworkReachabilityGetFlags(defaultRouteReachability, &flags) {
            return false
        }
        
        let isReachable = flags.contains(.reachable)
        let needsConnection = flags.contains(.connectionRequired)
        
        return (isReachable && !needsConnection)
    }

Call this Class like this :=

   if Reachability.isConnectedToNetwork() == true {
                    //do something
                } else {
                    //do something
                }
ajay negi
  • 413
  • 3
  • 10
-2

Try this:

- (void) connection:(NSURLConnection *)connection didFailWithError:(NSError *)error


if ([self.delegate respondsToSelector:@selector(getErrorResponse:)]) {
    [self.delegate performSelector:@selector(getErrorResponse:) withObject:@"No Network Connection"];
}

UIAlertView *alertView = [[UIAlertView alloc] initWithTitle:@"BMC" message:@"No Network Connection" delegate:self cancelButtonTitle:nil otherButtonTitles:@"OK",nil];
[alertView show];

}

HariKarthick
  • 313
  • 2
  • 14