1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:fb="http://ogp.me/ns/fb#">
<head>
<script type="text/javascript" src="http://m.computerworld.com/mobify/redirect.js"></script>
<script type="text/javascript">var _mref_rewrite=true; try{_mobify("http://m.computerworld.com/");} catch(err) {};</script>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8" />
<title>Why iOS is the future of Apple (and how we got here) - Computerworld</title>
<link rel="canonical" href="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"/>
<style type="text/css">
@import url("/resources/styles/general.css?20130606");
@import url("/resources/styles/homepage.css?20100415");
@import url("/resources/styles/article.css?20130516");
@import url("/resources/styles/topic.css?20120216");
@import url("/resources/styles/module.css?20130514");
@import url("/resources/styles/oldstyles.css?20100507");
@import url("/resources/styles/insider.css?20121217");
@import url("/resources/styles/handheld.css?20110504c");
@import url("/resources/styles/author-bio.css");
</style>
<link rel="stylesheet" type="text/css" media="screen and (max-device-width: 480px)" href="/resources/styles/mobile.css" />
<link rel="stylesheet" type="text/css" media="screen and (min-device-width: 768px) and (max-device-width: 1024px)" href="/resources/styles/mobile.css" />
<script src="/resources/scripts/lib/jquery-latest.js?20100325"></script>
<!-- BEGIN Krux Control Tag for Computerworld -->
<script class="kxct" data-id="Hx-x6U34" data-version="async:1.7" type="text/javascript">
window.Krux||((Krux=function(){Krux.q.push(arguments)}).q=[]);
(function(){
var k=document.createElement('script');k.type='text/javascript';k.async=true;
var m,src=(m=location.href.match(/\bkxsrc=([^&]+)/))&&decodeURIComponent(m[1]);
k.src = /^https?:\/\/([^\/]+\.)?krxd\.net(:\d{1,5})?\//i.test(src) ? src : src === "disable" ? "" :
(location.protocol==="https:"?"https:":"http:")+"//cdn.krxd.net/controltag?confid=Hx-x6U34";
var s=document.getElementsByTagName('script')[0];s.parentNode.insertBefore(k,s);
})();
</script>
<!-- END Krux Controltag -->
<script language=javascript>
var dogfish_type = "Opinion"
<!--
var remote = null;
function popup(n,u,w,h) {
remote = window.open(u, n, 'width=' + w + ',height=' + h +',resizable=yes,scrollbars=yes');
if (remote != null) {
if (remote.opener == null)
remote.opener = self;
window.name = 'x';
remote.location.href = u;
remote.focus();
}
}
function popup_noscroll(n,u,w,h) {
remote = window.open(u, n, 'width=' + w + ',height=' + h +',resizable=no,scrollbars=no');
if (remote != null) {
if (remote.opener == null)
remote.opener = self;
window.name = 'x';
remote.location.href = u;
remote.focus();
}
}
// this ord is used for Double Click Integration
ord=Math.random()*10000000000000000;
//-->
</script>
<script type="text/javascript" src="/resources/scripts/lib/referrer.js"></script>
<script>var doubleclick_article_page=true;</script>
<style type="text/css">
@import url("/resources/styles/itables.css?20110203");
</style>
<script type="text/javascript" src="/resources/scripts/lib/tablesort/jquery.metadata.js"></script>
<script type="text/javascript" src="/resources/scripts/lib/tablesort/jquery.tablesorter.min.js"></script>
<script type="text/javascript">
$(document).ready(function(){
$('.tablesorter tr').removeClass('table_odd table_even');
$('.tablesorter').tablesorter({
widgets: ['zebra']
});
});
</script>
<script type="text/javascript" src="http://content.dl-rms.com/rms/mother/573/nodetag.js"></script>
<script type="text/javascript" src="/resources/scripts/lib/doubleclick_ads.js?20111025"></script>
<script type="text/javascript" src="/resources/scripts/lib/demandbase.js"></script>
<script type="text/javascript" src="http://api.demandbase.com/api/v2/ip.json?token=4caac951ce112286951134685e6a2713994d1ec8&callback=dbase_parse"></script>
<script type="text/javascript">var doublelick_ad_tag_tile = 0; var ad_server_url = "http://ad.doubleclick.net";</script>
<script>var doubleclick_article_page=true;</script>
<script type="text/javascript" language="Javascript" src="/common/javascript/AC_RunActiveContent.js"></script>
<meta name="date" content="2013-06-07">
<meta name="publicationDate" content="2013-06-07">
<meta name="DC.date.issued" content="2013-06-07T06:03-05:00">
<meta name="description" content="At Apple's World Wide Developer Conference, which kicks off Monday, everyone's expecting updates for both iOS and OS X. But one of those operating systems is more important than the other.">
<meta name="keywords" content="wwdc13, iPad, Apple, iPhone TOC, Apple toc, appleios, iOS, Mac OS X">
<meta name="headline" content="Why iOS is the future of Apple (and how we got here)">
<meta name="publisher" content="Computerworld Inc.">
<meta name="source" content="Computerworld">
<meta name="creator" content="">
<meta name="author" content="Michael deAgonia">
<meta name="contenttype" content="Opinion">
<meta name="copyright" content="Copyright (c) 2013 Computerworld Inc. All Rights Reserved">
<meta name="rights" content="http://www.computerworld.com/action/pages.do?command=viewPage&pagePath=/about_policies">
<meta name="language" content="eng">
<meta name="resource-type" content="document">
<meta name="rating" content="General">
<meta name="news_keywords" content="WWDC, apple, developers, iOS, OS X"/>
<!-- facebook specific meta info -->
<meta property="og:title" content="Why iOS is the future of Apple (and how we got here)" />
<meta property="og:type" content="article" />
<meta property="og:image" content="http://computerworld.com.edgesuite.net/cw/og_image_logo/Computerworld.gif" />
<link rel="image_src" href="http://computerworld.com.edgesuite.net/cw/og_image_logo/Computerworld.gif" />
<link rel="apple-touch-icon" href="http://computerworld.com.edgesuite.net/SMicons/300x300/CW.png"/>
<meta name="twitter:image" content="http://computerworld.com.edgesuite.net/cw/og_image_logo/Computerworld.gif">
<meta property="og:site_name" content="Computerworld" />
<meta property="fb:app_id" content="123026274413041" />
<meta property="og:url" content="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" /> <meta name="syndication-source" content="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_">
<script type="text/javascript">var _sf_startpt=(new Date()).getTime()</script>
<link rel="next" href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyId=123&pageNumber=2"/>
<meta name="twitter:card" content="summary">
<meta name="twitter:site" content="@Computerworld">
<meta name="twitter:url" content="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"> <meta name="twitter:title" content="Why iOS is the future of Apple (and how we got here)">
<meta name="twitter:description" content="At Apple's World Wide Developer Conference, which kicks off Monday, everyone's expecting updates for both iOS and OS X. But one of those operating systems is more important than the other.">
<!--Visual Revenue Reader Response Tracking Script (v6) -->
<script type="text/javascript">
var _vrq = _vrq || [];
_vrq.push(['id', 108]);
_vrq.push(['automate', true]);
_vrq.push(['track', function(){}]);
(function(d, a) {
var s = d.createElement(a),
x = d.getElementsByTagName(a)[0];
s.async = true;
s.src = 'http://a.visualrevenue.com/vrs.js';
x.parentNode.insertBefore(s, x);
})(document, 'script');
</script>
<!-- End of VR RR Tracking Script - All rights reserved -->
<script type="text/javascript">
var _gaq = _gaq || [];
_gaq.push(['_setAccount', 'UA-300704-1']);
_gaq.push(['_setDomainName', 'computerworld.com']);
_gaq.push(['_trackPageview']);
(function() {
var ga = document.createElement('script'); ga.type = 'text/javascript'; ga.async = true;
ga.src = ('https:' == document.location.protocol ? 'https://ssl' : 'http://www') + '.google-analytics.com/ga.js';
var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(ga, s);
})();
</script>
<script>
(function() {
var cx = '014839440456418836424:-khvkt1lc-e';
var gcse = document.createElement('script'); gcse.type = 'text/javascript'; gcse.async = true;
gcse.src = (document.location.protocol == 'https:' ? 'https:' : 'http:') +
'//www.google.com/cse/cse.js?cx=' + cx;
var s = document.getElementsByTagName('script')[0]; s.parentNode.insertBefore(gcse, s);
})();
</script>
</head>
<script type="text/javascript" src="/resources/scripts/lib/jquery.form.js"></script>
<script type="text/javascript" src="/resources/scripts/lib/jquery.tooltip.js"></script>
<script type="text/javascript" src="/resources/scripts/lib/jquery.cookie.js"></script>
<script src="/resources/scripts/lib/jquery.tweet.js" type="text/javascript"></script>
<script src="/resources/scripts/lib/click_tracking.js?20110412" type="text/javascript"></script>
<script type="text/javascript" src="/resources/scripts/lib/global.js?143"></script>
<script type="text/javascript">
OPG = window.OPG || {};
OPG.PageInfo = OPG.PageInfo || {};
OPG.PageInfo = function() {
return {
eloqua_type: "article",
eloqua_topic: "operatingsystems"
};
}();
</script>
<script language="javascript">
$(document).ready(function() {
$('.dropdown').hover(
function () {
$(this).addClass("dropdown_active");
},
function () {
$(this).removeClass("dropdown_active");
}
);
});
</script>
<body id="article">
<div style="position: absolute; left: -99999em;"><a href="#page_wrapper" accesskey="s">Skip the navigation</a> </div>
<div id="container">
<div id="top_leaderboard_wrapper" class="leaderboard_wrapper">
<center class="leaderboard">
<!-- BEGIN top tag (tile=1) -->
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;cmn=idge;pos=topleaderboard;sz=728x90,989x125,970x98,970x268'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');
</script>
<noscript><a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=1;pos=topleaderboard;sz=728x90,989x125,970x98,970x268" target="_blank"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=1;pos=topleaderboard;sz=728x90,989x125,970x98,970x268" width="728" height="90" border="0" alt=""></a></noscript>
<!-- END top tag (tile=1) -->
<!-- BEGIN interstitial tag (tile=5) -->
<!-- END interstitial tag -->
<!-- BEGIN dogear tag (tile=6) -->
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;cmn=idge;pos=dogear;dcopt=ist;sz=1x1;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');
</script>
<script language="JavaScript" type="text/javascript">
if ((!document.images && navigator.userAgent.indexOf('Mozilla/2.') >= 0)|| navigator.userAgent.indexOf("WebTV") >= 0) {
document.write('<a href="tile='+doublelick_ad_tag_tile+'" target="_blank"><img src="tile='+doublelick_ad_tag_tile+'" width="1" height="1" border="0" alt=""><\/a>');
}
</script>
<noscript><a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=5;pos=dogear;dcopt=ist;sz=1x1;" target="_blank"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=5;pos=dogear;dcopt=ist;sz=1x1;" width="1" height="1" border="0" alt=""></a></noscript>
<!-- END dogear tag -->
</center>
</div>
<!-- end leaderboard -->
<div id="site_background">
<div id="site_wrapper">
<!-- start header --> <!-- TAX: 123 -->
<!-- TAX: 123 -->
<script language=javascript>
<!--
function switchPage(formname, selectname){
window.location.href = document[formname][selectname].options[document[formname][selectname].selectedIndex].value;
}
//-->
</script>
<div id="header" class="nocontent">
<div id="navigation">
<div id="logo">
<a href="/" name="&lpos=Nav:Home">Computerworld</a>
</div> <!-- end logo -->
<ul id="secondary_nav">
<li id="white_papers">
<a name="&lpos=Nav:Utility" href="/s/whitepapers/1">White Papers</a>
</li>
<li id="webcasts">
<a name="&lpos=Nav:Utility" href="/s/webcasts/1">Webcasts</a>
</li>
<li id="nl_subscribe"><a href="/s/newsletters?source=nlt_nav" name="&lpos=Nav:Utility" onclick="LeadGen.Tracking.addSourceCode('ctwsite','nav', this);return false;">Newsletters</a></li>
</li>
<li id="solution_centers" class="dropdown">
<div><span>Research Centers</span></div>
<div class="twoColumn-dropdown">
<ul>
<li><span>Communities</span></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://www.enterprisemobilehub.com/">BlackBerry's Enterprise Mobile Hub</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015175/00662910082709CTWK66ZL6PKRG/">The Challenges of OS Migration</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://www.mobileenterprise360.com/">Citrix's Mobile Enterprise 360</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015633/00624310083291CTWLDUSQD3WAB/?email=%25%25emailaddr%25%25">Cloud Collaboration</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://cloudpoweredwork.com/">Cloud Powered Work</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015995/00660430085010CTWMSKNGJDZ40/">Get an Integrated Approach to Data Management</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015613/00602460083271CTWD7T6ML5WHG/?email=%25%25emailaddr%25%25">The Mobile Enterprise</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015327/00619580082264CTWRYI6UF4SVU/">Oracle Cloud KnowledgeVault</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200016159/00532260085261CTWQ6R2EQSHYP/?email=%25%25emailaddr%25%25">Virtualization Boosts SMBs</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015752/00665390084442CTW9QA07SVNBQ/?email=%25%25emailaddr%25%25">Virtualizing Oracle KnowledgeVault</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015751/00665400084444CTWO55V9OYJHZ/?email=%25%25emailaddr%25%25">Virtualizing SAP</a></li>
<li><a name="&lpos=Nav:Utility:Communities" href="http://resources.computerworld.com/show/200015328/00621610082902CTW2WPL8QUNNL/?email=%25%25emailaddr%25%25">Your IT Journey — Your Way</a></li>
</ul>
<ul>
<li><span>Research</span></li>
<li><a name="&lpos=Nav:Utility:Research" href="http://solutioncenters.computerworld.com/everything_you_need_to_become_blackberry_10_ready/?from=cw&src=ctwzne">BlackBerry: Build up yourBlackBerry© 10 knowledge</a></li>
<li><a name="&lpos=Nav:Utility:Research" href="http://solutioncenters.computerworld.com/bmc_control_m/?from=cw&src=ctwzne">BMC Control-M Workload Automation</a></li>
<li><a style="font-weight:bold; font-style:italic;" name="&lpos=Nav:Utility:Research" href="http://solutioncenters.computerworld.com/cw_sc_home/">View all Solution Centers</a></li>
</ul>
</div>
<!-- end solution center dropdown -->
</li><!-- end solution center link -->
<li id="events"><a name="&lpos=Nav:Utility" href="http://events.computerworld.com">Events</a>
<!--Events Dropdown removed 6/11 by lfracalossi
<div><span>Events</span></div>
<ul>
<li><a href="http://events.computerworld.com">Events</a></li>
<li><a href="http://virtualconferences.computerworld.com">Virtual</a></li>
</ul> end events dropdown -->
</li> <!-- end events link -->
<li id="magazine" class="dropdown">
<div><span>Magazine</span></div>
<ul>
<li><a name="&lpos=Nav:Utility" href="/s/print/current">Latest Issue</a></li>
<li><a name="&lpos=Nav:Utility" href="/s/article/9197218/Computerworld_s_2010_12_magazine_index">Magazine Index</a></li>
<li><a name="&lpos=Nav:Utility" href="http://www.cwsubscribe.com/cgi-win/cw.cgi?ADD">Subscribe</a></li>
<li><a name="&lpos=Nav:Utility" href="http://www.cwsubscribe.com/cgi-win/cw.cgi?main3">Subscriber Services</a></li>
</ul><!-- end magazine dropdown -->
</li> <!-- end magazine link -->
<li id="twitter" class="social">
<a name="&lpos=Nav:Utility" href="http://twitter.com/computerworld" target="_blank" title="Twitter">Twitter</a>
</li>
<li id="facebook" class="social">
<a name="&lpos=Nav:Utility" href="http://www.facebook.com/Computerworld" target="_blank" title="Facebook">Facebook</a>
</li>
<li id="gplus" class="social">
<a rel="publisher" name="&lpos=Nav:Utility" href="http://plus.google.com/+computerworld" target="_blank" title="Google+">Google+</a>
</li>
<li id="linkedin" class="social">
<a name="&lpos=Nav:Utility" href="http://www.linkedin.com/company/computerworld" target="_blank" title="LinkedIn">LinkedIn</a>
</li>
<li id="rss" class="social">
<a name="&lpos=Nav:Utility" href="/s/feeds/rss" title="RSS">RSS</a>
</li>
</ul> <!-- end secondary nav -->
<div id="google_search">
<form id="searchbox_014839440456418836424:-khvkt1lc-e" action="http://www.computerworld.com/s/google/search">
<input type="hidden" name="cx" value="014839440456418836424:-khvkt1lc-e" />
<input name="q" type="text" size="20" />
<input src="http://www.computerworld.com/resources/images/layout/btn_search_22x22.gif" type="image" name="" align="absmiddle" border="0" alt="Submit" class="search_btn" />
<input type="hidden" name="cof" value="FORID:9" />
</form>
<script type="text/javascript" src="http://www.google.com/coop/cse/brand?form=searchbox_014839440456418836424%3A-khvkt1lc-e"></script>
</div> <!-- end google search box -->
<ul id="primary_nav">
<li id="topics" class="dropdown highlight">
<a name="&lpos=Nav:Main" href="/s/topic/home"><span>Topics</span></a>
<ul>
<li><a name="&lpos=Nav:Main" href="/s/topic/18/Applications">Applications</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/158/Cloud+Computing">Cloud Computing</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/220/Consumerization+of+IT">Consumerization of IT</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/154/Data+Center">Data Center</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/19/Data+Storage">Data Storage</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/126/Government_Industries">Government/Industries</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/12/Hardware">Hardware</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/167/Internet">Internet</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/14/Management">Management</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/15/Mobile_Wireless">Mobile/Wireless</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/16/Networking">Networking</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/89/Operating+Systems">Operating Systems</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/17/Security">Security</a></li>
<li><a name="&lpos=Nav:Main" href="/s/topic/home">All Topics</a></li>
</ul> <!-- end topics dropdown -->
</li> <!-- end topics -->
<li id="news">
<a name="&lpos=Nav:Main" href="/s/news">News</a>
</li>
<li id="in_depth">
<a name="&lpos=Nav:Main" href="/s/article/9139561/In_Depth">In Depth</a>
</li>
<li id="reviews">
<a name="&lpos=Nav:Main" href="/s/article/9039700/Computerworld_s_Reviews_Database">Reviews</a>
</li>
<li id="blogs" class="dropdown">
<a name="&lpos=Nav:Main" href="http://blogs.computerworld.com"><span>Blogs</span></a>
<ul>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com">Featured Blogs</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/it-blogwatch">IT Blogwatch</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/apple-holic">Jonny Evans</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/android-power">JR Raphael</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/defensive-computing">Michael Horowitz</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/seeing-through-windows">Preston Gralla</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/the-long-view">Richi Jennings</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/reality-check">Robert L. Mitchell</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/shark-tank">Shark Tank</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/blog/22069">Video Brew</a></li>
<li><a name="&lpos=Nav:Main:Blogs" href="http://blogs.computerworld.com/all-bloggers">All Bloggers</a></li>
</ul> <!-- end blogs dropdown -->
</li> <!-- end blogs -->
<li id="opinion">
<a name="&lpos=Nav:Main" href="/s/blogs/opinion">Opinion</a>
</li>
<li id="shark_tank">
<a name="&lpos=Nav:Main" href="http://blogs.computerworld.com/sharky">Shark Tank</a>
</li>
<li id="it_jobs">
<a name="&lpos=Nav:Main" href="http://itjobs.computerworld.com">IT Jobs</a>
</li>
<li id="more" class="dropdown">
<div><span>More</span></div>
<ul>
<li><a name="&lpos=Nav:Main:More" href="/s/article/9140456/Enterprise_IT_Update">Enterprise IT</a></li>
<li><a name="&lpos=Nav:Main:More" href="/s/article/9140776/Technology_hot_topics">Hot Topics</a></li>
<li><a name="&lpos=Nav:Main:More" href="http://www.computerworld.com/s/article/9210300/IDG_Enterprise_CEO_Interviews">IDGE CEO Interviews</a></li>
<li><a name="&lpos=Nav:Main:More" href="/s/insiders">Insider Articles</a></li>
<li><a name="&lpos=Nav:Main:More" href="/s/article/9190998/Computerworld_QuickPoll_Center">QuickPoll Center</a></li>
<li><a name="&lpos=Nav:Main:More" href="/slideshow/index">Slideshows</a></li>
<li><a name="&lpos=Nav:Main:More" href="/video">Video</a></li>
</ul> <!-- end More dropdown -->
</li> <!-- end More -->
<li id="verticals" class="dropdown">
<div><span>IT Verticals</span></div>
<ul>
<li><a name="&lpos=Nav:Main:ITverticals" href="/s/topic/130/Financial+IT">Financial IT</a></li>
<li><a name="&lpos=Nav:Main:ITverticals" href="/s/topic/13/Government+IT">Government IT</a></li>
<li><a name="&lpos=Nav:Main:ITverticals" href="/s/topic/132/Healthcare+IT">Healthcare IT</a></li>
</ul> <!-- end More dropdown -->
</li> <!-- end More -->
</ul> <!-- end primary nav -->
</div> <!-- end sitewide nav -->
<!-- subtopic nav - to be shown on topic and article pages -->
<!-- TAX SPROP14: Article -->
<div id="subtopic_nav" class="clearfix">
<div id="current_topic">
<a href="/s/topic/89/Operating+Systems">Operating Systems</a>
</div>
<ul>
<!-- TAXPID 89: 89 -->
<li ><a name="&lpos=Nav:Main:Operating Systems" href="/s/topic/122/Linux+and+Unix">Linux and Unix</a>|</li>
<li class="highlight" ><a name="&lpos=Nav:Main:Operating Systems" href="/s/topic/123/Mac+OS+X">Mac OS X</a>|</li>
<li ><a name="&lpos=Nav:Main:Operating Systems" href="/s/topic/125/Windows">Windows</a></li>
</ul>
</div> <!-- end subtopic nav -->
</div> <!-- end header -->
<!-- end header -->
<div id="ticker">
<div><center style="background-color:#F6F6F6; width:100%; align:center; text-align:center;"><script language="JavaScript" type="text/javascript"> doublelick_ad_tag_tile++; if (!self.ord) { ord = Math.random()*10000000000000000; }document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;cmn=idge;pos=ticker;sz=800x64,768x64,800x30,965x48,970x66,989x100,970x30,970x55;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"></scr' + 'ipt>');</script><noscript><a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=6;pos=ticker;sz=800x64,768x64,800x30,965x48,970x66,989x100,970x30,970x55;" target="_blank"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;kw=wwdc,apple,developers,ios,osx;cid=9239873;author=michael_deagonia;tile=6;pos=ticker;sz=800x64,768x64,800x30,965x48,970x66,989x100,970x30,970x55;" width="800" height="30" border="0" alt=""></a></noscript></center></div>
</div><!-- end ticker -->
<div id="page_wrapper">
<div id="sidekick">
<script language="JavaScript" type="text/javascript"> doublelick_ad_tag_tile++; if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;cmn=idge;pos=sidekick;sz=60x968;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"></scr'+ 'ipt>'); </script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;tile=10;pos=sidekick;sz=60x968;" target="_blank">
<img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;tile=10;pos=sidekick;sz=60x968;" width="60" height="968" border="0" alt=""></a>
</noscript>
</div>
<!-- SiteCatalyst code version: H.20.3. Copyright 1996-2010 Adobe, Inc. All Rights Reserved More info available at http://www.omniture.com -->
<script type="text/javascript" src="/common/javascript/s_code.js?3"></script>
<script type="text/javascript">
OPG = window.OPG || {};
s.pageName= "Content:9239873:Why iOS is the future of Apple (and how we got here)"
s.server=""
s.channel="Operating Systems"
s.pageType=""
s.events="event3"
s.products=""
s.prop1="1/3"
s.prop2="Operating Systems:Mac OS X"
s.prop3="Computerworld"
s.prop4="Michael deAgonia"
s.prop5="Opinion"
s.prop6="iOS"
s.prop7=""
s.prop8="9239873:1"
s.prop9=""
s.prop10="2013-06-07"
s.prop11="Online"
s.prop12=""
s.prop13=""
s.prop14="Article"
if(typeof OPG.Demandbase === 'object' && typeof OPG.Demandbase.getDbaseVar === 'function') {
s.prop20 = OPG.Demandbase.getDbaseVar('company_name', 'maxmind_company_name')
s.prop23=""
s.prop24 = OPG.Demandbase.getDbaseVar('industry')
s.prop25 = OPG.Demandbase.getDbaseVar('employee_count')
s.prop26 = OPG.Demandbase.getDbaseVar('company_size')
s.prop27 = OPG.Demandbase.getDbaseVar('sub_industry')
s.prop28 = OPG.Demandbase.getDbaseVar('primary_sic')
s.prop29 = OPG.Demandbase.getDbaseVar('zip')
}
else {
s.prop20=""
s.prop23=""
s.prop24=""
s.prop25=""
s.prop26=""
s.prop27=""
s.prop28=""
s.prop29=""
}
s.prop30=""
s.prop33="9239873"
s.prop40=""
/************* DO NOT ALTER ANYTHING BELOW THIS LINE !**************/
var s_code=s.t();if(s_code)document.write(s_code)//--></script>
</script>
<!-- begin collective media tag -->
<script language="JavaScript" type="text/javascript">
var _companysize = OPG.Demandbase.getDbaseVar('company_size');
var _forbes2000 = OPG.Demandbase.getDbaseVar('forbes_2000');
var _compsz = "cu";
var _g2000 = "gn";
if(typeof _companysize != 'undefined'){
switch(_companysize) {
case "small":
_compsz="cs";
break;
case "mid-market":
_compsz="cm";
break;
case "enterprise":
_compsz="ce";
break;
}
}
if(typeof _forbes2000 != 'undefined' && _forbes2000 == "yes") _g2000 = "gy";
document.write('<div style="display:none;"><img src="http://a.collective-media.net/datapair?net=idgt&segs='+_g2000+','+_compsz+'&op=add" width="0" height="0"></div>');
</script>
<!-- end collective media tag -->
<!-- begin boomerang ad tag -->
<div style="display:none;">
<script language="JavaScript" type="text/javascript">
if (typeof ord=='undefined') {ord=Math.random()*10000000000000000;}
document.write('<img src="http://a.collective-media.net/activity;dc_pixel_url=idgt.data.computerworld;dc_seg=120010;ord=' + ord + '?" width="1" height="1" border="0" alt="">');
</script>
<noscript>
<img src="http://ad.doubleclick.net/activity;dc_pixel_url=idgt.data.computerworld;dc_seg=120010;ord=123456789?" width="1" height="1" border="0" alt="">
</noscript>
</div>
<!-- end boomerang ad tag -->
<script src="/resources/scripts/lib/leadgen_tracking.js" type="text/javascript"></script>
<!-- this is where the main guts of the page will go -->
<div id="main_content" class="clearfix">
<!-- necessary for fb:like button -->
<div id="fb-root"></div>
<script>
window.fbAsyncInit = function() {
FB.init({
appId : '123026274413041',
channelUrl : '//www.computerworld.com/html/assets/channel.html', // Channel File
status : true, // check login status
cookie : true, // enable cookies to allow the server to access the session
xfbml : true // parse XFBML
});
FB.Event.subscribe('edge.create', function(response) {
if(typeof(OPG.Eloqua) != 'undefined') OPG.Eloqua.refresh_iframe("social");
});
};
/* (function() {
var e = document.createElement('script');
e.src = document.location.protocol + '//connect.facebook.net/en_US/all.js';
e.async = true;
document.getElementById('fb-root').appendChild(e);
}()); */
(function(d, s, id) {
var js, fjs = d.getElementsByTagName(s)[0];
if (d.getElementById(id)) return;
js = d.createElement(s); js.id = id;
js.src = "//connect.facebook.net/en_US/all.js#xfbml=1";
fjs.parentNode.insertBefore(js, fjs);
}(document, 'script', 'facebook-jssdk'));
</script>
<style>
.fb_reset{
zoom:1;
}
</style>
<div id="left_col">
<div id="breadcrumb" class="nocontent"><a href="/">Home</a> > <a href="/s/topic/89/Operating+Systems">Operating Systems</a> > <a href="/s/topic/123/Mac+OS+X">Mac OS X</a> </div>
<div id="article_header" class="clearfix">
<div id="content_type" class="nocontent">Opinion</div>
<h1>Why iOS is the future of Apple (and how we got here)</h1>
<h2>As the world shifts to mobile devices, Apple puts its development resources where they matter</h2>
<div id="byline">By <a rel="author" href="/s/author/1058/Michael+deAgonia">Michael deAgonia</a></div>
<div id="date">June 7, 2013 06:03 AM ET</div>
<div class="article_actions" id="top_article_actions" style="margin-bottom: 8px;">
<div class="actions_comments nocontent"><a href="#disqus_thread" data-disqus-identifier="http://www.computerworld.com/s/article/9239873/" class="primary"></a></div>
<!-- Tech Briefcase bookmarklet button -->
<!-- div class="tech_briefcase"><a href="javascript:(function(e,a,g,h,f,c,b,d){if(!(f=e.jQuery)||g>f.fn.jquery||h(f)){c=a.createElement('script');c.type='text/javascript';c.src='http://ajax.googleapis.com/ajax/libs/jquery/'+g+'/jquery.min.js';c.onload=c.onreadystatechange=function(){if(!b&&(!(d=this.readyState)||d=='loaded'||d=='complete')){h((f=e.jQuery).noConflict(1),b=1);f(c).remove()}};a.documentElement.childNodes[0].appendChild(c)}})(window,document,'1.3.2',function($,L){var%20content_script%20=%20$('<script></script>').attr('src','http://www.technologybriefcase.com/js/bookmarklet_content.js').attr('type','text/javascript').attr('language','Javascript');$('head').append(content_script);});" name="&lpos=Bookmarklet button" class="tb_btn"><span class="tb_btn_text"> . </span></a></div -->
</div> <!-- end article actions -->
<style>
.share_tools span.linkedin {
background-image: none !important;
width: auto !important;
margin-right: 5px !important;
}
.share_tools span.linkedin span {
background-image: none !important;
width: auto !important;
margin-right: 0 !important;
}
</style>
<div class="share_tools nocontent">
<!-- New LinkedIn code 2/2013 by TC -->
<script src="//platform.linkedin.com/in.js" type="text/javascript"></script>
<span class="linkedin"><script type="IN/Share" data-counter="right"></script>
</span>
<span class="st_twitter_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" st_via="computerworld"></span>
<!-- span class="st_googleplus_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span -->
<div class="g-plusone" data-size="medium" data-annotation="none"></div>
<span class="st_stumbleupon_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<span class="st_reddit_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<fb:like href="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" send="false" layout="button_count" width="55" show_faces="false"></fb:like>
<span class="st_email_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<span class="st_sharethis_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" st_via="computerworld"></span>
</div><!-- /.share_tools -->
</div> <!-- end article header -->
<!-- start article body -->
<div id="article_body">
<p id='first_paragraph'><span class='source'>Computerworld -</span> <link rel="image_src" href="http://www.computerworld.com/common/images/home/apple_logo.jpg" />
Apple's <a target="new" href="https://developer.apple.com/wwdc/">World Wide Developer Conference</a> (WWDC) begins Monday and, as usual, Mac fans are hoping for hardware updates, a <a href="http://www.computerworld.com/s/article/9239733/Apple_will_blink_to_strike_deals_in_time_to_unveil_iRadio_at_WWDC">new streaming music service, iRadio,</a> and substantial updates to both iOS and OS X. What I'm looking forward to most are Apple's plans for iOS 7. </p>
<p>(Apparently, developers feel the same way; this year's show <a href="http://www.computerworld.com/s/article/9238692/Apple_s_WWDC_sells_out_in_under_3_minutes">sold out in just three minutes</a>.)</p>
<p>Not so long ago, WWDC was all about Mac OS X, the desktop operating system that's now more than a dozen years old and in it's ninth iteration (OS X 10.8).</p>
<p>In 2001, Steve Jobs introduced the BSD-based Mac OS X as the future of the company and said Apple would use it as the foundation for its computers for the next 15 years.
Six years later, Mac OS X was stripped of its non-essential elements and turned into an OS for mobile devices - the iPhone and iPod touch in 2007, and the iPad in 2010.</p>
<p>With the arrival of iOS, Apple gave us something we didn't yet know we wanted - or needed: a way to carry a computer in a pocket. That was the genius of the original iPhone; Apple's new device was less of a phone with computer-like functions, and more like a computer that also worked as a phone. For most people, using the new iPhone didn't feel like computing at all.</p>
<h4>OS X begets iOS</h4>
<p>Apple took what it learned in developing OS X for the desktop - how things looked, how they worked, moved and responded - and used that UI expertise to connect iPhone owners to software in a way that had never been done before. Suddenly, swiping and tapping was all the rage. </p>
<p>iOS reached people in a way OS X never could, with touch, and it was that visceral connection that helped launch the iPhone - and later the iPad - into the stratosphere. Apple was no longer just a computer company; it was a mobile computer company leading the way toward the post-PC world.</p>
<p>Almost as importantly, the iPhone and iPad helped break through the price barrier that had for so long kept computer users from buying Apple products. Although the first iPhone was priced at $600 initially, newer versions like the still-available iPhone 4 start at $0 (with a two-year contract), and the cheapest iPhone 5 is only $199.</p>
<p>The more popular the platform, the bigger the audience -- and the more likely it is that the platform will grow. Developers know this, and act accordingly. That's why the Apple App Store now has nearly 900,000 apps - many of which are quite good. Apple knows this, too, which is why iOS 7, slated to be previewed at WWDC on Monday -- carries on its shoulders a heavy responsibility. It has to serve as both a rock-solid foundation for developers and a robust OS for users. </p>
<script type="text/javascript" language="javascript">
$(document).ready(function() {
var numParas = $("#article_body,#insider_article_body").children("p").length;
if (numParas <= 4) {
$("#article_body,#insider_article_body").children("p:eq(0)").after($("#inset_module"));
}
else {
$("#article_body,#insider_article_body").children("p:eq(3)").after($("#inset_module"));
}
});
</script>
<!-- keep class="inset" on this for backwards compatibility with code snippets! -->
<div id="inset_module" class="inset" data-vr-zone="article inset feed">
<div class="module_header">
</div>
<div id="inset_content">
<div id="toc">
<div class="toc_header">
<img src="http://www.computerworld.com//common/images/site/features/2013/06/wwdc2013_nav_182.png" alt="WWDC 2013" border="0" />
</div>
<ul>
<li id='content_item_1' data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_1 - onclick', this);" href='/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?source=toc'>Why iOS is the future of Apple (and how we got here)</a></li><li data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_2 - onclick', this);" href='/s/article/9239733/Apple_will_blink_to_strike_deals_in_time_to_unveil_iRadio_at_WWDC?source=toc'>Apple will blink to strike deals in time to unveil 'iRadio' at WWDC</a></li><li data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_3 - onclick', this);" href='/s/article/9239523/Vanishing_into_thin_MacBook_Air_Shortages_signal_WWDC_refresh?source=toc'>Vanishing into thin [MacBook] Air: Shortages signal WWDC refresh</a></li><li data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_4 - onclick', this);" href='/s/article/9238692/Apple_s_WWDC_sells_out_in_under_3_minutes?source=toc'>Apple's WWDC sells out in under 3 minutes</a></li><li data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_5 - onclick', this);" href='/s/article/9238650/Apple_s_WWDC_set_for_June_10_14_hints_at_fall_launch_of_next_iPhone?source=toc'>Apple's WWDC set for June 10-14, hints at fall launch of next iPhone</a></li><li data-vr-contentbox=''><a onclick="setClickTrackingVars('inset_toc_v1_6 - onclick', this);" href='/s/article/9237677/Apple_devs_Pencil_in_June_10_14_as_likely_WWDC_dates?source=toc'>Apple devs: Pencil in June 10-14 as likely WWDC dates</a></li>
<!--ARTICLES_BY_KEYWORD:wwdc13-->
</ul>
</div>
<div class="badge">
<div class="image_caption">
<div align="right"><a href="http://www.computerworld.com/s/article/9239735/?source=toc">Continuing coverage: WWDC 2013</a> <img src="/common/images/common/arrow_blue_right.gif" border="0"></div></div>
</div>
</div> <!-- end inset content -->
</div> <!-- end inset -->
<!-- end content inset -->
<div class="pagination clearfix">
<div class="page page_active" id="page_1">
<a href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyId=123&pageNumber=1">1</a>
</div>
<div class="page number" id="page_2">
<a href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyId=123&pageNumber=2">2</a>
</div>
<div class="page number" id="page_3">
<a href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyId=123&pageNumber=3">3</a>
</div>
<div class="page direction" id="next_page">
<a href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyId=123&pageNumber=2">Next page</a>
</div>
</div>
<div id="intercept">
<script language="JavaScript" type="text/javascript">doublelick_ad_tag_tile++; if (!self.ord) { ord = Math.random()*10000000000000000; }document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;cmn=idge;pos=intercept;sz=420x30;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"></scr' + 'ipt>');</script><noscript><a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;tile=9;pos=intercept;sz=420x30;" target="_blank"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;tile=9;pos=intercept;sz=420x30;" width="420" height="30" border="0" alt=""></a></noscript>
</div>
</div> <!-- end article body -->
<div class="article_actions clearfix nocontent" id="bottom_article_actions">
<!--[if lt IE 8]>
<style type="text/css">
#dsq-content .dsq-avatar {
top: 0px !important;
}
#dsq-content #dsq-reactions .dsq-comment div.dsq-avatar {
top: 16px !important;
}
#dsq-content .dq_poweredby .dq_about {
position: relative !important;
top: -30px !important;
}
#dsq-reply {
clear: both !important;
}
#dsq-reply div.dsq-avatar {
position: absolute !important;
top: 26px !important;
}
#dsq-content h3.dsq-h3-reactions {
margin-bottom: 0px !important;
}
</style>
<![endif]-->
<div class="actions_comments" style="float:left; margin-bottom:5px;"><a class="primary" href="#comments">Comments</a> (<a href="#disqus_thread" data-disqus-identifier="http://www.computerworld.com/s/article/9239873/" class="primary"></a>)</div>
<div class="actions_print" style="font-size: 11px;height: 16px;position: relative;top: 3px;"><a href="javascript:void(0);" onClick="javascript:popup('printfriendly','/s/article/print/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_?taxonomyName=Mac+OS+X&taxonomyId=123',750,700)"><span class="item" id="bottom_item_two">Print</span></a></div>
<!--removing feedback until link is set up by dev
<div class="actions_feedback">
<a href="http://www.computerworld.com/action/contactcw.do?command=showContactCW&articleId=9239873">Feedback</a>
</div>-->
<!-- for new dart ad placement -->
<div id="toolbar_ad" style="float: right;">
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;cmn=idge;pos=sidecar;sz=60x55,130x55'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;tile=8;pos=sidecar;sz=60x55,130x55" target="_blank" style="border:none"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;tile=8;pos=sidecar;sz=60x55,130x55" border="0" height="55" width="60" /></a>
</noscript>
</div>
<style>
.share_tools span.linkedin {
background-image: none !important;
width: auto !important;
margin-right: 5px !important;
}
.share_tools span.linkedin span {
background-image: none !important;
width: auto !important;
margin-right: 0 !important;
}
</style>
<div class="share_tools">
<script src="//platform.linkedin.com/in.js" type="text/javascript"></script>
<span class="linkedin"><script type="IN/Share" data-counter="right"></script>
</span>
<span class="st_twitter_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" st_via="computerworld"></span>
<!-- span class="st_googleplus_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span -->
<div class="g-plusone" data-size="medium" data-annotation="none"></div>
<span class="st_stumbleupon_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<span class="st_reddit_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<fb:like href="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" send="false" layout="button_count" width="55" show_faces="false"></fb:like>
<span class="st_email_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_"></span>
<span class="st_sharethis_custom" st_url="http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_" st_via="computerworld"></span>
</div><!-- /.share_tools -->
<script type="text/javascript" src="http://wd.sharethis.com/button/buttons.js"></script>
<script type="text/javascript">
stLight.options({
publisher: '8fc0bc5f-13f9-4ea6-9dee-97f073f43459',
onhover: false,
embeds: true,
tracking:'google'
});
</script>
</div> <!-- end article actions (bottom) -->
<div class="clear:both;"></div>
<div id="original_source"><span class="tagline"><br><img src="/common/images/clear.gif" width="1" height="4"><br></div>
<!--div id="jump_to_comments"><a href="#comments">Jump to comments</a></div-->
<div id="stories_promo">
<div class="module nocontent" id="top_stories_module">
<div class="module_header">Today's Top Stories</div>
<ul data-vr-zone="Top Stories">
<li id="related_list_1" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/action/article.do?command=viewArticleBasic&articleId=9239892">FAQ: What the NSA phone snooping uproar is all about </a></li>
<li id="related_list_2" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_">Why iOS is the future of Apple (and how we got here) </a></li>
<li id="related_list_3" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239891/Google_execs_talk_China_privacy_betting_big_">Google execs talk China, privacy, betting big </a></li>
<li id="related_list_4" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239625/Beginner_s_guide_to_R_Introduction_">Beginner's guide to R: Introduction </a></li>
<li id="related_list_5" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239898/External_server_disk_storage_sales_drop_for_first_time_since_2009_says_IDC_">External server disk storage sales drop for first time since 2009, says IDC </a></li>
<li id="related_list_6" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239815/IT_departments_won_t_exist_in_five_years_">IT departments won't exist in five years </a></li>
<li id="related_list_7" data-vr-contentbox="">
<a name="&lpos=Right Rail:Top Stories" href="/s/article/9239877/Launch_of_Outlook_RT_testifies_to_Microsoft_s_app_troubles_">Launch of Outlook RT testifies to Microsoft's app troubles </a></li>
</ul>
</div> <!-- end top stories module -->
<style type="text/css">
#from-cio-promo,
#from-cso-promo {
float:left;
/* padding:25px 0; */
width:50%;
}
#from-cio-promo ul {
/* padding-right:15px; */
}
/*#from-cso-promo {
float:left;
padding:25px 0;
width:100%;
}*/
</style>
<div id="from-cio-promo">
<div class="module_header">From <a href="http://www.cio.com?source=ctwartcio_hdr" name="&lpos=Article:IDGE cross promo CIO" target="_blank">CIO.com</a> | <a href="http://www.csoonline.com?source=ctwartcso_hdr" name="&lpos=Article:IDGE cross promo CSO" target="_blank">CSOonline</a></div>
<ul data-vr-zone="from cio cso">
<li data-vr-contentbox=""><a href="http://www.cio.com/article/734016/How_to_Secure_USB_Drives_and_Other_Portable_Storage_Devices?source=ctwartcio" name="&lpos=Article:IDGE cross promo CIO" target="_blank">How to Secure USB Drives and Other Portable Storage Devices</a></li>
<li data-vr-contentbox=""><a href="http://www.cio.com/slideshow/103232?source=ctwartcio" name="&lpos=Article:IDGE cross promo CIO" target="_blank">10 BYOD Worker Types</a></li>
<li data-vr-contentbox=""><a href="http://www.cio.com/article/734200/10_Top_Social_Media_Startups_the_Final_Rankings?source=ctwartcio" name="&lpos=Article:IDGE cross promo CIO" target="_blank">10 Top Social Media Startups--the Final Rankings</a></li>
<li data-vr-contentbox=""><a href="http://www.cio.com/slideshow/103069?source=ctwartcio" name="&lpos=Article:IDGE cross promo CIO" target="_blank">10 Hottest Healthcare IT Developer and Programming Skills</a></li>
<li data-vr-contentbox=""><a href="http://www.csoonline.com/slideshow/detail/78012/A-walking-tour--33-questions-to-ask-about-your-company-s-security?source=ctwartcso" name="&lpos=Article:IDGE cross promo CSO" target="_blank">A walking tour: 33 questions to ask about your company's security</a></li>
<li data-vr-contentbox=""><a href="http://www.csoonline.com/slideshow/detail/52935/15-social-media-scams?source=ctwartcso" name="&lpos=Article:IDGE cross promo CSO" target="_blank">15 social media scams</a></li>
<li data-vr-contentbox=""><a href="http://www.csoonline.com/article/732602/the-7-elements-of-a-successful-security-awareness-program?source=ctwartcso" name="&lpos=Article:IDGE cross promo CSO" target="_blank">The 7 elements of a successful security awareness program</a></li>
</ul>
</div>
<div class="clear"></div>
</div><!-- /#_stories_promo -->
<div id="addresources_module" class="nocontent" data-vr-zone="additional resources">
<div class="module_header">Additional Resources</div>
<div class="item item_first" data-vr-contentbox="">
<div class="image"><img src="http://resources.idgenterprise.com/thumb/AST-0067242_8x8CiscoAdvantage_eBook.png" width="50" border="0" alt="How Cloud Communications Reduce Costs and Increase Productivity" title="How Cloud Communications Reduce Costs and Increase Productivity" /></div>
<div class="text">
<div class="label">WHITE PAPER</div>
<div class="title"><a onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" href="http://resources.computerworld.com/show/200014207/00623430077818CTWPRJ0UHXTC9/?email=%%emailaddr%%" class="title">How Cloud Communications Reduce Costs and Increase Productivity</a></div>
<div class="summary">Small and midsize businesses are moving to the cloud to host their communications capabilities. Learn how enterprise-quality phone benefits, online management, conferencing, auto attendant, and ease of use are built into a system that is half the cost of a PBX.</div>
<p style="margin:8px 0 0 0;"><a onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" href="http://resources.computerworld.com/show/200014207/00623430077818CTWPRJ0UHXTC9/?email=%%emailaddr%%">Read now.</a></p>
</div>
</div><!-- /.item item_first -->
<!-- div class="item" data-vr-contentbox="">
<div class="image"><img src="/common/images/site/teasers/150_cios.jpg" width="50" border="0" alt="Cut Communications Costs Once and for All" /></div>
<div class="text">
<div class="label">WHITE PAPER</div>
<div class="title"><a onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" href="http://solutioncenters.computerworld.com/blackberry_mobile_business/registration/9605.html?source=00513230064090CTWBBDHQZQOMF__ctw?SOURCE=00513230064090CTWBBDHQZQOMF">What 150 CIOs Want in an Enterprise Tablet</a></div>
<div class="summary">Gartner predicts that 80% of businesses will support tablets by 2013, yet CIOs are still concerned about access, management and control. Learn how BlackBerry PlayBook was specifically designed to meet CIOs' privacy, security and device management requirements and see how PlayBook is being deployed in a wide range of vertical industries.</div>
<p style="margin:8px 0 0 0;"><a onclick="LeadGen.Tracking.addSourceCode('ctwtsr','ar', this);return false;" href="http://solutioncenters.computerworld.com/blackberry_mobile_business/registration/9605.html?source=00513230064090CTWBBDHQZQOMF__ctw?SOURCE=00513230064090CTWBBDHQZQOMF">Read now.</a></p>
</div>
</div -->
</div> <!-- end additional resources -->
<!-- end additional resources -->
<a name="comments"></a>
<div id="disqus_thread" style="width: 510px;"></div>
<script type="text/javascript">
var disqus_shortname = 'idg-computerworld';
var disqus_url = 'http://www.computerworld.com/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_';
var disqus_identifier = 'http://www.computerworld.com/s/article/9239873/';
var disqus_title = 'Why iOS is the future of Apple (and how we got here)';
var disqus_developer = 1; // developer mode is on
var disqus_config = null;
var disqus_def_name = null;
var disqus_def_email = null;
// Show Disqus thread
(function() {
var dsq = document.createElement('script'); dsq.type = 'text/javascript'; dsq.async = true;
dsq.src = 'http://' + disqus_shortname + '.disqus.com/embed.js';
(document.getElementsByTagName('head')[0] || document.getElementsByTagName('body')[0]).appendChild(dsq);
})();
// Update comment counters
(function () {
var s = document.createElement('script'); s.async = true;
s.type = 'text/javascript';
s.src = 'http://' + disqus_shortname + '.disqus.com/count.js';
(document.getElementsByTagName('HEAD')[0] || document.getElementsByTagName('BODY')[0]).appendChild(s);
}());
function disqus_config() {
this.callbacks.onNewComment = [function() {
if (typeof(OPG.Eloqua) != 'undefined') {
OPG.Eloqua.refresh_iframe('social');
}
}];
}
</script>
</div>
<div id="right_col">
<div class="imu">
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;cmn=idge;pos=topimu;sz=336x280,300x250,336x600,300x1050;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"></scr'+ 'ipt>');
</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;tile=14;pos=topimu;sz=336x280,300x250,336x600,300x1050;" target="_blank">
<img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;tile=14;pos=topimu;sz=336x280,300x250,336x600,300x1050;" width="336" border="0" alt=""></a>
</noscript>
</div> <!-- end top IMU -->
<div class="module nocontent" id="recommended_insider_v2" data-vr-zone="Audience Dev Right">
<div class="module_header"><img width="173" height="21" border="0" alt="Computerworld - Insider" src="http://www.computerworld.com/resources/images/cw-insider173x21.gif">Free Insider Guide</div>
<div data-vr-contentbox="">
<dl>
<dt><a href="http://reg.idgenterprise.com/insider.html?url=http://www.computerworld.com/s/article/9229370/Free_and_cheap_ways_to_study_for_IT_certifications?source=ctwrhn_itcert_reg" target="_blank" name="&lpos=Auddev:Rightver2">IT Certification Study Tips </a></dt>
<dd>Register for this Computerworld Insider Study Tip guide and gain access to hundreds of premium content articles, cheat sheets, product reviews and more.</dd>
</dl>
<a href="http://reg.idgenterprise.com/insider.html?url=http://www.computerworld.com/s/article/9229370/Free_and_cheap_ways_to_study_for_IT_certifications?source=ctwrhn_itcert_reg" class="all_link" target="_blank" name="&lpos=Auddev:Rightver2">Register for FREE now! »</a>
</div><!-- /data-vr-contentbox -->
</div><!-- /#recommended_insider_v2 -->
<div class="module nocontent" id="leadgen_module" data-vr-zone="combo leadgen right">
<div id="module_resources" class="leadgen_module">
<div class="module_header"><span>Mac OS X Resources</span></div>
<ul class="whitepapers_list">
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:White Paper" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/38338/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/38338/detail">
Firewall and IPS Deployment Guide
</a>
<span>Discover how to quickly deploy a full-service business network that is next-generation threat-ready. This comprehensive guide is based on best-practice design principles that...</span>
</li>
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:White Paper" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/38336/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/38336/detail">
What to Look for When Evaluating Next-Generation Firewalls
</a>
<span>These liabilities create security vulnerabilities and force enterprises into expensive workarounds like deploying separate gateway antivirus products and intrusion prevention systems (IPS).Next-Generation Firewalls...</span>
</li>
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:White Paper" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/38334/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/38334/detail">
The Next Generation is the Smart Generation
</a>
<span>This eBook investigates why traditional firewalls are no longer enough, and how application intelligence and control enable network security in the wake of...</span>
</li>
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:White Paper" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/38332/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/38332/detail">
The Promises and Pitfalls of BYOD
</a>
<span>Bring-Your-Own-Device: It's a growing trend that offers many benefits for employees and companies - and potential headaches for IT. Having the right security...</span>
</li>
</ul>
<ul class="webcasts_list">
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:Webcast" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/37190/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/37190/detail">
Webinar: Create Competitive Advantage, Featuring Synchology
</a>
<span>View Now!</span>
</li>
<li data-vr-contentbox="">
<a name="&lpos=Right Rail:Webcast" onclick="_vrtrack({ track_url : 'http://resources.computerworld.com/ccd/assets/38277/detail' }); LeadGen.Tracking.addSourceCode('ctwsite','wpwcrhn', this);return false;" href="http://resources.computerworld.com/ccd/assets/38277/detail">
HIPAA Hiccup Solved
</a>
<span>Data protection priorities rapidly changed after a patient data leak that caused one healthcare provider unexpected expenses, potential reputational risk and possible HIPAA...</span>
</li>
<a class="all_link" href="/s/whitepapers/topic/123/Mac+OS+X/1">All Mac OS X White Papers</a> |
<a class="all_link" href="/s/webcasts/topic/123/Mac+OS+X/1">Webcasts</a>
</ul>
</div> <!-- end webcasts module -->
</div> <!-- end right_leadgen_module -->
<div class="imu">
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<iframe id="dclk1236" src="#" width="336" height="280" marginwidth="0" marginheight="0" hspace="0" vspace="0" frameborder="0" scrolling=no borderCOLOR="#000000">');
if (navigator.userAgent.indexOf("Gecko")==-1) {
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;cmn=idge;tagtype=iframe;pos=bottomimu;sz=336x280;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');
}
document.write('</iframe>');
if (document.getElementById('dclk1236')) {
document.getElementById('dclk1236').src = ''+ad_server_url+'/adi/idge.cpw.operatingsystems/macos;cmn=idge;tagtype=iframe;pos=bottomimu;sz=336x280;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?';
}
</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;tagtype=iframe;tile=10;pos=bottomimu;sz=336x280;" target="_blank"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;tagtype=iframe;tile=10;pos=bottomimu;sz=336x280;" width="336" height="280" border="0" alt=""></a>
</noscript>
</div>
<div style="clear:both;"></div>
<div class="module" id="article_promo_module">
<script language="JavaScript" type="text/javascript">
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;pos=articlepromoright;sz=336x250;'+_rval+';ord='+ord+'?" type="text/javascript"></scr'+ 'ipt>');
</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;pos=articlepromoright;sz=336x250;" target="_blank">
<img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;kw=wwdc,apple,developers,ios,osx;cid=9239873;pos=articlepromoright;sz=336x250;" width="336" border="0" alt=""></a>
</noscript>
</div>
<div class="module nocontent" id="itjobs_module">
<style type="text/css">
#wrapper #sh_job_widget .sh_powered_by { margin-top:0; text-align:right; font-size:1.1em; line-height:1.2em; padding-top:0.3em; }
#wrapper #sh_job_widget .sh_powered_by a { text-decoration:none; }
#wrapper #sh_job_widget .sh_powered_by .sh_blue { color:#00ACF1; }
#wrapper #sh_job_widget .sh_powered_by .sh_green { color:#A6CE3A; }
</style>
<script type="text/javascript">
var simplyhired_widget = {};
simplyhired_widget.partner = 'computerworld'; //partner name
simplyhired_widget.keywords = 'onet:(15-1*) OR onet:(17-2*) OR onet:(11-3*) OR technology OR “data architect” OR “software engineer” OR “computer technician” OR “cto”'; //search keywords
simplyhired_widget.location = ' '; //search location (omit for no location, set to empty string for geoip)
simplyhired_widget.num_jobs = '5'; //number of jobs to display
simplyhired_widget.stylesheet = 'http://www.computerworld.com/resources/simply-hired-article.css?20100409'; //full url to external stylesheet (optional)
simplyhired_widget.width = '336px'; //css width of widget (optional)
simplyhired_widget.height = '248px'; //css height of widget (optional)
simplyhired_widget.header ='';
simplyhired_widget.color_title = '#1752A3';
simplyhired_widget.color_location ='#9c9c9c';
simplyhired_widget.color_company ='#656565';
</script>
<script type="text/javascript" src="http://www.simplyhired.com/c/job-widget/js/widget.js"></script>
<div class="module_header"><span>IT Jobs</span></div>
<div id="simplyhired_job_widget"> </div>
<div style="border-top:1px dotted grey;padding-top:8px;">
<span style="font-size:12px;"><a href="http://itjobs.computerworld.com/a/all-jobs/list">See All Jobs</a></span> <span style="padding-left:15px;font-size:12px;"><a href="http://itjobs.computerworld.com/a/jbb/post-job">Post a job for $295</a></span>
</div>
<div style="padding-top:7px;">
<form class="sh_search_jobs" style="display: inline;" action="http://itjobs.computerworld.com/a/all-jobs/search" method="GET" onsubmit="if((this.q.value==''||this.q.value=='job title or company')&&(this.l.value==''||this.l.value=='location')){window.open('http://www.workforcehrjobs.com/');return false;}if(this.q.value=='job title or company')this.q.value='';if(this.l.value=='location')this.l.value='';return true">
<nobr>
<input class="sh_search_keywords" style="color: rgb(168, 168, 185);" name="q" value="job title or company" onfocus="this.value=''" size="19" type="text">
<input class="sh_search_location" style="color: rgb(168, 168, 185);" name="l" value="location" onfocus="this.value=''" size="14" type="text">
<button class="sh_search_button" type="submit">Go</button>
</nobr>
</form>
<div style="padding-top:7px;">
<a style="font-size:11px;font-weight:bold;" href="http://www.simplyhired.com/">Jobs</a> <span style="font-size:11px;">by</span> <a style="text-decoration:none font-size:13px;" href="http://www.simplyhired.com/"><span style="color: rgb(0, 159, 223); font-weight: bold;">Simply</span><span style="color: rgb(163, 204, 64); font-weight: bold;">Hired</span></a>
</div>
</div>
</div>
</div> <!-- end right column -->
</div> <!-- end main content -->
<div id="ciu" class="module">
<script language="JavaScript" type="text/javascript"> doublelick_ad_tag_tile++; if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;tile=15;pos=ciu;sz=934x370,934x335;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"></scr'+ 'ipt>'); </script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos" target="_blank">
<img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos" width="934" height="370" border="0" alt=""></a>
</noscript>
</div>
<!-- this is where the sponsored content at the bottom goes (featured sponsors, topic white papers, bottom leaderboard, sponsored links, resource center, etc. -->
<div id="sponsored_content" class="clearfix">
<div id="sponsored_whitepapers" class="sponsored_module clearfix nocontent" data-vr-zone="white papers bottom">
<div class="module_header"><span>Mac OS X White Papers</span> <span class="all_link">| <a href="/s/whitepapers/topic/123/Mac+OS+X/1">All Mac OS X White Papers</a></span></div>
<ul class="sponsored_left">
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38338/detail" >
Firewall and IPS Deployment Guide
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38334/detail" >
The Next Generation is the Smart Generation
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38330/detail" >
Smart Security for Escalating Challenges
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38326/detail" >
Anatomy Of A CyberAttack
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38315/detail" >
Getting the Most Out of Your Next-Generation Firewall
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38313/detail" >
Security without Compromise White Paper
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38301/detail" >
Know the Big Three
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38289/detail" >
Big Security for Big Data
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/35448/detail" >
Taking BPO to the next level - 6 questions to consider
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/35438/detail" >
BPO Agility - Instantly Adapt to Changing Market Demands
</a></li>
</ul> <!-- end left col -->
<ul class="sponsored_right">
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38336/detail" >
What to Look for When Evaluating Next-Generation Firewalls
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38332/detail" >
The Promises and Pitfalls of BYOD
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38328/detail" >
Why Protection and Performance Matters
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38321/detail" >
Build an ROI model to Assess Your B2B E-Commerce Initiative
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38314/detail" >
Annual Security Report
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38307/detail" >
2012 HP Cyber Risk Report
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38295/detail" >
A Universal Log Management Solution
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38283/detail" >
Providing Security for Software Systems in the Cloud
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/35443/detail" >
Large-scale BPO automation market trends and solutions
</a></li>
<li class="item" data-vr-contentbox=""><a onclick="LeadGen.Tracking.addSourceCode('ctwlib','wpmodule', this);return false;" href="http://resources.computerworld.com/ccd/assets/38273/detail" >
Next Generation Archive Migration Tools
</a></li>
</ul> <!-- end right col -->
</div> <!-- end topic whitepapers -->
<div id="bottom_leaderboard_wrapper" class="leaderboard_wrapper sponsored_module">
<div class="leaderboard">
<script language="JavaScript" type="text/javascript">
doublelick_ad_tag_tile++;
if (!self.ord) { ord = Math.random()*10000000000000000; }
document.write('<iframe id="dclk1233" src="#" width="728" height="90" marginwidth="0" marginheight="0" hspace="0" vspace="0" frameborder="0" allowTransparency="true" scrolling=no borderCOLOR="#000000">');
if (navigator.userAgent.indexOf("Gecko")==-1) {
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;cmn=idge;tagtype=iframe;pos=bottomleaderboard;sz=728x90;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');
}
document.write('</iframe>');
if (document.getElementById('dclk1233')) {
document.getElementById('dclk1233').src = ''+ad_server_url+'/adi/idge.cpw.operatingsystems/macos;cmn=idge;tagtype=iframe;pos=bottomleaderboard;sz=728x90;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?';
}
</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;tagtype=iframe;tile=16;pos=bottomleaderboard;sz=728x90;" target="_blank" style="border:none"><img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;tagtype=iframe;tile=16;pos=bottomleaderboard;sz=728x90;" border="0" height="90" width="728" /></a>
</noscript>
</div>
</div> <!-- end leaderboard -->
<div id="sponsored_links" class="sponsored_module clearfix nocontent" data-vr-zone="sponsored links bottom">
<div class="module_header nocontent"><span>Sponsored Links</span></div>
<ul class="sponsored_left">
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;273169837;44243109;m?https://www1.gotomeeting.com/register/573088673" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;273169837;44243109;m?https://www1.gotomeeting.com/register/573088673' })">
Customer Webinar: CityYear & AMAG Pharma enable mobility
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272914094;44243109;e?http://www.panasonic.com/business/toughbook/semi-rugged-C2-convertible-tablet-pc.asp?cm_mmc=Sigma-_-Text-Horizontal-_-ComputerWorld-ROS-ToughbookC2page-_-Text-Solutions" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272914094;44243109;e?http://www.panasonic.com/business/toughbook/semi-rugged-C2-convertible-tablet-pc.asp?cm_mmc=Sigma-_-Text-Horizontal-_-ComputerWorld-ROS-ToughbookC2page-_-Text-Solutions' })">
Panasonic Toughbook® mobile computers are built to keep you running.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272958461;44243109;k?http://www.siemens-enterprise.com/us//us/~/media/internet%202010/Documents/amplify-teams/Vibrant-Conversations-Whitepaper.pdf" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272958461;44243109;k?http://www.siemens-enterprise.com/us//us/~/media/internet%202010/Documents/amplify-teams/Vibrant-Conversations-Whitepaper.pdf' })">
Which forms of collaboration will have the greatest impact on your teams?
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272811655;42408181;e?http://www.sap.com/campaigns/2013_04_realtime_data_platform/accurate_data.epx?URL_ID=CRM-XU13-EIM-ADTLP" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272811655;42408181;e?http://www.sap.com/campaigns/2013_04_realtime_data_platform/accurate_data.epx?URL_ID=CRM-XU13-EIM-ADTLP' })">
Base your business decisions on complete, accurate data-with SAP®.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272697977;44243109;w?http://servedby.flashtalking.com/click/4/27124;604174;50126;211;0/?url=http://intel.com/tabletforbusiness?CID=NATBQ2_CW" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272697977;44243109;w?http://servedby.flashtalking.com/click/4/27124;604174;50126;211;0/?url=http://intel.com/tabletforbusiness?CID=NATBQ2_CW' })">
Finally, a tablet that thinks the way you work. Intel®-based tablets
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272282798;44243109;n?http://ad.doubleclick.net/clk;272328832;97556110;k" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272282798;44243109;n?http://ad.doubleclick.net/clk;272328832;97556110;k' })">
Improve your ROI by the power of three with HP Converged Storage.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;271972422;44243109;c?http://ad.doubleclick.net/clk;272430129;97834061;h" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;271972422;44243109;c?http://ad.doubleclick.net/clk;272430129;97834061;h' })">
Splunk - Machine data goes in, business insight comes out. Learn more.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272516770;44243109;d?http://www.vce.com/sap/1" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272516770;44243109;d?http://www.vce.com/sap/1' })">
Jumpstart business transformation with VCE solutions for SAP
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272169428;44243109;h?http://forms2.tibco.com/predicts2013-app-integration?SOURCE=00701170087736CTWLKRB0TSJMD" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272169428;44243109;h?http://forms2.tibco.com/predicts2013-app-integration?SOURCE=00701170087736CTWLKRB0TSJMD' })">
Check out Gartner Predicts 2013: Application Integration
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272013925;44243109;x?http://www.emersonnetworkpower.com/en-US/Solutions/CIO-Topics/Pages/Availability.aspx" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272013925;44243109;x?http://www.emersonnetworkpower.com/en-US/Solutions/CIO-Topics/Pages/Availability.aspx' })">
New CIO Playbook helps you commit to SLAs with confidence.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;271197830;44243109;e?http://info.servicenow.com/LP=1142" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;271197830;44243109;e?http://info.servicenow.com/LP=1142' })">
Transform enterprise IT with ServiceNow. See how easy IT can be.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;264485250;44243109;c?http://clk.atdmt.com/MRT/go/422339345/direct;at.PIX_WE_FY13_CMPWD_RoyalC_Text_1x1;wi.1;hi.1/01/" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;264485250;44243109;c?http://clk.atdmt.com/MRT/go/422339345/direct;at.PIX_WE_FY13_CMPWD_RoyalC_Text_1x1;wi.1;hi.1/01/' })">
See how Royal Caribbean is unlocking intelligence w/ Windows Embedded.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;268675045;44243109;j?http://www.mobileenterprise360.com/?utm_source=cw&utm_medium=txtlnk&utm_campaign=me360&SOURCE=00660600082322CTWK42K5ODSSW" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;268675045;44243109;j?http://www.mobileenterprise360.com/?utm_source=cw&utm_medium=txtlnk&utm_campaign=me360&SOURCE=00660600082322CTWK42K5ODSSW' })">
Join the Peer-Driven Community For All Things Mobility
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://tinyurl.com/a6v7wy4/?SOURCE=00660340082246CTWEM8XCUGVRZ" rel="nofollow" onclick="_vrtrack({ track_url : 'http://tinyurl.com/a6v7wy4/?SOURCE=00660340082246CTWEM8XCUGVRZ' })">
openBench Labs: How Diskeeper 12 Keeps the Latest Windows OS Running Like New
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;260740650;44243108;v?http://www.scs.northwestern.edu/info/information-systems.php?utm_source=computerworld_textlink_FY13&utm_medium=textlink&utm_content=MSIS&utm_campaign=MSIS_computerworld&src=computerworld_textlink_fy13" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;260740650;44243108;v?http://www.scs.northwestern.edu/info/information-systems.php?utm_source=computerworld_textlink_FY13&utm_medium=textlink&utm_content=MSIS&utm_campaign=MSIS_computerworld&src=computerworld_textlink_fy13' })">
Online Master of Science in Information Systems at Northwestern University
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://www.itwhitepapers.com" rel="nofollow" onclick="_vrtrack({ track_url : 'http://www.itwhitepapers.com' })">ITwhitepapers.com - Access thousands of white papers on 300+ technical topics.</a></li>
<li class="item" data-vr-contentbox=""><a href="http://zones.computerworld.com/fluke_networks/" rel="nofollow" onclick="_vrtrack({ track_url : 'http://zones.computerworld.com/fluke_networks/' })">Leverage Your Cisco infrastructure for Superior Application Performance</a></li>
<li class="item" data-vr-contentbox=""><a href="http://a1448.g.akamai.net/7/1448/25138/v0001/compworld.download.akamai.com/25137/computerworld/podcasts/amd_ave_novell.mp3" rel="nofollow" onclick="_vrtrack({ track_url : 'http://a1448.g.akamai.net/7/1448/25138/v0001/compworld.download.akamai.com/25137/computerworld/podcasts/amd_ave_novell.mp3' })">Learn about the AMD Virtual Experience</a></li>
<li class="item" data-vr-contentbox=""><a href="http://www.accelacomm.com/jlp/cwtl/11/3202/" rel="nofollow" onclick="_vrtrack({ track_url : 'http://www.accelacomm.com/jlp/cwtl/11/3202/' })">"The Definitive Guide to Security Management" Chapter 1: Introduction to Security Management</a></li>
<li class="item" data-vr-contentbox=""><a href="http://w.on24.com/r.htm?e=31415&s=1&k=3406E15112046E2379FF4A1A9D3BF168&partnerref=cwtl" rel="nofollow" onclick="_vrtrack({ track_url : 'http://w.on24.com/r.htm?e=31415&s=1&k=3406E15112046E2379FF4A1A9D3BF168&partnerref=cwtl' })">Introducing: Project Icebreaker</a></li>
</ul> <!-- end left col -->
<ul class="sponsored_right">
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;273170770;44243109;a?http://www.mysmartaudit.net/dell-sonicwall/821/is-your-firewall-failing-you/?cp=2013" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;273170770;44243109;a?http://www.mysmartaudit.net/dell-sonicwall/821/is-your-firewall-failing-you/?cp=2013' })">
Is your firewall obsolete, security-deficient, and application unaware?
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272334742;44243109;a?http://info.watchdox.com/Demo_adcampaign.html" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272334742;44243109;a?http://info.watchdox.com/Demo_adcampaign.html' })">
Enterprises Share with WatchDox:Secure Mobile Productivity & File Sync
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272822422;44243109;x?http://altfarm.mediaplex.com/ad/ck/21227-177322-1658-6" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272822422;44243109;x?http://altfarm.mediaplex.com/ad/ck/21227-177322-1658-6' })">
Powerful and secure remote support with LogMeIn Rescue - Try it free
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272811656;42408181;f?http://www.sap.com/campaigns/2013_04_realtime_data_platform/big_data.epx?URL_ID=CRM-XU13-DAT-BDTLP" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272811656;42408181;f?http://www.sap.com/campaigns/2013_04_realtime_data_platform/big_data.epx?URL_ID=CRM-XU13-DAT-BDTLP' })">
Increase your speed and agility with big data analytics from SAP®.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272662939;44243109;m?http://info.knowbe4.com/free-email-exposure-check-0-1-2-0-0" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272662939;44243109;m?http://info.knowbe4.com/free-email-exposure-check-0-1-2-0-0' })">
How big is your 'phishing attack surface'? Find out now. A new free service!
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272559991;44243109;p?http://ad-emea.doubleclick.net/clk;272127118;97688403;p" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272559991;44243109;p?http://ad-emea.doubleclick.net/clk;272127118;97688403;p' })">
Intel ProLiant -Double compute density to tackle bigger workloads with HP ProLiant servers. Learn more
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272516499;44243109;l?http://www.vce.com/roi" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272516499;44243109;l?http://www.vce.com/roi' })">
Focus on business, not infrastructure with VblockTM Systems from VCE
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272380855;44243109;g?http://rhel.redhat.com?SOURCE=00703260087945CTWB6DKCUAZEK" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272380855;44243109;g?http://rhel.redhat.com?SOURCE=00703260087945CTWB6DKCUAZEK' })">
Platform without Boundaries - Extend your Datacenter
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272169546;44243109;i?http://forms2.tibco.com/predicts2013-app-integration?SOURCE=00701170087735CTW17LFMS8VDP" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272169546;44243109;i?http://forms2.tibco.com/predicts2013-app-integration?SOURCE=00701170087735CTW17LFMS8VDP' })">
What's your Integration Strategy? View Gartner Predicts 2013: Application Integration.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;272952132;42408181;a?http://www.air-watch.com/lp/gartner-mdm-magic-quadrant?SOURCE=00680430085460CTWS3GS9OFB25" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;272952132;42408181;a?http://www.air-watch.com/lp/gartner-mdm-magic-quadrant?SOURCE=00680430085460CTWS3GS9OFB25' })">
AirWatch - Leader in the Gartner Magic Quadrant Report for MDM. Download Now
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;270843812;44243109;b?http://ad.doubleclick.net/clk;270505532;96507442;f" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;270843812;44243109;b?http://ad.doubleclick.net/clk;270505532;96507442;f' })">
Connect to the Cloud faster with Comcast Business
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk;270109121;42408181;q?http://h30614.www3.hp.com/discover/home?jumpid=ex_r11754_go_discover" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk;270109121;42408181;q?http://h30614.www3.hp.com/discover/home?jumpid=ex_r11754_go_discover' })">
Imagine a future shaped by simplicity. See it at HP Discover 2013. Register Now.
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://tinyurl.com/b8e2ks8/?SOURCE=00660340082243CTWJ8QH0O6U8O" rel="nofollow" onclick="_vrtrack({ track_url : 'http://tinyurl.com/b8e2ks8/?SOURCE=00660340082243CTWJ8QH0O6U8O' })">
IDC Report: Managing the I/O Explosion Without Extra Hardware
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://tinyurl.com/ane46dl/?SOURCE=00660340082244CTWEP2OUUKVXR" rel="nofollow" onclick="_vrtrack({ track_url : 'http://tinyurl.com/ane46dl/?SOURCE=00660340082244CTWEP2OUUKVXR' })">
Top Ten Myths About Recovering Deleted Files
</a></li>
<li class="item" data-vr-contentbox=""><a href="http://ad.doubleclick.net/clk%3b33749358%3b7163019%3bq?http://www.microsoft.com/DPM" rel="nofollow" onclick="_vrtrack({ track_url : 'http://ad.doubleclick.net/clk%3b33749358%3b7163019%3bq?http://www.microsoft.com/DPM' })">Download Microsoft's latest Data Protection Management tool </a></li>
<li class="item" data-vr-contentbox=""><a href="http://reg.computerworld.com?acc=80507586&src=textlink" rel="nofollow" onclick="_vrtrack({ track_url : 'http://reg.computerworld.com?acc=80507586&src=textlink' })">Not All QSAs Are Created Equal: What You Should Know Before You Buy</a></li>
<li class="item" data-vr-contentbox=""><a href="http://zones.computerworld.com/sas/index.php?intsrc=zoneshp" rel="nofollow" onclick="_vrtrack({ track_url : 'http://zones.computerworld.com/sas/index.php?intsrc=zoneshp' })">The arrival of Serial Attached SCSI (SAS) marks a new era in storage scalability</a></li>
<li class="item" data-vr-contentbox=""><a href="http://a1448.g.akamai.net/7/1448/25138/v0001/compworld.download.akamai.com/25137/computerworld/podcasts/bruce_shaw_amd_ave.mp3" rel="nofollow" onclick="_vrtrack({ track_url : 'http://a1448.g.akamai.net/7/1448/25138/v0001/compworld.download.akamai.com/25137/computerworld/podcasts/bruce_shaw_amd_ave.mp3' })">The AMD Virtual Experience Virtual Trade Show</a></li>
<li class="item" data-vr-contentbox=""><a href="http://www.accelacomm.com/jlp/cwtl/11/3202/" rel="nofollow" onclick="_vrtrack({ track_url : 'http://www.accelacomm.com/jlp/cwtl/11/3202/' })">"The Definitive Guide to Security Management" Chapter 1: Introduction to Security Management</a></li>
</ul> <!-- end right col -->
</div> <!-- end sponsored links -->
<div id="bonus_resource_center" class="sponsored_module nocontent">
<div id="resource_center" class="module">
<div class="module_header">Resource Center</div>
<script type="text/javascript" src="http://jlinks.industrybrains.com/jsct?sid=756&ct=COMPUTERWORLD_ROS&num=5&layt=3v1&fmt=simp"></script>
<a href="http://www.techwords.com" target="_blank"><img src="/common/images/site/quigo_adsbytechwords.gif" alt="Ads by TechWords" width="115" height="12" hspace="0" vspace="0" border="0" title="Ads by TechWords" style="margin-bottom: 0;"></a><br />
<a href="http://www.techwords.com/" target="_blank" id="techwords_link">See your link here</a>
</div>
</div> <!-- end resource center/bonus links -->
</div> <!-- end sponsored content -->
<div id="skip_to_top" class="nocontent">
<a href="#container">Skip to top</a>
</div>
</div> <!-- end page wrapper -->
<div id="footer" class="nocontent">
<ul id="site_links">
<li><a rel="nofollow" href="/s/pages/about_cw">About Us</a></li>
<li><a rel="nofollow" href="http://www.computerworldmediakit.com" target="_blank">Advertise</a></li>
<li><a rel="nofollow" href="/s/pages/contacts/contacts_all">Contacts</a></li>
<li><a rel="nofollow" href="http://marketing.computerworld.com/cw_edit_cal_2013_with_close.pdf" target="_blank">Editorial Calendar</a></li>
<li><a rel="nofollow" href="http://www.cwsubscribe.com/cgi-win/cw.cgi?ADD" target="_blank">Subscribe to Computerworld Magazine</a></li>
<li><a rel="nofollow" href="/s/help-desk">Help Desk</a></li>
<br />
<li><a rel="nofollow" href="/s/newsletters?source=ctwnla_footer">Newsletters</a></li>
<li><a rel="nofollow" href="http://careers.idg.com">Careers at IDG</a></li>
<li><a rel="nofollow" href="/s/pages/about_policies">Privacy Policy</a></li>
<li><a rel="nofollow" href="/s/pages/about_order_reprints">Reprints</a></li>
<li><a rel="nofollow" href="/s/pages/site_map">Site Map</a></li>
<li class="ad_choices"><a rel="nofollow" href="/s/pages/ad_choices">Ad Choices</a></li>
</ul> <!-- end site links -->
<div id="idg_network">
<span>The IDG Network:</span>
<ul>
<li><a href="http://www.cfoworld.com?source=ctwfooter" target="_blank">CFOworld</a></li>
<li><a href="http://www.cio.com?source=ctwfooter" target="_blank">CIO</a></li>
<li><a href="http://www.citeworld.com?source=ctwfooter" target="_blank">CITEworld</a></li>
<li><a href="http://www.computerworld.com?source=ctwfooter">Computerworld</a></li>
<li><a href="http://www.csoonline.com?source=ctwfooter" target="_blank">CSO</a></li>
<li><a href="http://www.demo.com" target="_blank">DEMO</a></li>
<li><a href="http://www.idc.com" target="_blank">IDC</a></li>
<li><a href="http://www.IDG.com" target="_blank">IDG</a></li>
<li><a href="http://www.idgconnect.com" target="_blank">IDG Connect</a></li>
<li><a href="http://www.idgknowledgehub.com" target="_blank">IDG Knowledge Hub</a></li>
<li><a href="http://www.idgtechnetwork.com" target="_blank">IDG TechNetwork</a></li>
<li><a href="http://www.idgventures.com" target="_blank">IDG Ventures</a></li>
<li><a href="http://www.infoworld.com?source=ctwfooter" target="_blank">InfoWorld</a></li>
<li><a href="http://www.itwhitepapers.com/index.php?source=ctwfooter" target="_blank">ITwhitepapers</a></li>
<li><a href="http://www.itworld.com?source=ctwfooter" target="_blank">ITworld</a></li>
<li><a href="http://www.javaworld.com?source=ctwfooter" target="_blank">JavaWorld</a></li>
<li><a href="http://www.linuxworld.com?source=ctwfooter" target="_blank">LinuxWorld</a></li>
<li><a href="http://www.macworld.com" target="_blank">Macworld</a></li>
<li><a href="http://www.networkworld.com?source=ctwfooter" target="_blank">Network World</a></li>
<li><a href="http://www.pcworld.com" target="_blank">PC World</a></li>
<li><a href="http://www.techhive.com?source=ctwfooter" target="_blank">TechHive</a></li>
<li class="last_link"><a href="http://technologybriefcase.com/allCategories" target="_blank">Technology Briefcase</a></li>
</ul>
</div> <!-- end IDG network -->
<p id="copyright">Copyright © 1994 - 2013 Computerworld Inc. All rights reserved. Reproduction in whole or in part in any form or medium without express written permission of Computerworld Inc. is prohibited. Computerworld and Computerworld.com and the respective logos are trademarks of International Data Group Inc. </p>
<!-- START Nielsen Online SiteCensus V6.0 -->
<!-- COPYRIGHT 2010 Nielsen Online -->
<script type="text/javascript">
(function () {
var d = new Image(1, 1);
d.onerror = d.onload = function () {
d.onerror = d.onload = null;
};
d.src = ["//secure-us.imrworldwide.com/cgi-bin/m?ci=us-203426h&cg=0&cc=1&si=", escape(window.location.href), "&rp=", escape(document.referrer), "&ts=compact&rnd=", (new Date()).getTime()].join('');
})();
</script>
<noscript>
<div>
<img src="//secure-us.imrworldwide.com/cgi-bin/m?ci=us-203426h&cg=0&cc=1&ts=noscript"
width="1" height="1" alt="" />
</div>
</noscript>
<!-- END Nielsen Online SiteCensus V6.0 -->
<!-- PIYTEST -->
</div>
<script language="JavaScript" type="text/javascript"> if (!self.ord) { ord = Math.random()*10000000000000000; }
doublelick_ad_tag_tile++;
document.write('<script language="JavaScript" src="'+ad_server_url+'/adj/idge.cpw.operatingsystems/macos;cmn=idge;pos=catfish;sz=970x50;'+_rval+';ord='+ord+';tile='+doublelick_ad_tag_tile+'?" type="text/javascript"><\/script>');
</script>
<noscript>
<a href="http://ad.doubleclick.net/jump/idge.cpw.operatingsystems/macos;tile=23;pos=catfish;sz=970x50;" target="_blank">
<img src="http://ad.doubleclick.net/ad/idge.cpw.operatingsystems/macos;tile=23;pos=catfish;sz=970x50;" border="0" height="50" width="970" /></a>
</noscript>
</div> <!-- end site wrapper -->
</div>
</div>
<script type="text/javascript" src="/elqNow/elqCfg.js"></script>
<script type="text/javascript" src="/elqNow/elqImg.js"></script>
<script type='text/javascript' src="/elqNow/elqFCS.js"></script>
<script type="text/javascript" src="/elqNow/elqOPG.js?20101216"></script>
<script type="text/javascript" src="https://apis.google.com/js/plusone.js"></script>
<!-- Chart beat -->
<script type='text/javascript'>
var _sf_async_config={};
/** CONFIGURATION START **/
_sf_async_config.uid = 29363;
_sf_async_config.domain = 'idgenterprise.com';
_sf_async_config.path = '/s/article/9239873/Why_iOS_is_the_future_of_Apple_and_how_we_got_here_';
_sf_async_config.title = 'Why iOS is the future of Apple (and how we got here)';
_sf_async_config.useCanonical = true;
_sf_async_config.sections = 'computerworld.com';
_sf_async_config.authors = 'Michael deAgonia';
/** CONFIGURATION END **/
(function(){
function loadChartbeat() {
window._sf_endpt=(new Date()).getTime();
var e = document.createElement('script');
e.setAttribute('language', 'javascript');
e.setAttribute('type', 'text/javascript');
e.setAttribute('src',
(('https:' == document.location.protocol) ? 'https://a248.e.akamai.net/chartbeat.download.akamai.com/102508/' : 'http://static.chartbeat.com/') +
'js/chartbeat.js');
document.body.appendChild(e);
}
var oldonload = window.onload;
window.onload = (typeof window.onload != 'function') ?
loadChartbeat : function() { oldonload(); loadChartbeat(); };
})();
</script>
<!-- Begin BlueKai Tag -->
<iframe name="__bkframe" height="0" width="0" frameborder="0" src="javascript:void(0)"></iframe>
<script type="text/javascript" src="http://tags.bkrtx.com/js/bk-coretag.js"></script>
<script type="text/javascript">
bk_addPageCtx("channel", (typeof(s.channel)!=='undefined')?s.channel:'');
bk_addPageCtx("p5", (typeof(s.prop5)!=='undefined')?s.prop5:'');
bk_addPageCtx("p6", (typeof(s.prop6)!=='undefined')?s.prop6:'');
bk_addPageCtx("p14", (typeof(s.prop14)!=='undefined')?s.prop14:'');
bk_addPageCtx("p41", (typeof(s.prop41)!=='undefined')?s.prop41:'');
bk_addPageCtx("p42", (typeof(s.prop42)!=='undefined')?s.prop42:'');
bk_doJSTag(14339, 10);
</script>
<!-- End BlueKai Tag -->
</body>
</html>
|