Tuesday, February 28, 2017

Android Developer’s Guide to Fragment Navigation Pattern

Over the years, I’ve seen many different navigation pattern implementations in Android. Some of the apps were using only Activities, while others Activities mixed with Fragments and/or with Custom Views.
One of my favorite navigation pattern implementations is based on the “One-Activity-Multiple-Fragments” philosophy, or simply the Fragment Navigation Pattern, where every screen in the application is a full screen Fragment and all or most of these fragments are contained in one Activity.
This approach not only simplifies how the navigation is implemented, but it has much better performance and consequently offers a better user experience.
Android Developer’s Guide to Fragment Navigation Pattern
In this article we will look at some common navigation pattern implementations in Android, and then introduce the Fragment based navigation pattern, comparing and contrasting with the others. A demo application implementing this pattern has been uploaded to GitHub.

World of Activities

A typical Android application which uses only activities is organized into a tree-like structure (more precisely into a directed graph) where the root activity is started by the launcher. As you navigate in the application there is an activity back stack maintained by the OS.
A simple example is shown in the diagram below:

Activity A1 is the entry point in our application (for example, it represents a splash screen or a main menu) and from it the user can navigate to A2 or A3. When you need to communicate between activities you can use the startActivityForResult() or maybe you share a globally accessible business logic object between them.
When you need to add a new Activity you need to perform the following steps:
  • Define the new activity
  • Register it in the AndroidManifest.xml
  • Open it with a startActivity() from another activity
Of course this navigation diagram is a fairly a simplistic approach. It can become very complex when you need to manipulate the back stack or when you have to reuse the same activity multiple times, for example when you would like to navigate the user through some tutorial screens but each screen in fact uses the same activity as a base.
Fortunately we have tools for it called tasks and some guidelines for proper back stack navigation.
Then, with API level 11 came fragments…

World of Fragments

“Android introduced fragments in Android 3.0 (API level 11), primarily to support more dynamic and flexible UI designs on large screens, such as tablets. Because a tablet’s screen is much larger than that of a handset, there’s more room to combine and interchange UI components. Fragments allow such designs without the need for you to manage complex changes to the view hierarchy. By dividing the layout of an activity into fragments, you become able to modify the activity’s appearance at runtime and preserve those changes in a back stack that’s managed by the activity.” – cited from the Google’s API guide for Fragments.
This new toy allowed developers to build a multi-pane UI and reuse the components in other activities. Some developers love this while others don’t. It is a popular debate whether to use fragments or not, but I think everybody would agree that fragments brought in additional complexity and the developers really need to understand them in order to use them properly.

Fullscreen Fragment Nightmare in Android

I started to see more and more examples where the fragments were not just representing a part of the screen, but in fact the whole screen was a fragment contained in an activity. Once I even saw a design where every activity had exactly one full screen fragment and nothing more and the only reason why these activities existed was to host these fragments. Next to the obvious design flaw, there is another problem with this approach. Have a look at the diagram from below:

How can A1 communicate with F1? Well A1 has total control over F1 since it created F1. A1 can pass a bundle, for example, on the creation of F1 or can invoke its public methods. How can F1 communicate with A1? Well this is more complicated, but it can be resolved with a callback/observer pattern where the A1 subscribes to F1 and F1 notifies A1.
But how can A1 and A2 communicate with each other? This has been covered already, for example via startActivityForResult().
And now the real question comes: how can F1 and F2 communicate with each other? Even in this case we can have a business logic component which is globally available, so it can be used to pass data. But this does not always lead to elegant design. What if F2 needs to pass some data to F1 in a more direct way? Well, with a callback pattern F2 can notify A2, then A2 finishes with a result and this result is captured by A1 which notifies F1.
This approach needs a lot of boilerplate code and quickly becomes a source of bugs, pain and anger.
What if we could get rid all of the activities and keep only one of them which keeps the rest of the fragments?

Fragment Navigation Pattern

Over the years I started to use the “One-Activity-Multiple-Fragments” pattern in most of my applications and I still use it. There are a lot of discussions out there about this approach, for example here and here. What I missed however is a concrete example which I can see and test myself.
Let’s have a look at the following diagram:

Now we have only one container activity and we have multiple fragments which have again a tree like structure. The navigation between them is handled by the FragmentManager, it has its back stack.
Notice that now we don’t have the startActivityForResult() but we can implement a callback/observer pattern. Let’s see some pros and cons of this approach:

Pros:

1. Cleaner and more maintainable AndroidManifest.xml

Now that we have only one Activity, we no longer need to update the manifest every time we add a new screen. Unlike activities, we do not have to declare fragments.
This could seem like a minor thing, but for larger applications which have 50+ activities this can significantly improve readability of the AndroidManifest.xml file.
Look at the manifest file of the example application which has several screens. The manifest file still remains super simple.
<?xml version="1.0" encoding="utf-8"?>
   package="com.exarlabs.android.fragmentnavigationdemo.ui" >
   <application android:name= ".FragmentNavigationDemoApplication"
       android:allowBackup="true"
       android:icon="@mipmap/ic_launcher"
       android:label="@string/app_name"
       android:supportsRtl="true"
       android:theme="@style/AppTheme">
       <activity
           android:name="com.exarlabs.android.fragmentnavigationdemo.ui.MainActivity"
           android:label="@string/app_name"
           android:screenOrientation="portrait"
           android:theme="@style/AppTheme.NoActionBar" >
           <intent-filter>
               <action android:name="android.intent.action.MAIN" />
               <category android:name="android.intent.category.LAUNCHER" />
           </intent-filter>
       </activity>
   </application>
</manifest>
Like what you're reading?
Get the latest updates first.
No spam. Just great engineering posts.
Like what you're reading?
Get the latest updates first.
Thank you for subscribing!
You can edit your subscription preferences here.

2. Centralized navigation management

In my code example, you will see that I use NavigationManager which in my case it is injected into every fragment. This manager can be used as a centralised place for logging, back stack management and so on, so navigation behaviours are decoupled from the rest of the business logic and not spread around in implementations of different screens.
Let’s imagine a situation where we would like to start a screen where the user can select some items from a list of person. You also would like to pass some filtering arguments like age and occupation and gender.
In case of Activities, you would write:
Intent intent = new Intent();
intent.putExtra("age", 40);
intent.putExtra("occupation", "developer");
intent.putExtra("gender", "female");
startActivityForResult(intent, 100);
Then you have to define the onActivityResult somewhere below and handle the result.
@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
    super.onActivityResult(requestCode, resultCode, data);
}
My personal problem with this approach is that these arguments are “extras” and they are not mandatory, so I have to make sure that the receiving activity handles all the different cases when an extra is missing. Later on when some refactoring is made and the “age” extra for example is no longer needed, then I have to search everywhere in the code where I start this activity and make sure that all the extras are correct.
Furthermore, wouldn’t it be nicer if the result (list of persons) would arrive in a form of _List_ and not in a serialized form which must be deserialized?
In case of fragment based navigation, everything is more straightforward. All you have to do is to write a method in the NavigationManager called startPersonSelectorFragment() with the necessary arguments and with a callback implementation.
mNavigationManager.startPersonSelectorFragment(40, "developer", "female",
      new PersonSelectorFragment.OnPersonSelectedListener() {
          @Override
          public boolean onPersonsSelected(List<Person> selection) {
       [do something]
              return false;
          }
      });
Or with RetroLambda
mNavigationManager.startPersonSelectorFragment(40, "developer", "female", selection -> [do something]);

3. Better means of communication between screens

Between activities, we can share only a Bundle which can hold primitives or serialized data. Now with fragments we can implement a callback pattern where for example, F1 can listen to F2 passing arbitrary objects. Please have a look at the previous examples’ callback implementation, which returns back a _List_.

4. Building Fragments are less expensive than building Activities

This becomes obvious when you use a drawer which has for example 5 menu items and on each page the drawer should be displayed again.
In case of pure activity navigation, each page should inflate and initialize the drawer, which is of course expensive.
On the diagram below you can see several root fragments (FR*) which are the full screen fragments which can be accessed directly from the drawer, and also the drawer is only accessible when these fragments are displayed. Everything which is to the right of the dashed line in the diagram are there as an example of an arbitrary navigation scheme.

Since the container activity holds the drawer, we have only one drawer instance so at every navigation step where the drawer should be visible you don’t have to inflate and initialize it again. Still not convinced how all of these work? Take a look at my sample application which demonstrates drawer usage.

Cons

My greatest fear had always been that if I used fragment based navigation pattern in a project, somewhere down the road I would encounter an unforeseen problem which would be difficult to solve around the added complexity of fragments, 3rd party libraries and the different OS versions. What if I had to refactor everything I’ve done so far?
Indeed, I had to resolve problems with nested fragments, 3rd party libraries which also use fragments such as ShinobiControls, ViewPagers and FragmentStatePagerAdapters.
I must admit that gaining sufficient experience with fragments to be able to solve these problems was a rather long process. But in every case the issue was not that the philosophy is bad, but that I did not understand fragments well enough. Maybe if you understand fragments better than I did you would not even encounter these issues.
The only con that I can mention now is that we can still encounter problems which would not be trivial to solve since there is no mature library out there which showcase all the complex scenarios of a complex application with fragment based navigation.

Conclusion

In this article, we have seen an alternative way to implement navigation in an Android application. We compared it with the traditional navigation philosophy that uses activities and we have seen a few good reasons why it is advantageous to use it over the traditional approach.
In case you haven’t already, check out the demo application uploaded to GitHub implementing. Feel free to fork or contribute to it with nicer examples which would better show its usage.

Android Developer’s Guide to Fragment Navigation Pattern

Over the years, I’ve seen many different navigation pattern implementations in Android. Some of the apps were using only Activities, while others Activities mixed with Fragments and/or with Custom Views.
One of my favorite navigation pattern implementations is based on the “One-Activity-Multiple-Fragments” philosophy, or simply the Fragment Navigation Pattern, where every screen in the application is a full screen Fragment and all or most of these fragments are contained in one Activity.
This approach not only simplifies how the navigation is implemented, but it has much better performance and consequently offers a better user experience.
Android Developer’s Guide to Fragment Navigation Pattern
In this article we will look at some common navigation pattern implementations in Android, and then introduce the Fragment based navigation pattern, comparing and contrasting with the others. A demo application implementing this pattern has been uploaded to GitHub.

World of Activities

A typical Android application which uses only activities is organized into a tree-like structure (more precisely into a directed graph) where the root activity is started by the launcher. As you navigate in the application there is an activity back stack maintained by the OS.
A simple example is shown in the diagram below:

Activity A1 is the entry point in our application (for example, it represents a splash screen or a main menu) and from it the user can navigate to A2 or A3. When you need to communicate between activities you can use the startActivityForResult() or maybe you share a globally accessible business logic object between them.
When you need to add a new Activity you need to perform the following steps:
  • Define the new activity
  • Register it in the AndroidManifest.xml
  • Open it with a startActivity() from another activity
Of course this navigation diagram is a fairly a simplistic approach. It can become very complex when you need to manipulate the back stack or when you have to reuse the same activity multiple times, for example when you would like to navigate the user through some tutorial screens but each screen in fact uses the same activity as a base.
Fortunately we have tools for it called tasks and some guidelines for proper back stack navigation.
Then, with API level 11 came fragments…

World of Fragments

“Android introduced fragments in Android 3.0 (API level 11), primarily to support more dynamic and flexible UI designs on large screens, such as tablets. Because a tablet’s screen is much larger than that of a handset, there’s more room to combine and interchange UI components. Fragments allow such designs without the need for you to manage complex changes to the view hierarchy. By dividing the layout of an activity into fragments, you become able to modify the activity’s appearance at runtime and preserve those changes in a back stack that’s managed by the activity.” – cited from the Google’s API guide for Fragments.
This new toy allowed developers to build a multi-pane UI and reuse the components in other activities. Some developers love this while others don’t. It is a popular debate whether to use fragments or not, but I think everybody would agree that fragments brought in additional complexity and the developers really need to understand them in order to use them properly.

Fullscreen Fragment Nightmare in Android

I started to see more and more examples where the fragments were not just representing a part of the screen, but in fact the whole screen was a fragment contained in an activity. Once I even saw a design where every activity had exactly one full screen fragment and nothing more and the only reason why these activities existed was to host these fragments. Next to the obvious design flaw, there is another problem with this approach. Have a look at the diagram from below:

How can A1 communicate with F1? Well A1 has total control over F1 since it created F1. A1 can pass a bundle, for example, on the creation of F1 or can invoke its public methods. How can F1 communicate with A1? Well this is more complicated, but it can be resolved with a callback/observer pattern where the A1 subscribes to F1 and F1 notifies A1.
But how can A1 and A2 communicate with each other? This has been covered already, for example via startActivityForResult().
And now the real question comes: how can F1 and F2 communicate with each other? Even in this case we can have a business logic component which is globally available, so it can be used to pass data. But this does not always lead to elegant design. What if F2 needs to pass some data to F1 in a more direct way? Well, with a callback pattern F2 can notify A2, then A2 finishes with a result and this result is captured by A1 which notifies F1.
This approach needs a lot of boilerplate code and quickly becomes a source of bugs, pain and anger.
What if we could get rid all of the activities and keep only one of them which keeps the rest of the fragments?

Fragment Navigation Pattern

Over the years I started to use the “One-Activity-Multiple-Fragments” pattern in most of my applications and I still use it. There are a lot of discussions out there about this approach, for example here and here. What I missed however is a concrete example which I can see and test myself.
Let’s have a look at the following diagram:

Now we have only one container activity and we have multiple fragments which have again a tree like structure. The navigation between them is handled by the FragmentManager, it has its back stack.
Notice that now we don’t have the startActivityForResult() but we can implement a callback/observer pattern. Let’s see some pros and cons of this approach:

Pros:

1. Cleaner and more maintainable AndroidManifest.xml

Now that we have only one Activity, we no longer need to update the manifest every time we add a new screen. Unlike activities, we do not have to declare fragments.
This could seem like a minor thing, but for larger applications which have 50+ activities this can significantly improve readability of the AndroidManifest.xml file.
Look at the manifest file of the example application which has several screens. The manifest file still remains super simple.
<?xml version="1.0" encoding="utf-8"?>
   package="com.exarlabs.android.fragmentnavigationdemo.ui" >
   <application android:name= ".FragmentNavigationDemoApplication"
       android:allowBackup="true"
       android:icon="@mipmap/ic_launcher"
       android:label="@string/app_name"
       android:supportsRtl="true"
       android:theme="@style/AppTheme">
       <activity
           android:name="com.exarlabs.android.fragmentnavigationdemo.ui.MainActivity"
           android:label="@string/app_name"
           android:screenOrientation="portrait"
           android:theme="@style/AppTheme.NoActionBar" >
           <intent-filter>
               <action android:name="android.intent.action.MAIN" />
               <category android:name="android.intent.category.LAUNCHER" />
           </intent-filter>
       </activity>
   </application>
</manifest>

Thursday, January 12, 2017

Lenovo K6 Power Review

Lenovo K6 Power Review

Home MobilesMobiles Reviews

Lenovo K6 Power Review








Lenovo K6 Power Review

Highlights

The Lenovo K6 Power has been valued at Rs. 9,999

It is accessible only on Flipkart

Devices 360 appraised the telephone 8 out of 10

Lenovo today holds the second place as far as cell phone piece of the pie in India, as per IDC information for Q3 2016. The Chinese organization has been one of only a handful few organizations that has been propelling 4G-empowered cell phones in India for quite a while.

In 2015, the organization guaranteed it had a 30 percent share of the 4G cell phone showcase in the nation. Lenovo's strength however has been tested by different sellers, even as the market develops because of Reliance Jio's 4G arrange and different telcos making huge interests in 4G also. Lenovo has been managing strong rivalry from other Chinese partners including Xiaomi, which has surprisingly made it into the main five in India.

The as of late divulged Lenovo K6 Power tries to additionally fortify the organization's portfolio in the sub-Rs. 10,000 value fragment. The organization as of now offered a huge number of models in this fragment including the Lenovo Vibe K5 (Review), Lenovo Vibe K5 Plus (Review), and the now-dated Lenovo Vibe K4 Note (Review). The new Lenovo K6 Power highlights an all-metal body and accompanies a unique mark scanner. One of its highlights is an extensive 4000mAh battery which additionally underpins invert charging, which implies it can charge different gadgets associated with it.

There are different models in a similar value section that offer comparable components, for example, the Xiaomi Redmi 3S Prime (Review), Coolpad Note 5, and Asus ZenFone Max (2016) (Review). In our initial introductions, the Lenovo K6 Power resembled a strong rival in its value fragment, however will it have the capacity to experience our desires? We should discover.

Lenovo K6 Power plan and construct

At first look, the metal-bodied Lenovo K6 Power looks strikingly like the Xiaomi Redmi 3S Prime. The two are more comparative when seen from the front than from the back, as the back has a few contrasts regarding the camera situation and recieving wire groups. The camera is set in the center close by a LED streak and the unique mark scanner, like the course of action on the Xiaomi Redmi Note 3.

Lenovo marking can be seen on the lower back, alongside double speaker grilles. The telephone is accessible in Dark Gray (which we got for audit), Gold, and Silver. The front of the K6 Power is overwhelmed by a 5-inch screen, with capacitive route catches beneath. We wish that the route catches had been illuminated, as we attempted to discover them out of the loop.

(Additionally observe: Lenovo K6 Power versus Xiaomi Redmi 3S Prime versus Coolpad Note 5 versus Asus ZenFone Max 2016)

At 9.3mm and 145 grams, the Lenovo K6 Power is certainly thicker yet scarcely heavier than the Redmi 3S Prime, which measures 8.5mm thick and measures 144 grams. The physical catch position on the K6 Power is ergonomic. The power and volume catches are on the privilege, while the left has the SIM space. The 3.5mm earphones attachment and Micro-USB charging port are on the top. A warning LED is covered up in the earpiece grille.

lenovo k6 control redmi 3s prime gadgets360 lenovo

The unique mark scanner is touchy and opens the telephone rapidly. Lenovo has included application bolt usefulness which can be set up to utilize the unique finger impression sensor.

The all-metal body gives the K6 Power an excellent vibe, however it additionally makes the telephone somewhat tricky. It could slip out of a hands if not held precisely. Be that as it may, it was anything but difficult to use with only one hand on account of the reasonable 5-inch screen. We preferred a portion of the UI increments made by Lenovo including the alternate way of twofold pushing on a volume catch to dispatch the camera application rapidly. This works even with the telephone bolted.

The 5-inch screen on the Lenovo K6 Power has a full-HD determination, for a thickness of 441ppi which makes content show up very sharp. Brilliance is great and hues are punchy. Seeing points and daylight clarity are likewise fair. The show on the K6 Power is one of its greatest highlights. The Lenovo K6 Power's retail box incorporates a customary charger, an information link, a SIM ejector device, and direction flyers.

Lenovo K6 Power particulars and elements

The Lenovo K6 Power is controlled by the same Qualcomm Snapdragon 430 processor that we've found in the Xiaomi Redmi 3S Prime. This octa-center SoC is timed at 1.4GHz and is combined with 3GB of RAM. The telephone has 32GB of inbuilt stockpiling and backings extension utilizing a microSD card (up to 128GB). Double Nano-SIMs are bolstered, yet shockingly, the K6 Power utilizes a half and half SIM space which implies clients need to picked either two SIMs or one SIM with a microSD card. Availability choices incorporate 4G with VoLTE, Wi-Fi 802.11 b/g/n, Bluetooth 4.2, FM radio, Micro-USB, and GPS/A-GPS.

The Lenovo K6 Power keeps running on Android 6.0 Marshmallow with Lenovo's Vibe Pure UI on top. The organization has been diminishing the bloatware on its cell phones, and the UI on the K6 Power unquestionably felt smooth. There are two default home screens with application symbols scattered crosswise over them. It merits specifying that there is no default Gallery application on the K6 Power, which may be marginally befuddling for new clients. Google Photos is preinstalled however not set as the default photograph handler. Lenovo however gives access to a wide range of records through a File Manager application.

The dropdown shade offers fast settings alongside notices. The preloaded Themes Center application offers a few customisation alternatives for backdrops, symbols, bolt screen settings, and that's just the beginning.

Two of our most loved programming highlights on the Lenovo K6 Power are the application bolt usefulness, which permits clients to bolt any application with a unique mark, and the Dual Apps mode that permits applications to be utilized with two distinct records on a similar telephone. We tried the component and it filled in as portrayed. The second example of the application is set apart with blue SIM tag.

The K6 Power's Settings application has a segment called "Highlight" which incorporates different particular customisations from the organization. Fast Snap gives clients a chance to take a picture by twofold squeezing a volume catch; Knock to Light wakes the telephone with twofold tap on the screen while it is off; Wide Touch offers one-touch easy route access through a gliding catch; Fingerprint Snap gives the unique mark sensor a chance to go about as an option shade catch; and Quick Flashlight gives you a chance to flip the spotlight by long-squeezing the Home catch. Lenovo has additionally fused a VR Mode with its switch covered up inside the "Component" settings page.

We found a few outsider applications preloaded on the K6 Power including Evernote, Flipkart, McAfee Security, Skype, Shareit, Truecaller, Syncit, and UC Browser.

Lenovo K6 Power execution

The Lenovo K6 Power could deal with most regular occupations and we had no dissensions with the octa-center processor. Indeed, even outwardly requesting diversions like Need for Speed: No Limits worked easily. Multitasking on the K6 Power was fine, and applications propelled rapidly. While utilizing the gadget, we saw that there was more than 1GB of memory free whenever, and we encountered no slacks as far as framework execution amid the survey time frame. There was no issue with overheating either.

lenovo k6 control sides devices lenovo

The show on the Lenovo K6 Power is extraordinary for media utilization. It was a treat watching recordings, and playing diversions on this gadget. The double speakers at the back are sufficiently noisy to fill a little stay with fair sound quality. The telephone likewise bolsters Dolby Atmos to change sound settings. The nature of the packaged headphones however was terrible.

The Lenovo K6 Power, in spite of being controlled by an indistinguishable Snapdragon 430 processor from the Redmi 3S Prime, returned much lower scores than its rival in a few benchmarks. It oversaw 27,372 on AnTuTu, 19,718 in general in Quadrant, 5,603 in 3DMark Ice Storm Extreme, and 15fps in GFXBench's T-Rex test. Interestingly, the Xiaomi Redmi 3S Prime oversaw 40,250 in AnTuTu, 21,253 generally in Quadrant, 5,714 in 3DMark Ice Storm Extreme, and 24fps in GFXBench's T-Rex test.

The Lenovo K6 Power dons a 13-megapixel raise camera with a Sony IMX258 sensor, PDAF (stage recognition self-adjust), and a LED streak, in addition to a 8-megapixel front camera with a Sony IMX219 sensor and a wide-point focal point. The K6 Power's back camera can bolt concentrate rapidly on account of the PDAF. The camera took some respectable close-up shots that displayed great shading exactness, however on zooming in we discovered clamor towards the corners.

Tap to see full-sized Lenovo K6 Power camera tests

The most concerning issue with the camera on the Lenovo K6 Power is that it requires a decent measure of light around. Low-light shots had a tendency to have a great deal of clamor, and sadly, even the generally accommodating Smart Composition device couldn't settle that. The K6 Power's back camera was not able catch protests in movement well, something we additionally experienced with the Lenovo Vibe K5. The K6 Power can record recordings at full-HD determination. what's more, these turned out looking great. The front camera took average selfies in sufficiently bright circumstances however a screen blaze would have helped oblivious.

There is support for 4G with VoLTE, and call quality was noteworthy. The K6 Power could lock onto versatile systems in zones with poor network great.

The non-removable 4000mAh battery on the K6 Power figured out how to keep going for 14 hours and 30 minutes in our video circle test, which is not terrible for a battery of this size. The Redmi 3S Prime with a somewhat bigger 4100mAh battery oversaw 14 hours and 50 minutes under similar conditions, yet it's significant that the K6 Power dons a full-HD screen while the Redmi 3S Prime has a lower-determination i.e. less eager for power HD screen.

With overwhelming utilization, the Lenovo K6 Power effortlessly figured out how to last over a day, which was noteworthy. There's likewise a Ultimate Powersaver mode which augments battery life
lenovo k6 power price
lenovo k6 power review
lenovo k6 power buy
lenovo k6 power mobile
lenovo k6 power smartprix
lenovo k6 power back cover
lenovo k6 power features
lenovo k6 power in india
lenovo k6 power launch date
lenovo k6 power sale
lenovo k6 power
lenovo k6 power specification
lenovo k6 power buy online
lenovo k6 power amazon
lenovo k6 power accessories
lenovo k6 power antutu
lenovo k6 power and k6 note
lenovo k6 power availability
lenovo k6 power amazon price
lenovo k6 power and redmi 3s prime
lenovo k6 power at flipkart
lenovo k6 power amazon in
lenovo k6 power and redmi note 3
lenovo k6 power battery
lenovo k6 power best price
lenovo k6 power booking
lenovo k6 power benchmark
lenovo k6 power back cover flipkart
lenovo k6 power back case
lenovo k6 power battery test
lenovo k6 power box
lenovo k6 power cover
lenovo k6 power camera
lenovo k6 power camera review
lenovo k6 power colour
lenovo k6 power cost
lenovo k6 power cons
lenovo k6 power camera sensor
lenovo k6 power charging time
lenovo k6 power camera samples
lenovo k6 power charger
lenovo k6 power details
lenovo k6 power disadvantages
lenovo k6 power dimensions
lenovo k6 power display
lenovo k6 power digit
lenovo k6 power design
lenovo k6 power drop test
lenovo k6 power dark gray
lenovo k6 power dolby
lenovo k6 power date
lenovo k6 power exchange
lenovo k6 power ebay
lenovo k6 power expert review
lenovo k6 power expected price
lenovo k6 power exchange rate
lenovo k6 power headphones
lenovo k6 power earphones
lenovo k6 power emi
lenovo k6 power expandable memory
lenovo k6 power event
lenovo k6 power full specification
lenovo k6 power flipkart
lenovo k6 power flip cover
lenovo k6 power flash sale
lenovo k6 power full review
lenovo k6 power fast charging
lenovo k6 power fonearena
lenovo k6 power fingerprint
lenovo k6 power flipkart next sale
lenovo k6 power gsmarena
lenovo k6 power gold
lenovo k6 power gorilla glass
lenovo k6 power glass
lenovo k6 power gaming
lenovo k6 power geekyranjit
lenovo k6 power gallery
lenovo k6 power gogi
lenovo k6 power gold price
lenovo k6 power gold colour
lenovo k6 power hybrid
lenovo k6 power hybrid sim
lenovo k6 power hd
lenovo k6 power hybrid sim slot
lenovo k6 power has gorilla glass
lenovo k6 power hindi
lenovo k6 power heating
lenovo k6 power hands on
lenovo k6 power hd image
lenovo k6 power headset
lenovo k6 power image
lenovo k6 power in flipkart
lenovo k6 power is volte
lenovo k6 power in amazon
lenovo k6 power indian price
lenovo k6 power india price
lenovo k6 power issues
lenovo k6 power ir blaster
lenovo k6 power india launch
lenovo k6 power jio
lenovo k6 power jio sim
lenovo k6 power jio sim support
lenovo k6 power jio compatibility
lenovo k6 power jio volte
lenovo k6 power k6
lenovo k6 power kickass
lenovo k6 power k6 note
lenovo k6 power k33a42
lenovo k6 power ka price
lenovo k6 power kuwait
lenovo k6 power ksa
lenovo k6 power ksa price
lenovo k6 power kaufen
lenovo k6 power launch date in india
lenovo k6 power lenovo
lenovo k6 power lowest price
lenovo k6 power latest news
lenovo k6 power launch india
lenovo k6 power launching
lenovo k6 power launch offer
lenovo k6 power latest review
lenovo k6 power lowest price in india
lenovo k6 power mobile price
lenovo k6 power mysmartprice
lenovo k6 power mobile price in india
lenovo k6 power market price
lenovo k6 power mobile cover
lenovo k6 power metal body
lenovo k6 power mobile features
lenovo k6 power market price in india
lenovo k6 power mobile launch
lenovo k6 power next sale
lenovo k6 power note
lenovo k6 power ndtv
lenovo k6 power news
lenovo k6 power nougat
lenovo k6 power note price
lenovo k6 power next sale date
lenovo k6 power nougat update
lenovo k6 power ndtv review
lenovo k6 power next flash sale
lenovo k6 power online
lenovo k6 power on flipkart
lenovo k6 power official
lenovo k6 power otg support
lenovo k6 power on amazon
lenovo k6 power online price
lenovo k6 power offer
lenovo k6 power offline
lenovo k6 power on smartprix
lenovo k6 power otg
lenovo k6 power price in india
lenovo k6 power price in india 2016
lenovo k6 power phone
lenovo k6 power price in flipkart
lenovo k6 power pros and cons
lenovo k6 power plus
lenovo k6 power photo
lenovo k6 power price in delhi
lenovo k6 power price amazon
hp lenovo k6 power
lenovo k6 power quick charge
lenovo k6 power quora
lenovo k6 power quikr
lenovo k6 power quick charger
lenovo k6 power qatar price
lenovo k6 power release date
lenovo k6 power rating
lenovo k6 power release date in india
lenovo k6 power rs
lenovo k6 power review youtube
lenovo k6 power registration
lenovo k6 power review ndtv
lenovo k6 power review in hindi
lenovo k6 power review video
lenovo k6 power specification and price
lenovo k6 power snapdeal
lenovo k6 power sar value
lenovo k6 power sale date
lenovo k6 power support volte
lenovo k6 power screen guard
lenovo k6 power sar
lenovo k6 power tempered glass
lenovo k6 power thickness
lenovo k6 power transparent back cover
lenovo k6 power themes
lenovo k6 power today price
lenovo k6 power theatermax
lenovo k6 power test
lenovo k6 power twitter
lenovo k6 power tricks
lenovo k6 power third sale
lenovo k6 power unboxing
lenovo k6 power user review
lenovo k6 power update
lenovo k6 power ui
lenovo k6 power unboxing in hindi
lenovo k6 power user manual
lenovo k6 power unboxing video
lenovo k6 power uae
lenovo k6 power usa
lenovo k6 power unboxing india
lenovo k6 power vs redmi note 3
lenovo k6 power vs redmi 3s prime
lenovo k6 power vs lenovo k6 note
lenovo k6 power vs lenovo k5 note
lenovo k6 power vs lenovo vibe k5 note
lenovo k6 power vs moto g4 plus
lenovo k6 power video
lenovo k6 power volte
lenovo k6 power vs coolpad note 5
lenovo k6 power vs redmi 4 prime
lenovo k6 power weight
lenovo k6 power with price
lenovo k6 power wallpaper
lenovo k6 power white
lenovo k6 power wiki
lenovo k6 power website
lenovo k6 power waterproof
lenovo k6 power water test
lenovo k6 power with gorilla glass
lenovo k6 power width
lenovo k6 power xda
lenovo k6 power youtube
lenovo k6 power youtube hindi
lenovo k6 power youtube review
lenovo k6 power 16gb
lenovo k6 power 1999
lenovo k6 power 16gb flipkart
lenovo k6 power 16gb buy
lenovo k6 power 1999 offer
lenovo k6 power 16gb buy online
lenovo k6 power 16gb 2gb ram
lenovo k6 power 16gb amazon
lenovo k6 power 16gb mobile
lenovo k6 power 16gb launch
lenovo k6 power 2gb ram
lenovo k6 power 2016
lenovo k6 power 2gb price in india
lenovo k6 power 2gb 16gb
lenovo k6 power 32gb
lenovo k6 power 3gb ram
lenovo k6 power 360 view
lenovo k6 power 32gb smartprix
lenovo k6 power 32gb review
lenovo k6 power 32gb flipkart
lenovo k6 power 3rd sale
lenovo k6 power 32gb gold
lenovo k6 power 3g or 4g
lenovo k6 power 32gb price flipkart
lenovo k6 power 4g
lenovo k6 power 4gb ram
lenovo k6 power 4gb
lenovo k6 power 4g volte
lenovo k6 power 4gb ram price
lenovo k6 power 4g price
lenovo k6 power 4g or not
lenovo k6 power 4gb ram price in india
lenovo k6 power 4gb price
lenovo k6 power 4g or 3g
lenovo k6 power 5 5
lenovo k6 power 5 5 inch
lenovo k6 power 5 5 inch screen
lenovo k6 power 64gb
lenovo k6 power 64 bit
lenovo k6 power 6gb ram
lenovo k6 power 7 0 update
lenovo k6 power 91 mobile
lenovo k6 power 9999

Step by step instructions to By Pass 1gb Jio 4g Data Limit Of Jio Happy New Year Offer Get 4G Speed after 1GB Data in Reliance Jio Sim

Sidestep 4gb Data Limit Of Jio 4g AFter Happy New Year Offer– Hiii Looters Again We Have Comeup with a Trick For you on the off chance that you are experiencing jio 4gb information restrain under new jio Happy New Year offer.Yes Here I comeup with a total arrangement of jio speed topping.
Step by step instructions to By Pass 1gb Jio 4g Data Limit Of Jio Happy New Year Offer Get 4G Speed after 1GB Data in Reliance Jio Sim


Under Relinace Jio cheerful New Year Offer each 4g handset will appreciate jio complementry offer of free 4g web and voice calling upto 31st december 2016.But One of the Major Drawback of this offer is 1gb information constrain every month after 4gb you will begin getting low speed.This Restriction was not in jio see offer ie. In Jio Preview YOu Can Able to Enjoy free boundless jio 4g web for 3 months yet later on it is moved up to jio welcome offer. SO This Speed Capping Problem can be understood by Going Back to Jio Preview offer .See beneath how to change over offer to jio Happy New Year Offer.

Dependence Jio PORT OR MNP with Jio Preview/Welcome Offer (Live)

Jio Welcome Offer : Get Free Jio Sim With Unlimited 4G Internet, Calling For All Mobile till 31st December, 2016

Instructions to Get 4g High Speed following 1gb In Happy New Year Offer-

{1st Trick}Steps to get 4Gspeed after 1GB information in jio sim

Unstall all jio applications from your telephone and Make Back By Es File Explorer Or titanium Backup.

Download old adaptation myjio apk from Here And Turn Off Your web.

Must See– Jio Chat App Invite and Earn Offer Refer Friends To Earn Free JioFi Device

3. Open MyJio application and hold up until it demonstrates a caution No Internet Connection Found.

4. Presently turn on your versatile web association and rapidly tap on SKIP catch.

This progression is minimal vital. when you turn on web, with in seconds you have to tap on SKIP catch or else it will fly up to Update the application. So be quick ans tap on SKIP. On the off chance that you flop then clear the application information (Settings>>Applications>>MyJio and snap Clear Data) and retry until you are effective in Signing in the application without redesigning

Open, and introduce all jio applications from myjio application

Presently Simply kill your web information association

Introduce open My Jio application and other each of the 10 Jio applications which you have made a reinforcement in initial step.

Tap on Get Jio Sim alternative.

Turn on your information, skip login.

You will naturally logged to the application and Get ACtivated Preview Offer.

That is it. Presently you again got 4G speed in jio sim

second Trick To Get High Speed In Jio After 1gb Data Use

In Jio Happy New Year Offer Jio Has 1gb Data Limit. You Will Get High Speed 4g Internet Only till 1gb Data Use After that You Will Start Getting 128Kbps. Furthermore, In This Trick I will Tell About jio Data Counting System. Jio 4gb Data Is Calculated From 10pm Night To 10 Pm Next Day Night.

After You Crossed 1gb Data In Welcome Offer.

Turn Off Your Phone and Than Restart.

Switch On Your jio 4g Data

See You After 1gb Speed Is Again Back.

1) Dial *#*#4636#*#* from your telephone dialer, i.e., your default or inbuilt telephone dialer.

2) Go to telephone information.

3) Set favored system sort as –

a) LTE/GSM/CDMA auto (PRL)

Then again

b) LTE as it were

You should check between these two for which one is working best.

4) Turn on IMS REGISTRATION REQUIRED

Subsequent to clicking it will appear as TURN OFF

That is alright.

On the off chance that it is now demonstrating TURN OFF,

At that point abandon it.

5) Do this for VOLTE PROVISIONED FLAG

Furthermore, LTE RAM DUMP.

6) Cross check if these all choices are on.

7) Just leave alternate alternatives as it seems to be.

NOTE – DO NOT MESS WITH OTHER LEFT OVER OPTIONS, AS MOBILE CAN BECOME DEAD ALSO.

8) After doing the above leave the page open as it is and recently hard press the power catch to restart your portable.

9) After restart go to youtube to play 720p quality without buffering or go to play store to upgrade jio applications inside seconds.

NOTE – TURN ON LTE RAM DUMP If your telephone has great or sound smash bolster as it will make a held rate of slam for its great usefulness.

THIS WILL PARTIALLY WORK AFTER THE QUOTA IS OVER AND WILL WORK WONDERS WITH THE ONGOING LIMIT.

Lay DEPENDS ON HOW PROPER NETWORK YOU ARE GETTING AND HOW SOUND IS SIGNAL STRENGTH.

Wednesday, October 5, 2016

IP Subnetting

Subnetting

 

Each IP class is equipped with its own default subnet mask which bounds that IP class to have prefixed number of Networks and prefixed number of Hosts per network. Classful IP addressing does not provide any flexibility of having less number of Hosts per Network or more Networks per IP Class.
CIDR or Classless Inter Domain Routing provides the flexibility of borrowing bits of Host part of the IP address and using them as Network in Network, called Subnet. By using subnetting, one single Class A IP address can be used to have smaller sub-networks which provides better network management capabilities.

Class A Subnets

In Class A, only the first octet is used as Network identifier and rest of three octets are used to be assigned to Hosts (i.e. 16777214 Hosts per Network). To make more subnet in Class A, bits from Host part are borrowed and the subnet mask is changed accordingly.
For example, if one MSB (Most Significant Bit) is borrowed from host bits of second octet and added to Network address, it creates two Subnets (21=2) with (223-2) 8388606 Hosts per Subnet.
The Subnet mask is changed accordingly to reflect subnetting. Given below is a list of all possible combination of Class A subnets:
Class A Subnets In case of subnetting too, the very first and last IP address of every subnet is used for Subnet Number and Subnet Broadcast IP address respectively. Because these two IP addresses cannot be assigned to hosts, sub-netting cannot be implemented by using more than 30 bits as Network Bits, which provides less than two hosts per subnet.

Class B Subnets

By default, using Classful Networking, 14 bits are used as Network bits providing (214) 16384 Networks and (216-2) 65534 Hosts. Class B IP Addresses can be subnetted the same way as Class A addresses, by borrowing bits from Host bits. Below is given all possible combination of Class B subnetting:
Class B Subnets

Class C Subnets

Class C IP addresses are normally assigned to a very small size network because it can only have 254 hosts in a network. Given below is a list of all possible combination of subnetted Class B IP address:
Class C Subnets

 ip subnetting pdf
ip subnetting calculator
ip subnetting questions
ip subnetting ppt
ip subnetting tutorial
ip subnetting examples
ip subnetting made easy
ip subnetting table
ip subnetting formula
ip subnetting chart
ip subnetting
ip subnetting pdf
ip subnetting calculator
ip subnetting questions
ip subnetting ppt
ip subnetting tutorial
ip subnetting examples
ip subnetting made easy
ip subnetting table
ip subnetting formula
ip subnetting pdf
ip subnetting calculator
ip subnetting questions
ip subnetting ppt
ip subnetting tutorial
ip subnetting examples
ip subnetting made easy
ip subnetting table
ip subnetting formula
ip subnetting chart
ip subnetting and supernetting
ip subnetting advantages
ip subnetting and supernetting pdf
ip subnetting and addressing
ip subnetting and addressing pdf
ip subnetting adalah
ip subnetting and addressing workbook
ip subnetting and addressing tutorial
ip subnetting and addressing in hindi
ip subnet and gateway
class a ip subnetting example
what is a ip subnetting
ip subnetting basics
ip subnetting binary
ip subnetting basics pdf
ip subnetting basics ppt
ip subnet breakdown
ip subnet based vlan
ip subnet broadcast
ip subnets by country
ip subnet based vlan configuration
ip subnet breakdown calculator
class b ip subnetting examples
ip subnetting calculator
ip subnetting chart
ip subnetting concepts
ip subnetting class b
ip subnetting calculator download free
ip subnetting class
ip subnetting cidr
ip subnetting cheat sheet pdf
ip subnetting calculation tutorial
ip subnetting cisco pdf
class c ip subnetting example
class c ip subnetting
ip c subnet
class c ip address subnetting
ip subnetting definition
ip subnet design
ip subnet default gateway
ip subnet design project
ip subnet dns gateway
ip subnetting for dummies
ip subnetting calculator download free
ip subnet calculator download windows 7
ip camera subnet doesn match
ip subnet calculator download cisco
ip subnetting examples
ip subnetting exercises
ip subnetting examples pdf
ip subnetting easy tutorial
ip subnetting exercises and solutions
ip subnetting explained
ip subnetting easy
ip subnetting exam
ip subnetting easy way
ip subnetting easy steps
ip e subnet mask
indirizzi ip e subnetting
indirizzamento ip e subnetting
ip e subnetting
ip subnetting formula
ip subnetting for beginners
ip subnetting for dummies
ip subnetting finger method
ip subnetting for class b
ip subnet first address
ip subnet for 24
ip from subnet mask
ip find subnet mask
ip subnetting pdf free download
ip subnetting game
ip subnetting guide
ip subnet gateway
ip subnet generator
ip subnet gateway calculator
ip subnet gateway dns
ip subnet graph
ip subnet gateway tutorial
ip subnet gateway address
ip subnetting small group exercise
ip subnetting how to
ip subnet host calculator
ip subnet mask how to find
how ip subnetting works
ip subnetting interview question
ip subnetting ii small group exercise
ip subnetting in cisco
ip subnet inverse mask
ip subnet in slash notation
ip in subnet
subnet ip in netscaler
learn ip subnetting in easy steps
ip subnet calculator ipv6
ip subnet calculator in excel
ip subnet jodies
ip subnet java
ip subnet jquery
subnetting ip jaringan
ip subnet calculator java code
ip subnet calculator javascript
ip subnet zero juniper
ip subnet calculator java
ip subnet calculator.jar
subnet ip kelas c
menghitung subnetting ip kelas c
contoh subnetting ip kelas a
ip subnetting made easy pdf kowalski
ip subnet calculator
subnetting ip kelas b
subnetting ip kelas a
subnetting ip kelas a b c
subnetting ip kelas d
subnetting ip address kelas c
ip subnetting lesson
ip subnetting list
ip subnetting learn
ip subnet lookup
ip subnet list generator
ip subnet locator
ip subnet local
ip subnet list calculator
ip subnet lan
ip lookup subnet mask
ip subnetting made easy
ip subnetting made easy pdf
ip subnetting means
ip subnetting magic number
ip subnetting methods
ip subnet mask
ip subnet mask chart
ip subnet mask gateway
ip subnet mask tutorial
ip subnet mask default gateway
my ip subnet mask
my ip subnet mask gateway
my ip subnet and gateway
my ip subnet mask windows 7
my ip subnet mask gateway mac
ip subnetting nt2640
ip subnet notation
ip subnet network calculator
ip subnet number
subnet ip netscaler
ip subnetting magic number
ip subnet slash notation
ip subnet mask netgear
ip subnetting online
ip subnetting online test
ip subnetting of class b
subnet ip on netscaler
ip subnet calculator offline
ip subnet calculator on excel
example of ip subnetting
importance of ip subnetting
basics of ip subnetting
definition of ip subnetting
rules of ip subnetting
formula of ip subnetting
calculation of ip subnetting
concept of ip subnetting
ip of subnet
ip subnetting pdf
ip subnetting ppt
ip subnetting practice
ip subnetting pdf ebook
ip subnetting pdf free download
ip subnetting practice app
ip subnetting problems solutions
ip subnetting practice questions pdf
ip subnetting procedure
ip subnet planning
ip subnetting questions
ip subnetting quiz
ip subnetting question and answer
ip subnetting questions and answers pdf
ip subnetting questions pdf
ip subnetting questions tutorial with answers
ip subnetting quick reference
ip subnetting questions tutorial with answers pdf
ip subnet questions (worksheet #1)
ip subnetting practice questions pdf
ip subnetting reference
ip subnetting range
ip subnetting routing
ip subnet range chart
ip subnet reserved addresses
ip subnet regex
ip routed subnet draytek
ip range subnet mask
ip routed subnet draytek 2830
ip routed subnet draytek 2920
ip subnetting step by step
ip subnetting shortcut method
ip subnetting sheet
ip subnetting sinhala
ip subnetting spreadsheet
ip subnetting software
ip subnetting supernetting
ip subnetting small group exercise
ip subnet scanner
ip subnet calculator solarwinds
ip subnetting tutorial
ip subnetting table
ip subnetting tool
ip subnetting test
ip subnetting tutorial pdf
ip subnetting tricks
ip subnetting techniques
ip subnetting table pdf
ip subnetting todd lammle
ip subnet to cidr
ip subnetting uses
ip subnetting usable addresses
ip subnet understanding
ip untuk subnet mask
ip subnetting in urdu
understand ip subnetting maths
ip subnetting video tutorial
ip subnetting vlsm
ip subnetting video
ip subnet vlan
ip subnet vlsm calculator
ip-subnet-vlan hp
ip subnet calculator
ipv4 subnetting
subnetting ip version 6
ipv6 subnet
ipv6 subnetting
ipv4 subnetting
ip subnetting wiki
ip subnetting workbook
ip subnetting worksheet
ip subnetting workbook instructor
ip subnetting with example
ip subnet wildcard calculator
ip subnet what is
subnet ip wan
ip subnetting questions with answers
ip addressing subnetting workbook
help with ip subnetting
ip with subnet
ip xor subnet
ip subnet calculator xls
ip subnet mask xor
ip subnet calculator x64
ip subnetting youtube
ip addressing subnetting youtube
ip subnetting in your head
ip subnetting tutorial youtube
ip subnet calculator youtube
ip subnet masking youtube
direccionamiento ip y subnetting
ip y subnet
direccionamiento de ip y subnetting
ip subnetting zero
ip subnet zero command
ip subnet-zero cisco
ip subnet zero command ccna
ip subnet zero wiki
ip subnet-zero command on cisco router
ip subnet zero example
ip subnet zero command is not configured on a router
ip subnet zero calculator
ip subnet zero packet tracer
ip subnet 0
ip subnet 0 command
ip subnet 0/23
ip subnet 0 cisco
ip subnet 0 24
ip subnet 0 enabled
ip subnet 0.0.0.0
ip subnet 0/26
no ip subnet 0
ip subnet mask 0.0.0.0
ip subnetting 101
ip subnetting /16
ip subnet 172
ip subnet 192.168.x.x
ip subnet 10
ip subnet /13
ip subnet 127
ip subnet 169
ip subnet 10.0.0.0/8
ip subnet /16 /24
1 ip subnet
ip subnetting 2 small group exercise
ip subnetting 24
ip subnet /24 /16
2 ip subnet
ip subnetting 2 small group exercise
ip subnetting /32
ip subnetting /31
ip subnetting 3com
ip /32 subnet mask
ip subnet calculator /31
ip subnet calculator 3.2.1 free download
ip subnet calculator /30
single ip subnet /32
ip subnet calculator /32
ip subnet mask /31
3 ip subnet
nt2640 week 3 ip subnetting
ip subnet /48
ip4 subnetting
ip4 subnet calculator
ip version 4 subnetting
ip4 subnetting
ip4 subnet calculator
5 ip subnet mask
5 ip subnet
ip subnet /64
ipv6 subnetting
ip subnet calculator 64 bit download
ip subnet calculator 64 bit
ip version 6 subnetting
ip version 6 subnetting pdf
ipv6 subnetting
lecture - 6 ip subnetting and addressing
ip subnet windows 7
ip subnet 8
ip subnet 10.0.0.0/8
8 ip subnet
chapter 8 ip subnetting
8 steps to understanding ip subnetting
8 steps to understanding ip subnetting pdf
ip subnetting 9tut
chapter 9 subnetting ip networks
chapter 9 subnetting ip networks exam
chapter 9 subnetting ip networks quiz
chapter 9 subnetting ip networks exam answers

IPv4 - Address Classes



Internet Protocol hierarchy contains several classes of IP Addresses to be used efficiently in various situations as per the requirement of hosts per network. Broadly, the IPv4 Addressing system is divided into five classes of IP Addresses. All the five classes are identified by the first octet of IP Address.
Internet Corporation for Assigned Names and Numbers is responsible for assigning IP addresses.
The first octet referred here is the left most of all. The octets numbered as follows depicting dotted decimal notation of IP Address:
IP decimal notation The number of networks and the number of hosts per class can be derived by this formula:
Number of networks When calculating hosts' IP addresses, 2 IP addresses are decreased because they cannot be assigned to hosts, i.e. the first IP of a network is network number and the last IP is reserved for Broadcast IP.

Class A Address

The first bit of the first octet is always set to 0 (zero). Thus the first octet ranges from 1 – 127, i.e.
Class A Addresses Class A addresses only include IP starting from 1.x.x.x to 126.x.x.x only. The IP range 127.x.x.x is reserved for loopback IP addresses.
The default subnet mask for Class A IP address is 255.0.0.0 which implies that Class A addressing can have 126 networks (27-2) and 16777214 hosts (224-2).
Class A IP address format is thus: 0NNNNNNN.HHHHHHHH.HHHHHHHH.HHHHHHHH

Class B Address

An IP address which belongs to class B has the first two bits in the first octet set to 10, i.e.
Class B Addresses Class B IP Addresses range from 128.0.x.x to 191.255.x.x. The default subnet mask for Class B is 255.255.x.x.
Class B has 16384 (214) Network addresses and 65534 (216-2) Host addresses.
Class B IP address format is: 10NNNNNN.NNNNNNNN.HHHHHHHH.HHHHHHHH

Class C Address

The first octet of Class C IP address has its first 3 bits set to 110, that is:
Class C Addresses Class C IP addresses range from 192.0.0.x to 223.255.255.x. The default subnet mask for Class C is 255.255.255.x.
Class C gives 2097152 (221) Network addresses and 254 (28-2) Host addresses.
Class C IP address format is: 110NNNNN.NNNNNNNN.NNNNNNNN.HHHHHHHH

Class D Address

Very first four bits of the first octet in Class D IP addresses are set to 1110, giving a range of:
Class D Addresses Class D has IP address rage from 224.0.0.0 to 239.255.255.255. Class D is reserved for Multicasting. In multicasting data is not destined for a particular host, that is why there is no need to extract host address from the IP address, and Class D does not have any subnet mask.

Class E Address

This IP Class is reserved for experimental purposes only for R&D or Study. IP addresses in this class ranges from 240.0.0.0 to 255.255.255.254. Like Class D, this class too is not equipped with any subnet mask.























ip address classes ppt
ip address classes pdf
ip address classes range chart
ip address classes and subnet mask pdf
ip address classes in computer network
ip address classes wiki
ip address classes in hindi
ip address classes example
ip address classes uses
ip address classes and range
ip address classes
ip address classes ppt
ip address classes pdf
ip address classes range chart
ip address classes and subnet mask pdf
ip address classes in computer network
ip address classes wiki
ip address classes in hindi
ip address classes example
ip address classes uses
ip address classes range
ip address classes ppt
ip address classes pdf
ip address classes range chart
ip address classes and subnet mask pdf
ip address classes in computer network
ip address classes wiki
ip address classes in hindi
ip address classes example
ip address classes uses
ip address classes and subnet mask pdf
ip address classes and ranges
ip address classes and uses
ip address classes a b c
ip address classes and subnet mask
ip address classes and subnet mask ppt
ip address classes and subnet mask calculator
ip address classes and their uses
ip address classes and their ranges
ip address classes and ranges pdf
what is a ip address classes
ip address classes a b c
ip address classes binary
ip address classes bits
ip address classes basics
ip address classes broadcast
ip address classes by country
ip address classes basics pdf
ip address class b example
ip address class b range
ip address class b private range
ip address class b subnetting
ip b class address
ip address classes a b c
ip address classes chart
ip address classes calculation
ip address classes concept
ip address classes cisco
ip address classes chart pdf
ip address classes cidr
ip address classes ccna
ip address class c example
ip address class checker
ip address class c subnet mask
c ip address class
c program for ip address classes
ip address classes definition
ip address classes d and e
ip address classes details
ip address classes doc
ip address classes description
ip address classes diagram
ip address classes default subnet masks
ip address class division
ip address class differences
ip address class d subnet mask
ip address classes d and e
what are class d ip address classes used for
ip address classes example
ip address classes explanation
ip address classes explained
ip address classes exercise
ip address classes pdf ebook
explain ip address classes and list their purpose
ethernet ip address classes
ip address classes and subnet mask example
ip address classes a b c d
explain various ip address classes
ip address classes e
ip address classes for dummies
ip address classes finder
ip address classes format
ip address classes formula
ip address class full
ip address class f
ip address class for multicast
ip address five classes
ip address for classes
ip address for class a b c
ip address classes history
ip address classes how stuff works
ip address classes hosts
ip address classes in hindi
which ip address class has a 24 bit long network-id
ip address class b host
why ip address has classes
ip address classes pdf in hindi
ip address class network and host
how ip address classes are different
ip address classes in computer network
ip address classes in hindi
ip address classes ipv6
ip address classes in networking
ip address classes interview questions and answers
ip address classes in linux
ip address classes in detail
ip address classes in pdf
ip address classes in urdu
ip address classes in tamil
ip address class java
ip address classes program in java
ip address classes lecture notes
ip address classes list
ip address class lookup
ip address class less
ip address class license
ip address class license 9.x.y.z
ip address list class b example
ip address classes and list their purpose
ip address classes in linux
ip address class range list
ip address classes meaning
ip address classes made simple
ip address class multicast
ip address class mask
ip address classes subnet mask pdf
ip address classes subnet mask.ppt
ip address class used multicasting
ip address class default mask
ip address classes and subnet mask tutorial
ip address classes and subnet mask calculator
my ip address classes
find my ip address class
ip address classes notes
ip address classes notes pdf
ip address classes nptel
ip address class network and host capacities
ip address class net
ip address class network
ip address class numbers
ip address class network and host
ip address network class calculator
ip address classes lecture notes
ip address class octet
ip address of classes
ip address classification of networking
ip address of class b
ip address of class a b c d
ip address of class a b c
ip address of class c
ip address class a owners
ip address classification of organization
private ip address of class a b c
types of ip address classes
range of ip address classes
history of ip address classes
uses of ip address classes
examples of ip address classes
definition of ip address classes
types of ip address classes ppt
structure of ip address classes
table of ip address classes
types of ip address classes pdf
ip address classes pdf
ip address classes ppt
ip address classes pdf in hindi
ip address classes program in java
ip address classes private and public
ip address classes pdf ebook
ip address classes program in c
ip address classes private
ip address classes public/private range class
ip address classes.ppt slide
ip address classes questions and answers
ip address classes quiz
ip address classes questions and answers.pdf
ip address classes interview questions and answers
ip address classes range
ip address classes range chart
ip address classes range ppt
ip address classes range pdf
ip address classes range in binary
ip address classes rfc
ip address classes reserved
ip address class range subnet mask
ip address class range calculator
ip address class range list
ip address classes subnet mask
ip address classes subnet mask.ppt
ip address classes subnet mask pdf
ip address classes subnetting
ip address classes slideshare
ip address class system
ip address class structures
ip address class structures and their structure
ip address classification scheme
ip address subnetting class b
ip address classes table
ip address classes tutorial
ip address classes tutorial pdf
ip address classes types
ip address classes theory
ip address classes that can be assigned to hosts
ip address classes tutorial ppt
ip address classification tutorial
ip address three classes
ip address to class calculator
ip address classes uses
ip address class used multicasting
ip address classes in urdu
ip address classes and their uses
understanding ip address classes
unicast ip address classes
which ip address classes is used for testing
ip addresses classes and special use ip address space
disadvantages of using ip address classes
ip address classes video
ip address class vb.net
ip address classful vs classless
ipv4 address classes
various ip address classes
ip address version 4 classes
explain various ip address classes
ip address version 6 classes
study of various ip address classes
study of various ip address classes practically
ip address classes wiki
ip address classes with example
ip address classes with range
ip address classes with their range
ip address classes worksheet
ip address classes working
ip address with class c subnet mask
ip address classes how stuff works
which ip address classes is used for testing
which ip address classes can be assigned to hosts
ip address class license 9.x.y.z
ip address classes youtube
my ip address classes
ip address classes 127
ip address classes 172
ip address classes 192.168
ip address class 10.0.0.0
ip address class 127.0.0.1
ip address class 1
ip address class 192
ip address classes /24
ip address class /29
ip address class 2
ip address class c 24
2 classes of ip address
ip address class 3
3 public ip address classes
3 main ip address classes
3 public ip address classes
3 primary classes of ip address
3 major classes of ip address
3 classes of private ip address
ip address class 4
ip address classes for dummies
ip address for classes
ip address version 4 classes
ip address classes used for
range for ip address classes
ppt for ip address classes
ip address version 4 classes
ip address 5 classes
five (5) different ip address classes
five (5) different ip address classes
5 classes of ip address a b c d and e
enumerate the five (5) different ip address classes
ip address version 6 classes
ip address version 6 classes
7) what is ip address and its classes
8.3.2 worksheet identify ip address classes
8.3.2 worksheet identify ip address classes answers
ip address class license 9.x.y.z

Wednesday, September 28, 2016

Introducing Windows Server 2008 R2

 Introducing Windows Server 2008 R2




                            Click    here for    Download PPT file 




Follow this procedure to install Windows Server 2008:
1. Insert the appropriate Windows Server 2008 installation media into your DVD drive. If you don’t have an installation DVD for Windows Server 2008, you can download one for free from Microsoft’s Windows 2008 Server Trial website.
2. Reboot the computer.

3. When prompted for an installation language and other regional options, make your selection and press Next.

4. Next, press Install Now to begin the installation process.

5. Product activation is now also identical with that found in Windows Vista. Enter your Product ID in the next window, and if you want to automatically activate Windows the moment the installation finishes, click Next.

If you do not have the Product ID available right now, you can leave the box empty, and click Next. You will need to provide the Product ID later, after the server installation is over. Press No.



6. Because you did not provide the correct ID, the installation process cannot determine what kind of Windows Server 2008 license you own, and therefore you will be prompted to select your correct version in the next screen, assuming you are telling the truth and will provide the correct ID to prove your selection later on.

7. If you did provide the right Product ID, select the Full version of the right Windows version you’re prompted, and click Next.

8. Read and accept the license terms by clicking to select the checkbox and pressing Next.

9. In the “Which type of installation do you want?” window, click the only available option – Custom (Advanced).

10. In the “Where do you want to install Windows?”, if you’re installing the server on a regular IDE hard disk, click to select the first disk, usually Disk 0, and click Next.

If you’re installing on a hard disk that’s connected to a SCSI controller, click Load Driver and insert the media provided by the controller’s manufacturer.
If you’re installing in a Virtual Machine environment, make sure you read the “Installing the Virtual SCSI Controller Driver for Virtual Server 2005 on Windows Server 2008
If you must, you can also click Drive Options and manually create a partition on the destination hard disk.
11. The installation now begins, and you can go and have lunch. Copying the setup files from the DVD to the hard drive only takes about one minute. However, extracting and uncompressing the files takes a good deal longer. After 20 minutes, the operating system is installed. The exact time it takes to install server core depends upon your hardware specifications. Faster disks will perform much faster installs… Windows Server 2008 takes up approximately 10 GB of hard drive space.

The installation process will reboot your computer, so, if in step #10 you inserted a floppy disk (either real or virtual), make sure you remove it before going to lunch, as you’ll find the server hanged without the ability to boot (you can bypass this by configuring the server to boot from a CD/DVD and then from the hard disk in the booting order on the server’s BIOS)
12. Then the server reboots you’ll be prompted with the new Windows Server 2008 type of login screen. Press CTRL+ALT+DEL to log in.

13. Click on Other User.

14. The default Administrator is blank, so just type Administrator and press Enter.

15. You will be prompted to change the user’s password. You have no choice but to press Ok.

16. In the password changing dialog box, leave the default password blank (duh, read step #15…), and enter a new, complex, at-least-7-characters-long new password twice. A password like “topsecret” is not valid (it’s not complex), but one like “T0pSecreT!” sure is. Make sure you remember it.

17. Someone thought it would be cool to nag you once more, so now you’ll be prompted to accept the fact that the password had been changed. Press Ok.


18. Finally, the desktop appears and that’s it, you’re logged on and can begin working. You will be greeted by an assistant for the initial server configuration, and after performing some initial configuration tasks, you will be able to start working.
Next, for the initial configuration tasks please follow my other Windows Server 2008 articles found on the Related Windows Server 2008 Articles section below.
For Official Microsoft information on Windows Server 2008, see the Windows Server 2008 homepage.

Wednesday, September 21, 2016

How to use Rufus to create a bootable USB drive to install (almost) any OS

Windows on a Mac? This week's entry deals with creating UFDs that allow you to install many other operating systems with the help of a utility called Rufus. But before diving into that, I have a question of my own.
Why would you install any OS—besides OS X—on an Apple computer?
The answer to that is quite simply "because you can." Apple hardware is similar to its PC counterparts in many ways except one: PCs can't natively run OS X without any software hacks involved. Macs, on the other hand, have the ability to run Windows and countless Linux distributions alongside OS X or in place of it. Apple hardware supports these operating systems natively, making Macs a versatile choice for production equipment. Simply put, one machine can handle many different uses, as opposed to purchasing dedicated equipment for each supported OS type.
With that out of the way, let's look at the requirements for Rufus:
  • Apple (or PC) running Windows XP or later (preferably Windows 7+)
  • Rufus application
  • ISO (supported operating systems)
  • 8 GB USB flash drive (minimum recommended)
Now, let's create our first bootable UFD using Rufus, shall we? Follow these steps:
  1. Rufus requires an account with admin access in order to make the necessary changes to hardware. After authenticating, insert the USB flash drive and launch Rufus. It will detect the drive almost immediately. Since Rufus can handle various partition schemes and file structures, ensure that the correct settings are set that match the UFD you're going to build (Figure A).
    Figure A
    Figure A
    Administrator
  2. Click the optical drive button next to the Create a bootable disk using checkbox, and you'll be prompted to search for the ISO image to use (Figure B).
    Figure B
    Figure B
    Administrator
  3. When using ISO images, Rufus will automatically modify the settings to best match it. Once everything is set correctly, click the Start button to begin the process. You'll be prompted with a warning that all data on the UFD will be destroyed. Click OK to proceed with the creation process (Figure C).
    Figure C
    Figure C
    Administrator
  4. Depending on the ISO image size, the process may take several minutes to complete. For the log readout of each step in the process, click the Log button to open a side window and save the output details (Figure D).
    Figure D
    Figure D
    Administrator
  5. The longest part of the entire process is the file copy portion. This is typically the last step and varies depending on file size/number of files to copy (Figure E).
    Figure E
    Figure E
    Administrator
  6. When complete, double-check the external drive to verify the files were copied over (Figure F).
    Figure F
    Figure F
    Administrator
With the process completed, simply eject the UFD, insert it into the device you wish to install the OS on, and boot as you normally would. The days of carrying multiple CD/DVDs with you and dealing with lagging installs are drawing to a close with the ubiquitous use of USB drives—and the storage capacity can't be beat.
There are some links on the site for some helpful tutorials on creating certain types of UFDs, and there's multiple localization support for a variety of languages worldwide.






how to make bootable pendrive using cmd
how to make bootable pendrive for windows 8
how to make bootable pendrive for windows xp
how to make bootable pendrive for windows 10
how to make bootable pendrive for ubuntu
how to make bootable pendrive for windows 8.1
how to make bootable pendrive using poweriso
how to make bootable pendrive for mac os x
how to make bootable pendrive for windows 7
how to make bootable pendrive by cmd
how to make bootable pendrive
how to make bootable pendrive using cmd
how to make bootable pendrive for windows 8
how to make bootable pendrive for windows xp
how to make bootable pendrive for windows 10
how to make bootable pendrive for ubuntu
how to make bootable pendrive for windows 8.1
how to make bootable pendrive using poweriso
how to make bootable pendrive for mac os x
how to make bootable pendrive for windows 7
how to make bootable pendrive using cmd
how to make bootable pendrive for windows 8
how to make bootable pendrive for windows xp
how to make bootable pendrive for windows 10
how to make bootable pendrive for ubuntu
how to make bootable pendrive for windows 8.1
how to make bootable pendrive using poweriso
how to make bootable pendrive for mac os x
how to make bootable pendrive for windows 7
how to make bootable pendrive by cmd
how to make bootable pendrive all in one
how to make bootable a pendrive
how to make bootable antivirus pendrive
how to make pendrive bootable and install windows 7
how to make pendrive bootable application
how to make bootable pendrive without any software
how to make bootable pendrive for android
how to make bootable pendrive for all os
how to make bootable pendrive for any software
how to make bootable pendrive for all windows
how to make a bootable pendrive
how to make a bootable pendrive for windows 7
how to make a bootable pendrive for windows xp
how to make a bootable pendrive for windows 8
how to make a bootable pendrive for windows 7 using cmd
how to make a bootable pendrive for windows 8.1
how to make a bootable pendrive for windows 7 from iso
how to make a bootable pendrive for ubuntu
how to make a bootable pendrive using poweriso
how to make a bootable pendrive for linux
how to make bootable pendrive by cmd
how to make bootable pendrive by power iso
how to make bootable pendrive by software
how to make bootable pendrive by command prompt
how to make bootable pendrive back to normal
how to make bootable pendrive by dos
how to make bootable pen drive by ultraiso
how to make bootable pen drive by nero
how to make bootable pendrive by dos command
how to make bootable pen drive by diskpart
how to make bootable pendrive cmd
how to make bootable pendrive command prompt
how to make bootable pendrive from cd
how to make bootable pen drive using cmd pdf
how to make bootable pendrive for centos 6
how to make bootable pen drive without cd
how to make bootable pendrive for centos 7
how to make a bootable pendrive for centos
how to make bootable pen drive diskpart
how to make bootable pen drive dos
how to make pendrive bootable device
how to make pendrive bootable dos command
how to make pendrive bootable disk
how to make pendrive bootable
how to make bootable pen drive software download
how to make bootable pendrive from dvd
how to make bootable pendrive from dmg
how to make bootable pen drive using diskpart command
how to make bootable pendrive easily
how to make bootable pendrive el capitan
how to make bootable pen drive easiest way
how to make bootable pendrive for erd commander
how to make bootable pendrive for elementary os
how to make bootable pendrive for vmware esxi
how to make bootable pendrive(hindi and english )
how to create bootable pendrive for elementary os
how to make pendrive bootable easy steps
how to make bootable pendrive for windows 7 easy way
how to make bootable pendrive for windows 8
how to make bootable pendrive for windows xp
how to make bootable pendrive for windows 10
how to make bootable pendrive for ubuntu
how to make bootable pendrive for windows 7
how to make bootable pendrive for windows 8.1
how to make bootable pendrive from iso
how to make bootable pendrive for mac os x
how to make bootable pendrive for windows 7 in hindi
how to make bootable pendrive from iso file
how to make bootable pendrive geekomad
how to make bootable ghost pen drive
how to create bootable ghost pen drive
how to make bootable pen drive with norton ghost
how to make usb pen drive bootable ghost
how to make pen drive gpt bootable
make bootable pen drive ghost image
how to make windows xp ghost bootable pen drive
how to make 8 gb pen drive bootable
how to make 16 gb pen drive bootable
how to make bootable pendrive hiren
how to make bootable pen drive hp
how to make bootable pendrive hindi
how to make bootable pen drive with the help of cmd
how to make bootable pendrive for windows 7 home premium
how to make bootable pendrive for windows 7 home basic
how to make bootable pendrive wiki how
how to make quick heal bootable pendrive
how to make bootable pendrive for windows 7 in hindi
how to make hp pen drive bootable for windows 7
how to make bootable pendrive in ubuntu
how to make bootable pendrive in windows
how to make bootable pendrive in mac
how to make bootable pendrive in cmd
how to make bootable pendrive in windows 7
how to make bootable pendrive in kali linux
how to make bootable pendrive in windows 8
how to make bootable pendrive in hindi
how to make bootable pendrive in poweriso
how to make bootable pendrive in linux mint
how i make bootable pendrive
i want to make bootable pendrive for xp
how i make pendrive bootable for windows 7
how i make pendrive bootable for windows xp
how i make pendrive bootable for windows 8
how to make bootable pendrive for windows 7 from iso file
how to make bootable pendrive for windows 8.1
how to make bootable pendrive for windows 7 using cmd
how to make bootable pendrive for ubuntu
how to make bootable pendrive for windows xp from iso file
how to make bootable pen drive kevin blog
how to make bootable pendrive for kali linux
how to make bootable pendrive for kali
how to make bootable pendrive for ubuntu
how to make bootable pendrive for kali linux in windows
how to make bootable pendrive for kali linux in ubuntu
how to create bootable pendrive for kali linux
how to make bootable pendrive for kon boot
how to make kingston pen drive bootable
how to make a bootable kali linux usb flash drive/pen drive
how to make bootable pendrive linux
how to make bootable pendrive for linux in windows
how to make bootable pendrive for linux mint
how to make bootable pendrive for linux from iso file
how to make bootable pen drive using linux
how to make bootable pendrive for linux redhat
how to make bootable pendrive for linux ubuntu
how to make bootable pendrive for linux mint 16
how to make bootable pendrive for linux os
how to make bootable pendrive for linux fedora
how to make bootable pendrive mac
how to make bootable pendrive mac os
how to make bootable pendrive manually
how to make bootable pendrive mavericks
how to make bootable pen drive microsoft
how to make bootable my pen drive
how to make bootable pendrive for mac os x from windows
how to make bootable pendrive for mac os x
how to make bootable pendrive for mac os x mavericks
how to make bootable pen drive for mac in windows
how to make bootable pendrive normal
how to make bootable pendrive novicorp wintoflash
how to make bootable pen drive using nero
how to make bootable pendrive with .nrg image file
how to make bootable pendrive using novicorp
how to make bootable pen drive in ntfs
how to make bootable pendrive through nero
how to make bootable pen drive back to normal
how to make pendrive bootable using nlite
how to create bootable pen drive using nero
how to make bootable pendrive of windows 7
how to make bootable pendrive on mac
how to make bootable pendrive on ubuntu
how to make bootable pendrive of windows xp
how to make bootable pen drive online
how to make bootable pendrive of windows 10
how to make bootable pendrive of mac os x
how to make bootable pendrive of linux
how to make bootable pendrive of ubuntu 14.04
how to make bootable pen drive on windows 8
how to make pendrive bootable
how to make bootable pendrive of windows 7
how to make bootable pendrive of windows xp
how to make bootable pendrive of ubuntu
how to make bootable pendrive of windows 8
how to make bootable pendrive of kali linux
how to make bootable pendrive of windows 7 with software
how to make bootable pendrive of windows 8.1
how to make bootable pendrive of linux
how to make bootable pendrive of mac os x
how to make bootable pendrive pdf
how to make bootable pen drive poweriso
how to make bootable pen drive command prompt
how to make bootable pendrive using powershell
how to make bootable pendrive for ps2
how to make bootable pen drive using cmd pdf
how to make bootable pendrive for xp pdf
how to make usb pen drive bootable pdf
how to make bootable pendrive quickly
how to make bootable pendrive with quick format
how to make quick heal bootable pendrive
how to create bootable xp usb flash/pen drive quickly
how to make bootable pendrive rufus
how to make bootable redhat pendrive
how to create bootable pen drive with rufus
how to make bootable pendrive for redhat linux 6
how to make bootable pendrive for redhat linux in windows 7
how to make bootable pendrive for redhat linux
how to make bootable pendrive using rufus
how to make bootable pendrive for rhel 6
how to make bootable pendrive for redhat linux 5
how to make bootable pendrive for rhel
how to make bootable pen drive software
how to make bootable pendrive step by step
how to make bootable pen drive software download
how to make pendrive bootable software for windows 7
how to make pendrive bootable software for xp
how to make pendrive bootable step by step process
how to create bootable pen drive step by step
how to create bootable pen drive software free
how to make bootable pen drive using software
how to make bootable pendrive without software
how to make bootable pendrive to normal
how to make bootable pendrive through cmd
how to make bootable pendrive to install windows 7
how to make bootable pendrive through iso image
how to make bootable pendrive to unbootable
how to make bootable pendrive through poweriso
how to make bootable pendrive to install ubuntu
how to make bootable pendrive through software
how to make bootable pendrive to install windows xp
how to make bootable pendrive to install windows 8.1
how to make pendrive bootable
how to make bootable pendrive using cmd
how to make bootable pendrive using poweriso
how to make bootable pendrive unbootable
how to make bootable pendrive ubuntu
how to make bootable pen drive using rufus
how to make bootable pendrive using software
how to make bootable pendrive unbootable using cmd
how to make bootable pendrive using iso file
how to make bootable pendrive using android
how to make bootable pendrive using nero
how to make a bootable pendrive youtube
how to make bootable pendrive via cmd
how to make bootable pen drive via command prompt
how to make bootable pen drive video
how to make bootable pendrive vista
how to make bootable pen drive via dos
how to make pendrive bootable via command
how to make pendrive bootable via poweriso
how to create bootable pendrive videos
how to make bootable pendrive for vmware
how to make bootable pendrive for vmware esxi
how to make bootable pendrive with cmd
how to make bootable pendrive windows 7
how to make bootable pendrive with poweriso
how to make bootable pendrive windows 10
how to make bootable pendrive with software
how to make bootable pendrive without iso
how to make bootable pendrive windows xp
how to make bootable pen drive with rufus
how to make bootable pendrive with ultraiso
how to make bootable pendrive wikihow
windows make bootable pendrive
how to make bootable pendrive with cmd
how to make bootable pendrive windows 7
how to make bootable pendrive windows xp
how to make bootable pendrive with poweriso
how to make bootable pendrive windows 8
how to make bootable pendrive with software
how to make bootable pendrive with iso
how to make bootable pendrive with command prompt
how to make bootable pendrive windows 8.1
how to make bootable pendrive xp
software to make pendrive bootable for xp
how to make bootable pen drive xp usb
how to make bootable xp pendrive using cmd
how to make bootable pendrive for xp iso
how to make bootable pendrive for xp sp3
how to make bootable pendrive for xp pdf
how to make bootable pendrive for xp sp2
how to make bootable pendrive for xp using wintoflash
how to make bootable pen drive from xp cd
how to make bootable pen drive os x
how to make bootable pendrive os x yosemite
how to make mac os x bootable pendrive
how to make bootable pen drive os x mavericks
how to make bootable pendrive for mac os x from windows
how to make bootable pendrive for mac os x mavericks
how to make bootable pendrive for mac os x from windows 7
how to make bootable pendrive for mac os x 10.8
how to make bootable pendrive for mac os x lion
how to make bootable pendrive youtube
how to make bootable pen drive yosemite
how to make bootable pen drive yahoo
how to make pendrive bootable yahoo answers
how to create bootable pen drive youtube
how to create bootable pen drive yosemite
how to make bootable pen drive using yumi
how to make windows xp bootable pen drive youtube
how to make bootable pendrive for xp youtube
how to make pendrive bootable for yosemite
how to make bootable pendrive for zorin os
how to make bootable pendrive from zip file
how to make bootable pendrive for zorin
how to make bootable pendrive windows 10
how to make bootable pendrive ubuntu 14.04
how to make bootable pendrive for ubuntu 13.04
how to make bootable pendrive for ubuntu 14.04 in windows
how to make bootable pendrive for ubuntu 10.04
how to make bootable pendrive for fedora 19
how to make bootable pendrive for fedora 18
how to make bootable pendrive for ubuntu 11.10
how to make bootable pendrive for ubuntu 14.10
how to make bootable pendrive for windows 10 from iso file
how to make bootable pendrive for windows 8 .1
how to make bootable pendrive for fedora 20
how to make bootable pendrive for server 2012
how to make bootable pendrive for windows 2008 r2
how to make bootable pendrive for windows 2003
how to make bootable pendrive for windows 2008
how to make bootable pendrive for xp 2
how to make bootable pendrive for windows 2000
how to make bootable pendrive for android 2.2
make pendrive bootable for server 2003
how to make bootable pendrive for windows 2012
how 2 make bootable pendrive
how 2 make bootable pendrive for window 7
how 2 make bootable pendrive for xp
how 2 create bootable pendrive
how to make bootable pendrive for windows xp 2
how to make bootable pendrive for windows xp service pack 2
how to make bootable pendrive for xp 3
how to make bootable pendrive for windows 7 32 bit
how to make bootable pendrive for windows 8 32bit
how to make bootable pendrive for windows vista 32 bit
how to make bootable pendrive for windows 7 ultimate 32 bit
how to create bootable pendrive for windows 7 32bit
how to make bootable pendrive for windows xp service pack 3
how to make bootable pendrive for xp 3
how to make bootable pendrive for windows xp service pack 3
how to make bootable pendrive for android 4.2
how to make 4gb pen drive bootable
4 ways to make pendrive bootable
steps for how to make pendrive bootable
how to make bootable pendrive
how to make bootable pendrive from iso image
how to make bootable pendrive in ubuntu
how to make bootable pendrive windows 7
how to make bootable pendrive xp
how to make bootable pendrive in windows 8
how to make bootable pendrive software
how to make bootable pendrive in linux
how to make bootable pendrive for backtrack 5
how to make bootable pendrive for backtrack 5 r3
how to make bootable pendrive for redhat linux 5
how to make pendrive bootable for rhel 5
5 ways to make pendrive bootable
how to make bootable pendrive for backtrack 5 r3
how to make bootable pendrive for backtrack 5
how to make bootable pendrive for redhat linux 5
how to make pendrive bootable for rhel 5
how to make bootable pendrive for centos 6
how to make bootable pendrive for rhel 6
how to make bootable pendrive for centos 6.5
how to make bootable pendrive for centos 6.4
how to make bootable pendrive for centos 6.6
how to make bootable pendrive for redhat linux 6
how to make bootable pendrive for windows 7 64 bit
how to make bootable pendrive for windows 8 64 bit
how to make pendrive bootable for linux 6
how to make bootable pendrive for redhat linux 6 in windows 7
how to make bootable pendrive for centos 6
how to make bootable pendrive for rhel 6
how to make bootable pendrive for redhat linux 6
how to make pendrive bootable for linux 6
how to make bootable pendrive for redhat linux 6 in windows 7
how to make bootable pendrive for redhat linux 6 in windows
how to make bootable pen drive windows 7
how to make bootable pen drive windows 7 cmd
how to make bootable pendrive for windows 7 from iso file
how to make bootable pendrive for windows 7 ultimate
how to make bootable pendrive for windows 7 pdf
how to make bootable pendrive for windows 7 software
how to make bootable pendrive for windows 7 using software
how to make bootable pendrive for windows 7 from nrg file
how to make bootable pendrive for windows 7 from dvd
how to make bootable pendrive for windows 7 using command prompt
how to make bootable pendrive 7
how to make windows 7 bootable pendrive
how to make windows 7 bootable pendrive using cmd
how to make windows 7 bootable pendrive from dvd
how to make windows 7 bootable pendrive software
how to make bootable windows 7 pendrive in ubuntu
how to make windows 7 bootable pendrive in mac
how to make bootable pendrive for windows 7 from iso file
how to make bootable pendrive for windows 7 ultimate
how to make bootable pendrive for windows 7 pdf
how to make bootable pen drive windows 8
how to make bootable pendrive windows 8.1
how to make bootable pendrive win 8
how to make bootable pendrive for windows 8 using cmd
how to make bootable pendrive for windows 8.1 using cmd
how to make bootable pendrive for windows 8 using poweriso
how to make bootable pendrive for windows 8 installation
how to make bootable pendrive for windows 8 in ubuntu
how to make bootable pendrive for windows 8 without iso file
how to make bootable pendrive for windows 8 from dvd
how to make windows 8 bootable pendrive
how to make win 8 bootable pendrive
how to make windows 8 bootable pendrive using cmd
how to make windows 8 bootable pendrive in ubuntu
how to make bootable pendrive for windows 8 using poweriso
how to make bootable pendrive for windows 8 installation
how to make bootable pendrive for windows 8 without iso file
how to make bootable pendrive for windows 8 from dvd
how to make bootable pendrive for windows 8 from iso file in ubuntu
how to make bootable pendrive for windows 8 youtube
how to make bootable pendrive for windows 98
how to make 98 bootable pen drive
how to create bootable pendrive for windows 98
how to make usb pen drive bootable for windows 98

Blog Archive

increase adsense earning

Package
URL OR WEB ADDRESH

Live Traffic Feed