-
Notifications
You must be signed in to change notification settings - Fork 0
/
constituency.html
1477 lines (1333 loc) · 154 KB
/
constituency.html
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
<!DOCTYPE html>
<html lang="en-GB" id="responsive-news">
<head >
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<title>Belfast East parliamentary constituency - Election 2015 - BBC News</title>
<meta name="description" content="Latest news and results for Belfast East in the General Election 2015">
<meta name="x-country" content="gb">
<meta name="x-audience" content="Domestic">
<meta name="CPS_AUDIENCE" content="Domestic">
<link rel="alternate" hreflang="en-gb" href="http://www.bbc.co.uk/news/politics/constituencies/N06000001">
<link rel="alternate" hreflang="en" href="http://www.bbc.com/news/politics/constituencies/N06000001">
<meta name="apple-mobile-web-app-title" content="BBC News">
<link rel="apple-touch-icon-precomposed" sizes="57x57" href="http://static.bbci.co.uk/news/1.69.0321/apple-touch-icon-57x57-precomposed.png">
<link rel="apple-touch-icon-precomposed" sizes="72x72" href="http://static.bbci.co.uk/news/1.69.0321/apple-touch-icon-72x72-precomposed.png">
<link rel="apple-touch-icon-precomposed" sizes="114x114" href="http://static.bbci.co.uk/news/1.69.0321/apple-touch-icon-114x114-precomposed.png">
<link rel="apple-touch-icon-precomposed" sizes="144x144" href="http://static.bbci.co.uk/news/1.69.0321/apple-touch-icon.png">
<link rel="apple-touch-icon" href="http://static.bbci.co.uk/news/1.69.0321/apple-touch-icon.png">
<meta name="application-name" content="BBC News">
<meta name="msapplication-TileImage" content="http://static.bbci.co.uk/news/1.69.0321/windows-eight-icon-144x144.png">
<meta name="msapplication-TileColor" content="#CC0101">
<meta http-equiv="cleartype" content="on">
<meta name="mobile-web-app-capable" content="yes">
<meta name="robots" content="NOODP,NOYDIR" />
<script type="text/javascript">var _sf_startpt=(new Date()).getTime()</script>
<script>
(function() {
if (navigator.userAgent.match(/IEMobile\/10\.0/)) {
var msViewportStyle = document.createElement("style");
msViewportStyle.appendChild(
document.createTextNode("@-ms-viewport{width:auto!important}")
);
document.getElementsByTagName("head")[0].appendChild(msViewportStyle);
}
})();
</script>
<meta name="viewport" content="width=device-width, initial-scale=1.0" /> <script type="text/javascript">window.bbcredirection={geo:true}</script> <!--orb.ws.require.lib--> <script type="text/javascript">/*<![CDATA[*/ if (typeof window.define !== 'function' || typeof window.require !== 'function') { document.write('<script class="js-require-lib" src="http://static.bbci.co.uk/frameworks/requirejs/lib.js"><'+'/script>'); } /*]]>*/</script> <script type="text/javascript"> bbcRequireMap = {"jquery-1":"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.7.2", "jquery-1.4":"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.4", "jquery-1.9":"http://static.bbci.co.uk/frameworks/jquery/0.3.0/sharedmodules/jquery-1.9.1", "swfobject-2":"http://static.bbci.co.uk/frameworks/swfobject/0.1.10/sharedmodules/swfobject-2", "demi-1":"http://static.bbci.co.uk/frameworks/demi/0.10.0/sharedmodules/demi-1", "gelui-1":"http://static.bbci.co.uk/frameworks/gelui/0.9.13/sharedmodules/gelui-1", "cssp!gelui-1/overlay":"http://static.bbci.co.uk/frameworks/gelui/0.9.13/sharedmodules/gelui-1/overlay.css", "istats-1":"http://static.bbci.co.uk/frameworks/istats/0.26.31/modules/istats-1", "relay-1":"http://static.bbci.co.uk/frameworks/relay/0.2.6/sharedmodules/relay-1", "clock-1":"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/clock-1", "canvas-clock-1":"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/canvas-clock-1", "cssp!clock-1":"http://static.bbci.co.uk/frameworks/clock/0.1.9/sharedmodules/clock-1.css", "jssignals-1":"http://static.bbci.co.uk/frameworks/jssignals/0.3.6/modules/jssignals-1", "jcarousel-1":"http://static.bbci.co.uk/frameworks/jcarousel/0.1.10/modules/jcarousel-1", "bump-3":"//emp.bbci.co.uk/emp/bump-3/bump-3"}; require({ baseUrl: 'http://static.bbci.co.uk/', paths: bbcRequireMap, waitSeconds: 30 }); </script> <script type="text/javascript">/*<![CDATA[*/ if (typeof bbccookies_flag === 'undefined') { bbccookies_flag = 'ON'; } showCTA_flag = true; cta_enabled = (showCTA_flag && (bbccookies_flag === 'ON')); (function(){var e="ckns_policy",m="Thu, 01 Jan 1970 00:00:00 GMT",k={ads:true,personalisation:true,performance:true,necessary:true};function f(p){if(f.cache[p]){return f.cache[p]}var o=p.split("/"),q=[""];do{q.unshift((o.join("/")||"/"));o.pop()}while(q[0]!=="/");f.cache[p]=q;return q}f.cache={};function a(p){if(a.cache[p]){return a.cache[p]}var q=p.split("."),o=[];while(q.length&&"|co.uk|com|".indexOf("|"+q.join(".")+"|")===-1){if(q.length){o.push(q.join("."))}q.shift()}f.cache[p]=o;return o}a.cache={};function i(o,t,p){var z=[""].concat(a(window.location.hostname)),w=f(window.location.pathname),y="",r,x;for(var s=0,v=z.length;s<v;s++){r=z[s];for(var q=0,u=w.length;q<u;q++){x=w[q];y=o+"="+t+";"+(r?"domain="+r+";":"")+(x?"path="+x+";":"")+(p?"expires="+p+";":"");bbccookies.set(y,true)}}}window.bbccookies={_setEverywhere:i,cookiesEnabled:function(){var o="ckns_testcookie"+Math.floor(Math.random()*100000);this.set(o+"=1");if(this.get().indexOf(o)>-1){g(o);return true}return false},set:function(o){return document.cookie=o},get:function(){return document.cookie},_setPolicy:function(o){return h.apply(this,arguments)},readPolicy:function(){return b.apply(this,arguments)},_deletePolicy:function(){i(e,"",m)},isAllowed:function(){return true},_isConfirmed:function(){return c()!==null},_acceptsAll:function(){var o=b();return o&&!(j(o).indexOf("0")>-1)},_getCookieName:function(){return d.apply(this,arguments)},_showPrompt:function(){var o=(!this._isConfirmed()&&window.cta_enabled&&this.cookiesEnabled()&&!window.bbccookies_disable);return(window.orb&&window.orb.fig)?o&&(window.orb.fig("no")||window.orb.fig("ck")):o}};bbccookies._getPolicy=bbccookies.readPolicy;function d(p){var o=(""+p).match(/^([^=]+)(?==)/);return(o&&o.length?o[0]:"")}function j(o){return""+(o.ads?1:0)+(o.personalisation?1:0)+(o.performance?1:0)}function h(r){if(typeof r==="undefined"){r=k}if(typeof arguments[0]==="string"){var o=arguments[0],q=arguments[1];if(o==="necessary"){q=true}r=b();r[o]=q}else{if(typeof arguments[0]==="object"){r.necessary=true}}var p=new Date();p.setYear(p.getFullYear()+1);p=p.toUTCString();bbccookies.set(e+"="+j(r)+";domain=bbc.co.uk;path=/;expires="+p+";");bbccookies.set(e+"="+j(r)+";domain=bbc.com;path=/;expires="+p+";");return r}function l(o){if(o===null){return null}var p=o.split("");return{ads:!!+p[0],personalisation:!!+p[1],performance:!!+p[2],necessary:true}}function c(){var o=new RegExp("(?:^|; ?)"+e+"=(\\d\\d\\d)($|;)"),p=document.cookie.match(o);if(!p){return null}return p[1]}function b(o){var p=l(c());if(!p){p=k}if(o){return p[o]}else{return p}}function g(o){return document.cookie=o+"=;expires="+m+";"}function n(){var o='<script type="text/javascript" src="http://static.bbci.co.uk/frameworks/bbccookies/0.6.9/script/bbccookies.js"><\/script>';if(window.bbccookies_flag==="ON"&&!bbccookies._acceptsAll()&&!window.bbccookies_disable){document.write(o)}}n()})(); /*]]>*/</script> <script type="text/javascript">/*<![CDATA[*/
(function(){window.fig=window.fig||{};window.fig.manager={include:function(a){a=a||window;var e=a.document,g=e.cookie,b=g.match(/(?:^|; ?)ckns_orb_fig=([^;]+)/);if(!b&&g.indexOf("ckns_orb_nofig=1")>-1){this.setFig(a,{no:1})}else{if(b){b=this.deserialise(decodeURIComponent(RegExp.$1));this.setFig(a,b)}e.write('<script src="https://ssl.bbc.co.uk/frameworks/fig/1/fig.js"><'+"/script>")}},confirm:function(a){a=a||window;if(a.orb&&a.orb.fig&&a.orb.fig("no")){this.setNoFigCookie(a)}if(a.orb===undefined||a.orb.fig===undefined){this.setFig(a,{no:1});this.setNoFigCookie(a)}},setNoFigCookie:function(a){a.document.cookie="ckns_orb_nofig=1; expires="+new Date(new Date().getTime()+1000*60*10).toGMTString()+";"},setFig:function(a,b){(function(){var c=b;a.orb=a.orb||{};a.orb.fig=function(d){return(arguments.length)?c[d]:c}})()},deserialise:function(b){var a={};b.replace(/([a-z]{2}):([0-9]+)/g,function(){a[RegExp.$1]=+RegExp.$2});return a}}})();fig.manager.include();/*]]>*/</script>
<!--[if (gt IE 8) | (IEMobile)]><!-->
<link rel="stylesheet" href="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/style/orb.css">
<!--<![endif]-->
<!--[if (lt IE 9) & (!IEMobile)]>
<link rel="stylesheet" href="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/style/orb-ie.css">
<![endif]-->
<script type="text/javascript">/*<![CDATA[*/ (function(undefined){if(!window.bbc){window.bbc={}}var ROLLING_PERIOD_DAYS=30;window.bbc.Mandolin=function(id,segments,opts){var now=new Date().getTime(),storedItem,DEFAULT_START=now,DEFAULT_RATE=1,COOKIE_NAME="ckpf_mandolin";opts=opts||{};this._id=id;this._segmentSet=segments;this._store=new window.window.bbc.Mandolin.Storage(COOKIE_NAME);this._opts=opts;this._rate=(opts.rate!==undefined)?+opts.rate:DEFAULT_RATE;this._startTs=(opts.start!==undefined)?new Date(opts.start).getTime():new Date(DEFAULT_START).getTime();this._endTs=(opts.end!==undefined)?new Date(opts.end).getTime():daysFromNow(ROLLING_PERIOD_DAYS);this._signupEndTs=(opts.signupEnd!==undefined)?new Date(opts.signupEnd).getTime():this._endTs;this._segment=null;if(typeof id!=="string"){throw new Error("Invalid Argument: id must be defined and be a string")}if(Object.prototype.toString.call(segments)!=="[object Array]"){throw new Error("Invalid Argument: Segments are required.")}if(opts.rate!==undefined&&(opts.rate<0||opts.rate>1)){throw new Error("Invalid Argument: Rate must be between 0 and 1.")}if(this._startTs>this._endTs){throw new Error("Invalid Argument: end date must occur after start date.")}if(!(this._startTs<this._signupEndTs&&this._signupEndTs<=this._endTs)){throw new Error("Invalid Argument: SignupEnd must be between start and end date")}removeExpired.call(this,now);var overrides=window.bbccookies.get().match(/ckns_mandolin_setSegments=([^;]+)/);if(overrides!==null){eval("overrides = "+decodeURIComponent(RegExp.$1)+";");if(overrides[this._id]&&this._segmentSet.indexOf(overrides[this._id])==-1){throw new Error("Invalid Override: overridden segment should exist in segments array")}}if(overrides!==null&&overrides[this._id]){this._segment=overrides[this._id]}else{if((storedItem=this._store.getItem(this._id))){this._segment=storedItem.segment}else{if(this._startTs<=now&&now<this._signupEndTs&&now<=this._endTs&&this._store.isEnabled()===true){this._segment=pick(segments,this._rate);if(opts.end===undefined){this._store.setItem(this._id,{segment:this._segment})}else{this._store.setItem(this._id,{segment:this._segment,end:this._endTs})}log.call(this,"mandolin_segment")}}}log.call(this,"mandolin_view")};window.bbc.Mandolin.prototype.getSegment=function(){return this._segment};function log(actionType,params){var that=this;require(["istats-1"],function(istats){istats.log(actionType,that._id+":"+that._segment,params?params:{})})}function removeExpired(expires){var items=this._store.getItems(),expiresInt=+expires;for(var key in items){if(items[key].end!==undefined&&+items[key].end<expiresInt){this._store.removeItem(key)}}}function getLastExpirationDate(data){var winner=0,rollingExpire=daysFromNow(ROLLING_PERIOD_DAYS);for(var key in data){if(data[key].end===undefined&&rollingExpire>winner){winner=rollingExpire}else{if(+data[key].end>winner){winner=+data[key].end}}}return(winner)?new Date(winner):new Date(rollingExpire)}window.bbc.Mandolin.prototype.log=function(params){log.call(this,"mandolin_log",params)};window.bbc.Mandolin.prototype.convert=function(params){log.call(this,"mandolin_convert",params);this.convert=function(){}};function daysFromNow(n){var endDate;endDate=new Date().getTime()+(n*60*60*24)*1000;return endDate}function pick(segments,rate){var picked,min=0,max=segments.length-1;if(typeof rate==="number"&&Math.random()>rate){return null}do{picked=Math.floor(Math.random()*(max-min+1))+min}while(picked>max);return segments[picked]}window.bbc.Mandolin.Storage=function(name){validateCookieName(name);this._cookieName=name;this._isEnabled=(bbccookies.isAllowed(this._cookieName)===true&&bbccookies.cookiesEnabled()===true)};window.bbc.Mandolin.Storage.prototype.setItem=function(key,value){var storeData=this.getItems();storeData[key]=value;this.save(storeData);return value};window.bbc.Mandolin.Storage.prototype.isEnabled=function(){return this._isEnabled};window.bbc.Mandolin.Storage.prototype.getItem=function(key){var storeData=this.getItems();return storeData[key]};window.bbc.Mandolin.Storage.prototype.removeItem=function(key){var storeData=this.getItems();delete storeData[key];this.save(storeData)};window.bbc.Mandolin.Storage.prototype.getItems=function(){return deserialise(this.readCookie(this._cookieName)||"")};window.bbc.Mandolin.Storage.prototype.save=function(data){window.bbccookies.set(this._cookieName+"="+encodeURIComponent(serialise(data))+"; expires="+getLastExpirationDate(data).toUTCString()+";")};window.bbc.Mandolin.Storage.prototype.readCookie=function(name){var nameEq=name+"=",ca=window.bbccookies.get().split("; "),i,c;validateCookieName(name);for(i=0;i<ca.length;i++){c=ca[i];if(c.indexOf(nameEq)===0){return decodeURIComponent(c.substring(nameEq.length,c.length))}}return null};function serialise(o){var str="";for(var p in o){if(o.hasOwnProperty(p)){str+='"'+p+'"'+":"+(typeof o[p]==="object"?(o[p]===null?"null":"{"+serialise(o[p])+"}"):'"'+o[p].toString()+'"')+","}}return str.replace(/,\}/g,"}").replace(/,$/g,"")}function deserialise(str){var o;str="{"+str+"}";if(!validateSerialisation(str)){throw"Invalid input provided for deserialisation."}eval("o = "+str);return o}var validateSerialisation=(function(){var OBJECT_TOKEN="<Object>",ESCAPED_CHAR='"\\n\\r\\u2028\\u2029\\u000A\\u000D\\u005C',ALLOWED_CHAR="([^"+ESCAPED_CHAR+"]|\\\\["+ESCAPED_CHAR+"])",KEY='"'+ALLOWED_CHAR+'+"',VALUE='(null|"'+ALLOWED_CHAR+'*"|'+OBJECT_TOKEN+")",KEY_VALUE=KEY+":"+VALUE,KEY_VALUE_SEQUENCE="("+KEY_VALUE+",)*"+KEY_VALUE,OBJECT_LITERAL="({}|{"+KEY_VALUE_SEQUENCE+"})",objectPattern=new RegExp(OBJECT_LITERAL,"g");return function(str){if(str.indexOf(OBJECT_TOKEN)!==-1){return false}while(str.match(objectPattern)){str=str.replace(objectPattern,OBJECT_TOKEN)}return str===OBJECT_TOKEN}})();function validateCookieName(name){if(name.match(/ ,;/)){throw"Illegal name provided, must be valid in browser cookie."}}})(); /*]]>*/</script> <script type="text/javascript"> document.documentElement.className += (document.documentElement.className? ' ' : '') + 'orb-js'; fig.manager.confirm(); </script> <script src="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/script/orb/api.min.js"></script> <script type="text/javascript"> window.orb_masthead_test = new bbc.Mandolin( 'orb_masthead', ['simple', 'control'], { rate: 6/1000, start: new Date('09/22/2014 08:00:00 GMT'), /* format: mm/dd/yyyy hh:mm:ss */ signupEnd: new Date('09/24/2014 08:00:00 GMT'), end: new Date('10/06/2014 08:00:00 GMT') } ); </script> <script type="text/javascript"> /*<![CDATA[*/ function oqsSurveyManager(w, flag) { if (flag !== 'OFF') { w.document.write('<script type="text/javascript" src="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/script/vendor/edr.js"><'+'/script>'); } } oqsSurveyManager(window, 'ON'); /*]]>*/ </script> <!-- BBCDOTCOM template: responsive webservice -->
<!-- BBCDOTCOM head --><script type="text/javascript"> /*<![CDATA[*/ var _sf_startpt = (new Date()).getTime(); /*]]>*/ </script><style type="text/css">.bbccom_display_none{display:none;}</style><script type="text/javascript"> /*<![CDATA[*/ var bbcdotcomConfig, googletag = googletag || {}; googletag.cmd = googletag.cmd || []; var bbcdotcom = false; (function(){ if(typeof require !== 'undefined') { require({ paths:{ "bbcdotcom":"http://static.bbci.co.uk/bbcdotcom/0.3.314/script" } }); } })(); /*]]>*/ </script><script type="text/javascript"> /*<![CDATA[*/ var bbcdotcom = { adverts: { keyValues: { set: function() {} } }, advert: { write: function () {}, show: function () {}, isActive: function () { return false; }, layout: function() { return { reset: function() {} } } }, config: { init: function() {}, isActive: function() {}, setSections: function() {}, isAdsEnabled: function() {}, setAdsEnabled: function() {}, isAnalyticsEnabled: function() {}, setAnalyticsEnabled: function() {}, setAssetPrefix: function() {}, setJsPrefix: function() {}, setSwfPrefix: function() {}, setCssPrefix: function() {}, setConfig: function() {}, getJsPrefix: function () {}, getSwfPrefix: function () {}, getCssPrefix: function () {} }, survey: { init: function(){ return false; } }, data: {}, init: function() {}, objects: function(str) { return false; }, locale: { set: function() {} }, setAdKeyValue: function() {}, utils: { addEvent: function() {}, addHtmlTagClass: function() {}, log: function () {} }, addLoadEvent: function() {} }; /*]]>*/ </script><script type="text/javascript"> /*<![CDATA[*/ (function(){ if (typeof orb !== 'undefined' && typeof orb.fig === 'function') { if (orb.fig('ad') && orb.fig('uk') == 0) { bbcdotcom.data = { ads: (orb.fig('ad') ? 1 : 0), stats: (orb.fig('uk') == 0 ? 1 : 0), statsProvider: orb.fig('ap') }; } } else { document.write('<script type="text/javascript" src="'+('https:' == document.location.protocol ? 'https://ssl.bbc.com' : 'http://tps.bbc.com')+'/wwscripts/data">\x3C/script>'); } })(); /*]]>*/ </script><script type="text/javascript"> /*<![CDATA[*/ (function(){ if (typeof orb === 'undefined' || typeof orb.fig !== 'function') { bbcdotcom.data = { ads: bbcdotcom.data.a, stats: bbcdotcom.data.b, statsProvider: bbcdotcom.data.c }; } if (bbcdotcom.data.ads == 1) { document.write('<script type="text/javascript" src="'+('https:' == document.location.protocol ? 'https://ssl.bbc.co.uk' : 'http://www.bbc.co.uk')+'/wwscripts/flag">\x3C/script>'); } })(); /*]]>*/ </script><script type="text/javascript"> /*<![CDATA[*/ (function(){ if (window.bbcdotcom && (typeof bbcdotcom.flag == 'undefined' || (typeof bbcdotcom.data.ads !== 'undefined' && bbcdotcom.flag.a != 1))) { bbcdotcom.data.ads = 0; } if (/[?|&]ads-debug/.test(window.location.href) || document.cookie.indexOf('ads-debug=') !== -1) { bbcdotcom.data.ads = 1; bbcdotcom.data.stats = 1; } if (window.bbcdotcom && (bbcdotcom.data.ads == 1 || bbcdotcom.data.stats == 1)) { bbcdotcom.assetPrefix = "http://static.bbci.co.uk/bbcdotcom/0.3.314/"; document.write('<link rel="stylesheet" type="text/css" href="http://static.bbci.co.uk/bbcdotcom/0.3.314/style/orb/bbccom.css" />'); (function() { var useSSL = 'https:' == document.location.protocol; var src = (useSSL ? 'https:' : 'http:') + '//www.googletagservices.com/tag/js/gpt.js'; document.write('<scr' + 'ipt src="' + src + '">\x3C/script>'); })(); if (/(sandbox|int)(.dev)*.bbc.co*/.test(window.location.href) || /[?|&]ads-debug/.test(window.location.href) || document.cookie.indexOf('ads-debug=') !== -1) { document.write('<script type="text/javascript" src="http://static.bbci.co.uk/bbcdotcom/0.3.314/script/orb/individual.js">\x3C/script>'); } else { document.write('<script type="text/javascript" src="http://static.bbci.co.uk/bbcdotcom/0.3.314/script/orb/bbcdotcom.js">\x3C/script>'); } if(/[\\?&]ads=([^&#]*)/.test(window.location.href)) { document.write('<script type="text/javascript" src="http://static.bbci.co.uk/bbcdotcom/0.3.314/script/orb/adverts/adSuites.js">\x3C/script>'); } } })(); /*]]>*/ </script><script type="text/javascript"> /*<![CDATA[*/ (function(){ if (window.bbcdotcom && (bbcdotcom.data.ads == 1 || bbcdotcom.data.stats == 1)) { bbcdotcomConfig = {"adFormat":"standard","adKeyword":"","adMode":"smart","adsEnabled":true,"appAnalyticsSections":"","asyncEnabled":false,"disableInitialLoad":false,"advertInfoPageUrl":"http:\/\/www.bbc.co.uk\/faqs\/online\/adverts_general","advertisementText":"Advertisement","analyticsEnabled":true,"appName":"realpolitik","assetPrefix":"http:\/\/static.bbci.co.uk\/bbcdotcom\/0.3.314\/","continuousPlayEnabled":true,"customAdParams":[],"customStatsParams":[],"headline":"","id":"","inAssociationWithText":"In association with","keywords":"","language":"","orbTransitional":false,"outbrainEnabled":true,"palEnv":"live","productName":"","sections":[],"siteCatalystEnabled":true,"slots":"","sponsoredByText":"Sponsored by","summary":"","type":"","staticBase":"\/bbcdotcom","staticHost":"http:\/\/static.bbci.co.uk","staticVersion":"0.3.314","staticPrefix":"http:\/\/static.bbci.co.uk\/bbcdotcom\/0.3.314","dataHttp":"tps.bbc.com","dataHttps":"ssl.bbc.com","flagHttp":"www.bbc.co.uk","flagHttps":"ssl.bbc.co.uk","analyticsHttp":"sa.bbc.com","analyticsHttps":"ssa.bbc.com"}; bbcdotcom.config.init(bbcdotcomConfig, bbcdotcom.data, window.location, window.document); bbcdotcom.config.setAssetPrefix("http://static.bbci.co.uk/bbcdotcom/0.3.314/"); document.write('<!--[if IE 7]><script type="text/javascript">bbcdotcom.config.setIE7(true);\x3C/script><![endif]-->'); document.write('<!--[if IE 8]><script type="text/javascript">bbcdotcom.config.setIE8(true);\x3C/script><![endif]-->'); if (!bbcdotcom.config.isAsync() && bbcdotcom.config.isIE7()) { document.write('<link rel="stylesheet" type="text/css" href="http://static.bbci.co.uk/bbcdotcom/0.3.314/style/orb/bbccom-ie7.css" />'); } } })(); /*]]>*/ </script> <script type="text/javascript">/*<![CDATA[*/
window.bbcFlagpoles_istats = 'ON';
window.orb = window.orb || {};
/*]]>*/</script>
<script type="text/javascript"> /* <![CDATA[ */ define('id-statusbar-config', { 'translation_signedout': "Sign in", 'translation_signedin': "Your account", 'use_overlay' : false, 'signin_url' : "https://ssl.bbc.co.uk/id/signin?ptrt=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001", 'locale' : "en-GB", 'policyname' : "", 'ptrt' : "http://www.bbc.co.uk/news/politics/constituencies/N06000001" }); /* ]]> */ </script> <script type="text/javascript"> require(['istats-1'], function(istats){ if (typeof(document) != 'undefined' && typeof(document.cookie) != 'undefined') { var cookieAphidMatch = document.cookie.match(/ckpf_APHID=([^;]*)/); if (cookieAphidMatch && typeof(cookieAphidMatch[1]) == 'string') { istats.addLabels({'bbc_hid': cookieAphidMatch[1]}); } } })(); </script> <script type="text/javascript"> (function () { if (! window.require) { throw new Error('idcta: could not find require module'); } var map = {}; map['idapp-1'] = 'http://static.bbci.co.uk/idapp/0.66.06/modules/idapp/idapp-1'; map['idcta/idcta-1'] = 'http://static.bbci.co.uk/id/0.27.23/modules/idcta/idcta-1'; map['idcta/idCookie'] = 'http://static.bbci.co.uk/id/0.27.23/modules/idcta/idCookie'; map['idcta/overlayManager'] = 'http://static.bbci.co.uk/id/0.27.23/modules/idcta/overlayManager'; require({paths: map}); define('id-config', {"idapp":{"version":"0.66.06","hostname":"ssl.bbc.co.uk","insecurehostname":"www.bbc.co.uk","tld":"bbc.co.uk"},"idtranslations":{"version":"0.31.1"},"identity":{"baseUrl":"https:\/\/talkback.live.bbc.co.uk\/identity","cookieAgeDays":730},"pathway":{"name":null,"staticAssetUrl":"http:\/\/static.bbci.co.uk\/idapp\/0.66.06\/modules\/idapp\/idapp-1\/View.css"}}); })(); </script>
<link type="text/css" rel="stylesheet" href="http://static.bbci.co.uk/news/1.69.0321/stylesheets/services/news/core.css">
<!--[if lt IE 9]>
<link type="text/css" rel="stylesheet" href="http://static.bbci.co.uk/news/1.69.0321/stylesheets/services/news/old-ie.css">
<script src="http://static.bbci.co.uk/news/1.69.0321/js/vendor/html5shiv/html5shiv.js"></script>
<![endif]-->
<script id="news-loader"> if (document.getElementById("responsive-news")) { window.bbcNewsResponsive = true; } var isIE = (function() { var undef, v = 3, div = document.createElement('div'), all = div.getElementsByTagName('i'); while ( div.innerHTML = '<!--[if gt IE ' + (++v) + ']><i></i><![endif]-->', all[0] ); return v > 4 ? v : undef; }()); var modernDevice = 'querySelector' in document && 'localStorage' in window && 'addEventListener' in window, forceCore = document.cookie.indexOf('ckps_force_core') !== -1, holepunched = isIE > 6 && document.getElementById('js-holepunched'); window.cutsTheMustard = (modernDevice && !forceCore) || holepunched; if (window.cutsTheMustard) { document.documentElement.className += ' ctm'; var insertPoint = document.getElementById('news-loader'), config = {"asset":{"asset_id":null,"asset_uri":null,"first_created":null,"last_updated":{},"options":{},"section":{},"edition":"Domestic","audience":null,"iStats_counter_name":null,"type":null},"smpBrand":null,"staticHost":"http:\/\/static.bbci.co.uk","environment":"live","locatorVersion":"0.46.3","pathPrefix":"\/news","staticPrefix":"http:\/\/static.bbci.co.uk\/news\/1.69.0321","jsPath":"http:\/\/static.bbci.co.uk\/news\/1.69.0321\/js","cssPath":"http:\/\/static.bbci.co.uk\/news\/1.69.0321\/stylesheets\/services\/news","cssPostfix":"","dynamic":null,"features":{"localnews":true,"video":true,"liveeventcomponent":true,"mediaassetpage":true,"travel":true,"gallery":true,"rollingnews":true,"rumanalytics":true,"sportstories":true,"radiopromo":true,"fromothernewssites":true,"locallive":true,"weather":true},"features2":{"chartbeat":true,"connected_stream":true,"connected_stream_promo":true,"nav":true,"pulse_survey":false,"correspondents":true,"explainer_banner":false,"tablet_explainer_banner":true,"blogs":true,"open_graph":true,"follow_us":true,"multi_client_cache":true,"marketdata_markets":true,"marketdata_shares":true,"nations_pseudo_nav":true,"politics_vote2014":true,"politics_scotref_polltracker":true,"politics_polltracker":true,"politics_election2015_hub":true,"politics_election2015_nation_hubs":true,"politics_election2015_results":true,"politics_scotref_live":true,"politics_scotref_results":true,"politics_scotref":true,"politics_councils":true,"politics_councils_az":true,"politics_constituencies_az":true,"politics_constituencies":true,"politics_election2015_manifestos":true,"politics_eu_regions":true,"politics_election2015_topic_pages":true,"breaking_news":true,"responsive_breaking_news":true,"live_event":true,"most_popular":true,"most_popular_tabs":true,"most_popular_by_day":true,"routing":true,"rum":true,"radiopromonownext":true,"config_based_layout":true,"orb":true,"enhanced_gallery":true,"map_most_watched":true,"top_stories_promo":true,"features_and_analysis":true,"section_labels":true,"index_title":true,"share_tools":true,"local_live_promo":true,"adverts":true,"adexpert":true,"igor_geo_redirect":true,"igor_device_redirect":true,"live":true,"comscore_mmx":true,"find_local_news":true,"comments":true,"comments_enhanced":true,"browser_notify":true,"stream_grid_promo":true,"top_stories_max_volume":true,"record_livestats":true,"contact_form":true,"channel_page":true,"portlet_global_variants":true,"suppress_lep_timezone":true,"story_recommendations":true,"cedexis":true,"story_single_column_layout":true},"configuration":{"showtimestamp":"1","showweather":"1","showsport":"1","showolympics":"1","showfeaturemain":"1","showsitecatalyst":"1","candyplatform":"EnhancedMobile","showwatchlisten":"1","showspecialreports":"","videotopiccandyid":"","showvideofeedsections":"1","showstorytopstories":"","showstoryfeaturesandanalysis":"1","showstorymostpopular":"","showgallery":"1","cms":"cps","channelpagecandyid":"10318089"},"pollingHost":"http:\/\/polling.bbc.co.uk","service":"news","locale":"en-GB","locatorHost":null,"locatorFlagPole":true,"barlesqueVarsConfig":{"tabletexplainerbannerFlagpoleEnabled":false},"local":{"allowLocationLookup":true},"isWorldService":false,"rumAnalytics":{"server":"http:\/\/ingest.rum.bbc.co.uk","key":"news","sample_rate":0.1,"url_params":null,"edition":"domestic"},"isChannelPage":false,"suitenameMap":"","languageVariant":"","commentsHost":"http:\/\/feeds.bbci.co.uk"}; config.configuration['get'] = function (key) { return this[key.toLowerCase()]; }; var bootstrapUI=function(){var e=function(){if(navigator.userAgent.match(/(Android (2.0|2.1))|(Nokia)|(OSRE\/)|(Opera (Mini|Mobi))|(w(eb)?OSBrowser)|(UCWEB)|(Windows Phone)|(XBLWP)|(ZuneWP)/))return!1;if(navigator.userAgent.match(/MSIE 10.0/))return!0;var e,t=document,n=t.head||t.getElementsByTagName("head")[0],r=t.createElement("style"),s=t.implementation||{hasFeature:function(){return!1}};r.type="text/css",n.insertBefore(r,n.firstChild),e=r.sheet||r.styleSheet;var i=s.hasFeature("CSS2","")?function(t){if(!e||!t)return!1;var n=!1;try{e.insertRule(t,0),n=!/unknown/i.test(e.cssRules[0].cssText),e.deleteRule(e.cssRules.length-1)}catch(r){}return n}:function(t){return e&&t?(e.cssText=t,0!==e.cssText.length&&!/unknown/i.test(e.cssText)&&0===e.cssText.replace(/\r+|\n+/g,"").indexOf(t.split(" ")[0])):!1};return i('@font-face{ font-family:"font";src:"font.ttf"; }')}();e&&(document.getElementsByTagName("html")[0].className+=" ff"),function(){var e=document.documentElement.style;("flexBasis"in e||"WebkitFlexBasis"in e||"msFlexBasis"in e)&&(document.documentElement.className+=" flex")}();var t,n,r,s,i,a,o={},u=function(){t=window.innerWidth,n=window.innerHeight},c=function(e){var t=document.createElement("link");t.setAttribute("rel","stylesheet"),t.setAttribute("type","text/css"),t.setAttribute("href",r+e+s+".css"),t.setAttribute("media",a[e]),i.parentNode.insertBefore(t,i),delete a[e]},l=function(e,r,s){r&&!s&&(t>=r||n>=r)&&c(e),s&&!r&&(s>=t||s>=n)&&c(e),r&&s&&(t>=r||n>=r)&&(s>=t||s>=n)&&c(e)},f=function(e){if(o[e])return o[e];var t=e.match(/\(min\-width:[\s]*([\s]*[0-9\.]+)(px|em)[\s]*\)/),n=e.match(/\(max\-width:[\s]*([\s]*[0-9\.]+)(px|em)[\s]*\)/),r=t&&parseFloat(t[1])||null,s=n&&parseFloat(n[1])||null;return o[e]=[r,s],o[e]},m=function(){var e=0;for(var t in a)e++;return e},d=function(){m()||window.removeEventListener("resize",h,!1);for(var e in a){var t=a[e],n=f(t);l(e,n[0],n[1])}},h=function(){u(),d()},v=function(e,t){a=e,r=t.path+("/"!==t.path.substr(-1)?"/":""),s=t.postfix,i=t.insertBefore,u(),d(),window.addEventListener("resize",h,!1)};return{stylesheetLoaderInit:v}}(); bootstrapUI.stylesheetLoaderInit({ 'compact': '(max-width: 599px)', 'tablet' : '(min-width: 600px)', 'wide' : '(min-width: 1008px)' }, { path: 'http://static.bbci.co.uk/news/1.69.0321/stylesheets/services/news', postfix: '', insertBefore: insertPoint }); var loadRequire = function(){ var js_paths = {"jquery-1.9":"vendor\/jquery-1\/jquery","jquery-1":"http:\/\/static.bbci.co.uk\/frameworks\/jquery\/0.3.0\/sharedmodules\/jquery-1.7.2","demi-1":"http:\/\/static.bbci.co.uk\/frameworks\/demi\/0.10.0\/sharedmodules\/demi-1","swfobject-2":"http:\/\/static.bbci.co.uk\/frameworks\/swfobject\/0.1.10\/sharedmodules\/swfobject-2","jquery":"vendor\/jquery-2\/jquery.min","domReady":"vendor\/require\/domReady","translation":"module\/translations\/en-GB","bump-3":"\/\/emp.bbci.co.uk\/emp\/bump-3\/bump-3"}; js_paths.navigation = 'module/nav/navManager'; requirejs.config({ baseUrl: 'http://static.bbci.co.uk/news/1.69.0321/js', map: { 'vendor/locator': { 'module/bootstrap': 'vendor/locator/bootstrap', 'locator/stats': 'vendor/locator/stats', 'locator/locatorView': 'vendor/locator/locatorView' } }, paths: js_paths, waitSeconds: 30 }); define('config', function () { return config; }); require(['compiled/all'], function() {
require(['module/base', 'domReady'], function (base, domReady) { domReady(function () { base.init(); require(['module/components/general_election/animationFeatureDetect'], function(animationFeatureDetect) { animationFeatureDetect.init(); }); }); }); });
}; loadRequire(); } else { var l = document.createElement('link'); l.href = 'http://static.bbci.co.uk/news/1.69.0321/icons/generated/icons.fallback.css'; l.rel = 'stylesheet'; document.getElementsByTagName('head')[0].appendChild(l); } </script> <script type="text/javascript"> /*<![CDATA[*/ bbcdotcom.init({adsToDisplay:['leaderboard']}); /*]]>*/ </script> <noscript><link href="http://static.bbci.co.uk/news/1.69.0321/icons/generated/icons.fallback.css" rel="stylesheet"></noscript>
<meta name="viewport" content="width=device-width, initial-scale=1, user-scalable=1">
</head>
<!--[if IE]><body id="asset-type-politics" class="ie device--feature"><![endif]-->
<!--[if !IE]>--><body id="asset-type-politics" class="device--feature"><!--<![endif]-->
<div class="direction" >
<!-- BBCDOTCOM bodyFirst --><div id="bbccom_interstitial_ad" class="bbccom_display_none"></div><div id="bbccom_interstitial" class="bbccom_display_none"><script type="text/javascript"> /*<![CDATA[*/ (function() { if (window.bbcdotcom && bbcdotcom.config.isActive('ads')) { googletag.cmd.push(function() { googletag.display('bbccom_interstitial'); }); } }()); /*]]>*/ </script></div><div id="bbccom_wallpaper_ad" class="bbccom_display_none"></div><div id="bbccom_wallpaper" class="bbccom_display_none"><script type="text/javascript"> /*<![CDATA[*/ (function() { var wallpaper; if (window.bbcdotcom && bbcdotcom.config.isActive('ads')) { if (bbcdotcom.config.isAsync()) { googletag.cmd.push(function() { googletag.display('bbccom_wallpaper'); }); } else { googletag.display("wallpaper"); } wallpaper = bbcdotcom.adverts.adRegister.getAd('wallpaper'); if (wallpaper !== null && wallpaper !== undefined) { wallpaper.setDomElement('bbccom_wallpaper'); } } }()); /*]]>*/ </script></div><script type="text/javascript"> /*<![CDATA[*/ (function() { if (window.bbcdotcom && bbcdotcom.config.isActive('ads')) { document.write(unescape('%3Cscript id="gnlAdsEnabled" class="bbccom_display_none"%3E%3C/script%3E')); } if (window.bbcdotcom && bbcdotcom.config.isActive('analytics')) { document.write(unescape('%3Cscript id="gnlAnalyticsEnabled" class="bbccom_display_none"%3E%3C/script%3E')); } if (window.bbcdotcom && bbcdotcom.config.isActive('continuousPlay')) { document.write(unescape('%3Cscript id="gnlContinuousPlayEnabled" class="bbccom_display_none"%3E%3C/script%3E')); } }()); /*]]>*/ </script> <div id="blq-global"> <div id="blq-pre-mast"> </div> </div> <script type="text/html" id="blq-bbccookies-tmpl"><![CDATA[ <section> <div id="bbccookies" class="bbccookies-banner orb-banner-wrapper bbccookies-d"> <div id="bbccookies-prompt" class="orb-banner b-g-p b-r b-f"> <h2 class="orb-banner-title"> Cookies on the BBC website </h2> <p class="orb-banner-content" dir="ltr"> We use cookies to ensure that we give you the best experience on our website.<span class="bbccookies-international-message"> We also use cookies to ensure we show you advertising that is relevant to you.</span> If you continue without changing your settings, we'll assume that you are happy to receive all cookies on the BBC website. However, if you would like to, you can change your cookie settings at any time. </p> <ul class="orb-banner-options"> <li id="bbccookies-continue"> <button type="button" id="bbccookies-continue-button">Continue</button> </li> <li id="bbccookies-settings"> <a href="/privacy/cookies/managing/cookie-settings.html">Change settings</a> </li> <li id="bbccookies-more"><a href="/privacy/cookies/bbc">Find out more</a></li></ul> </div> </div> </section> ]]></script> <script type="text/javascript">/*<![CDATA[*/ (function(){if(bbccookies._showPrompt()){var g=document,b=g.getElementById("blq-pre-mast"),e=g.getElementById("blq-bbccookies-tmpl"),a,f;if(b&&g.createElement){a=g.createElement("div");f=e.innerHTML;f=f.replace("<"+"![CDATA[","").replace("]]"+">","");a.innerHTML=f;b.appendChild(a);blqCookieContinueButton=g.getElementById("bbccookies-continue-button");blqCookieContinueButton.onclick=function(){a.parentNode.removeChild(a);return false};bbccookies._setPolicy()}var c=g.getElementById("bbccookies");if(c&&!window.orb.fig("uk")){c.className=c.className.replace(/\bbbccookies-d\b/,"");c.className=c.className+(" bbccookies-w")}}})(); /*]]>*/</script> <script type="text/javascript">/*<![CDATA[*/ if (bbccookies.isAllowed('s1')) { var istatsTrackingUrl = '//sa.bbc.co.uk/bbc/bbc/s?name=news.politics.constituencies.n06000001.page&for_nation=gb&pal_route=constituency_pages&ml_name=barlesque&app_type=responsive&language=en-GB&ml_version=0.26.31&pal_webapp=realpolitik&prod_name=news&app_name=news'; require(['istats-1'], function (istats) { istats.addCollector({'name': 'default', 'url': '//sa.bbc.co.uk/bbc/bbc/s', 'seperator': '&' }); var counterName = (window.istats_countername) ? window.istats_countername : istatsTrackingUrl.match(/[\?&]name=([^&]*)/i)[1]; istats.setCountername(counterName); if (/\bIDENTITY=/.test(document.cookie)) { istats.addLabels({'bbc_identity': '1'}); } if (/\bckns_policy=\d\d0/.test(document.cookie)) { istats.addLabels({'ns_nc': '1'}); } var c = (document.cookie.match(/\bckns_policy=(\d\d\d)/) || []).pop() || ''; var screenWidthAndHeight = 'unavailable'; if (window.screen && screen.width && screen.height) { screenWidthAndHeight = screen.width + 'x' + screen.height; } istats.addLabels('for_nation=gb&pal_route=constituency_pages&ml_name=barlesque&app_type=responsive&language=en-GB&ml_version=0.26.31&pal_webapp=realpolitik&prod_name=news&app_name=news'); istats.addLabels({ 'blq_s': '4d', 'blq_r': '2.7', 'blq_v': 'default', 'blq_e': 'pal', 'bbc_mc': (c ? 'ad' + c.charAt(0) + 'ps' + c.charAt(1) + 'pf' + c.charAt(2) : 'not_set'), 'screen_resolution': screenWidthAndHeight, 'ns_referrer': encodeURI(((window.orb.referrer) ? window.orb.referrer : document.referrer)) } ); istats.invoke(); }); } /*]]>*/</script> <!-- Begin iStats 20100118 (UX-CMC 1.1009.3) --> <script type="text/javascript">/*<![CDATA[*/ if (bbccookies.isAllowed('s1')) { (function () { require(['istats-1'], function (istats) { istatsTrackingUrl = istats.getDefaultURL(); if (istats.isEnabled() && bbcFlagpoles_istats === 'ON') { sitestat(istatsTrackingUrl); } else { window.ns_pixelUrl = istatsTrackingUrl; /* used by Flash library to track */ } function sitestat(n) { var j = document, f = j.location, b = ""; if (j.cookie.indexOf("st_ux=") != -1) { var k = j.cookie.split(";"); var e = "st_ux", h = document.domain, a = "/"; if (typeof ns_ != "undefined" && typeof ns_.ux != "undefined") { e = ns_.ux.cName || e; h = ns_.ux.cDomain || h; a = ns_.ux.cPath || a } for (var g = 0, f = k.length; g < f; g++) { var m = k[g].indexOf("st_ux="); if (m != -1) { b = "&" + decodeURI(k[g].substring(m + 6)) } } bbccookies.set(e + "=; expires=" + new Date(new Date().getTime() - 60).toGMTString() + "; path=" + a + "; domain=" + h); } window.ns_pixelUrl = n; } }); })(); } else { window.istats = {enabled: false}; } /*]]>*/</script> <noscript><p style="position: absolute; top: -999em;"><img src="//sa.bbc.co.uk/bbc/bbc/s?name=news.politics.constituencies.n06000001.page&for_nation=gb&pal_route=constituency_pages&ml_name=barlesque&app_type=responsive&language=en-GB&ml_version=0.26.31&pal_webapp=realpolitik&prod_name=news&app_name=news&blq_js_enabled=0&blq_s=4d&blq_r=2.7&blq_v=default&blq_e=pal " height="1" width="1" alt=""/></p></noscript> <!-- End iStats (UX-CMC) -->
<!--[if (gt IE 8) | (IEMobile)]><!--> <header id="orb-banner" role="banner"> <!--<![endif]--> <!--[if (lt IE 9) & (!IEMobile)]> <![if (IE 8)]> <header id="orb-banner" role="banner" class="orb-old-ie orb-ie8"> <![endif]> <![if (IE 7)]> <header id="orb-banner" role="banner" class="orb-old-ie orb-ie7"> <![endif]> <![if (IE 6)]> <header id="orb-banner" role="banner" class="orb-old-ie orb-ie6"> <![endif]> <![endif]--> <div id="orb-header" class="orb-nav-pri orb-nav-pri-white orb-nav-empty" > <script type="text/javascript"> (function(){var h=document.getElementById('orb-header');if(/bbc\.co\.uk$/i.test(location.hostname)&&orb_masthead_test.getSegment()=='simple'&&(location.pathname===''||location.pathname==='/'||location.pathname==='/frameworks/test/mandolin/acceptance'&&h.setAttribute)){h.setAttribute('data-max-w','0');h.setAttribute('data-max-d','0');}}()); </script> <div class="orb-nav-pri-container b-r b-g-p"> <div class="orb-nav-section orb-nav-blocks"> <a href="/"> <img src="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/img/bbc-blocks-dark.png" width="84" height="24" alt="BBC" /> </a> </div> <section> <div class="orb-skip-links"> <h2>Accessibility links</h2> <ul> <li><a href="#page">Skip to content</a></li> <li><a id="orb-accessibility-help" href="/accessibility/">Accessibility Help</a></li> </ul> </div> </section> <div class="orb-nav-section orb-nav-id orb-nav-focus orb-nav-id-default"> <a id="idcta-link" href="https://ssl.bbc.co.uk/id/status?ptrt=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001"><img id="idcta-image" src="http://static.bbci.co.uk/id/0.27.23/img/bbcid_orb_signin_dark.png" alt="" width="18" height="18" /><span id="idcta-username">BBC iD</span></a> </div> <nav role="navigation" class="orb-nav"> <div class="orb-nav-section orb-nav-links orb-nav-focus" id="orb-nav-links"> <h2>BBC navigation</h2> <ul> <li class="orb-nav-news orb-d" > <a href="/news/">News</a> </li> <li class="orb-nav-newsdotcom orb-w" > <a href="http://www.bbc.com/news/">News</a> </li> <li class="orb-nav-sport" > <a href="/sport/">Sport</a> </li> <li class="orb-nav-weather" > <a href="/weather/">Weather</a> </li> <li class="orb-nav-shop orb-w" > <a href="http://shop.bbc.com/">Shop</a> </li> <li class="orb-nav-earthdotcom orb-w" > <a href="http://www.bbc.com/earth/">Earth</a> </li> <li class="orb-nav-travel-dotcom orb-w" > <a href="http://www.bbc.com/travel/">Travel</a> </li> <li class="orb-nav-capital orb-w" > <a href="http://www.bbc.com/capital/">Capital</a> </li> <li class="orb-nav-iplayer orb-d" > <a href="/iplayer/">iPlayer</a> </li> <li class="orb-nav-culture orb-w" > <a href="http://www.bbc.com/culture/">Culture</a> </li> <li class="orb-nav-autos orb-w" > <a href="http://www.bbc.com/autos/">Autos</a> </li> <li class="orb-nav-future orb-w" > <a href="http://www.bbc.com/future/">Future</a> </li> <li class="orb-nav-tv" > <a href="/tv/">TV</a> </li> <li class="orb-nav-radio" > <a href="/radio/">Radio</a> </li> <li class="orb-nav-cbbc" > <a href="/cbbc/">CBBC</a> </li> <li class="orb-nav-cbeebies" > <a href="/cbeebies/">CBeebies</a> </li> <li class="orb-nav-arts orb-d" > <a href="/arts/">Arts</a> </li> <li > <a href="/ww1/">WW1</a> </li> <li class="orb-nav-food" > <a href="/food/">Food</a> </li> <li class="orb-nav-history" > <a href="/history/">History</a> </li> <li class="orb-nav-learning" > <a href="/learning/">Learning</a> </li> <li class="orb-nav-music" > <a href="/music/">Music</a> </li> <li class="orb-nav-science" > <a href="/science/">Science</a> </li> <li class="orb-nav-nature orb-w" > <a href="/nature/">Nature</a> </li> <li class="orb-nav-earth orb-d" > <a href="http://www.bbc.com/earth/">Earth</a> </li> <li class="orb-nav-local" > <a href="/local/">Local</a> </li> <li class="orb-nav-travel orb-d" > <a href="/travel/">Travel</a> </li> <li class="orb-nav-fullaz" > <a href="/a-z/">Full A-Z</a> </li> <li id="orb-nav-more"><a href="#orb-footer" data-alt="More">Menu<span class="orb-icon orb-icon-arrow"></span></a></li> </ul> </div> </nav> <div class="orb-nav-section orb-nav-search"> <a href="http://search.bbc.co.uk/search"> <img src="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/img/orb-search-dark.png" width="18" height="18" alt="Search the BBC" /> </a> <form class="b-f" id="orb-search-form" role="search" method="get" action="http://search.bbc.co.uk/search" accept-charset="utf-8"> <div> <input type="hidden" name="uri" value="/news/politics/constituencies/N06000001" /> <label for="orb-search-q">Search the BBC</label> <input id="orb-search-q" type="text" name="q" placeholder="Search" /> <input type="image" id="orb-search-button" src="http://static.bbci.co.uk/frameworks/barlesque/2.83.4/orb/4/img/orb-search-dark.png" width="17" height="17" alt="Search the BBC" /> </div> </form> </div> </div> <div id="orb-panels" > <script type="text/template" id="orb-panel-template"><![CDATA[ <div id="orb-panel-<%= panelname %>" class="orb-panel" aria-labelledby="orb-nav-<%= panelname %>"> <div class="orb-panel-content b-g-p b-r"> <%= panelcontent %> </div> </div> ]]></script> </div> </div> </header> <!-- Styling hook for shared modules only --> <div id="orb-modules">
<div id="site-container">
<div class="site-brand site-brand--height" role="banner" aria-label="News">
<div class="site-brand-inner site-brand-inner--height">
<div class="navigation navigation--primary">
<a href="/news" id="brand">
<img class="brand__logo" src="http://static.bbci.co.uk/news/1.69.0321/img/brand/news.png" alt="BBC News"/>
</a>
<h2 class="navigation__heading off-screen">News navigation</h2>
<a href="#core-navigation" class="navigation__section navigation__section--core" data-event="header">
Sections </a>
<div class="find-local-wide" id="find-local-wide">
<button class="find-local-wide__link">Find local news</button>
</div>
</div>
</div>
<div class="navigation navigation--wide">
<ul class="navigation-wide-list" role="navigation" aria-label="News" data-panel-id="js-navigation-panel-primary">
<li>
<a href="/news" class="navigation-wide-list__link">
<span>Home</span>
</a>
</li>
<li>
<a href="/news/uk" data-panel-id="js-navigation-panel-UK" class="navigation-wide-list__link">
<span>UK</span>
</a>
</li>
<li>
<a href="/news/world" data-panel-id="js-navigation-panel-World" class="navigation-wide-list__link">
<span>World</span>
</a>
</li>
<li>
<a href="/news/business" data-panel-id="js-navigation-panel-Business" class="navigation-wide-list__link">
<span>Business</span>
</a>
</li>
<li class="selected">
<a href="/news/politics" data-panel-id="js-navigation-panel-Politics" class="navigation-wide-list__link navigation-arrow--open">
<span>Politics</span>
</a>
<span class="off-screen">selected</span> </li>
<li>
<a href="/news/technology" class="navigation-wide-list__link">
<span>Tech</span>
</a>
</li>
<li>
<a href="/news/science_and_environment" class="navigation-wide-list__link">
<span>Science</span>
</a>
</li>
<li>
<a href="/news/health" class="navigation-wide-list__link">
<span>Health</span>
</a>
</li>
<li>
<a href="/news/education" data-panel-id="js-navigation-panel-Education" class="navigation-wide-list__link">
<span>Education</span>
</a>
</li>
<li>
<a href="/news/entertainment_and_arts" class="navigation-wide-list__link">
<span>Entertainment & Arts</span>
</a>
</li>
<li>
<a href="/news/video_and_audio/video" class="navigation-wide-list__link">
<span>Video & Audio</span>
</a>
</li>
<li>
<a href="/news/magazine" class="navigation-wide-list__link">
<span>Magazine</span>
</a>
</li>
<li>
<a href="/news/in_pictures" class="navigation-wide-list__link">
<span>In Pictures</span>
</a>
</li>
<li>
<a href="/news/also_in_the_news" class="navigation-wide-list__link">
<span>Also in the News</span>
</a>
</li>
<li>
<a href="/news/special_reports" class="navigation-wide-list__link">
<span>Special Reports</span>
</a>
</li>
<li>
<a href="/news/explainers" class="navigation-wide-list__link">
<span>Explainers</span>
</a>
</li>
<li>
<a href="/news/the_reporters" class="navigation-wide-list__link">
<span>The Reporters</span>
</a>
</li>
<li>
<a href="/news/have_your_say" class="navigation-wide-list__link navigation-wide-list__link--last">
<span>Have Your Say</span>
</a>
</li>
</ul>
</div>
<div class="secondary-navigation secondary-navigation--wide">
<nav class="navigation-wide-list navigation-wide-list--secondary" role="navigation" aria-label="Election 2015">
<a class="secondary-navigation__title navigation-wide-list__link " href="/news/election/2015"><span>Election 2015</span></a> <span class="off-screen">selected</span> <ul data-panel-id="js-navigation-panel-secondary">
<li>
<a href="/news/election/2015/live"
class="navigation-wide-list__link navigation-wide-list__link--first ">
<span>Live</span>
</a>
</li>
<li>
<a href="/news/election/2015/results"
class="navigation-wide-list__link ">
<span>Results</span>
</a>
</li>
<li class="selected">
<a href="/news/politics/constituencies"
class="navigation-wide-list__link ">
<span>Constituencies</span>
</a>
<span class="off-screen">selected</span> </li>
<li>
<a href="/news/election/2015/results/councils"
class="navigation-wide-list__link ">
<span>Councils</span>
</a>
</li>
<li>
<a href="/news/election/2015/manifesto-guide"
class="navigation-wide-list__link ">
<span>Policy Guide</span>
</a>
</li>
<li>
<a href="/news/election-2015-32072999"
class="navigation-wide-list__link navigation-wide-list__link--last">
<span>Reality Check</span>
</a>
</li>
</ul>
</nav>
</div>
</div>
<div id="" class="bbccom_slot politics-leaderboard" aria-hidden="true">
<div class="bbccom_advert bbccom_display_none">
<script type="text/javascript">
/*<![CDATA[*/
if (window.bbcdotcom && bbcdotcom.slot) {
bbcdotcom.slot('leaderboard', [1,2,3,4]);
}
/*]]>*/
</script>
</div>
<script type="text/javascript">
/*<![CDATA[*/
if (window.bbcdotcom && bbcdotcom.show) {
bbcdotcom.show()
}
/*]]>*/
</script>
</div>
<div id="breaking-news-container" data-polling-url="http://polling.bbc.co.uk/news/latest_breaking_news?audience=Domestic" aria-live="polite"></div>
<div class="container-width-only">
</div>
<div id="page" class="politics politics--topic politics--election2015 politics--constituency results--mode" role="main"> <div class="politics-topic-page-top"> <div class="container-width-only column-clearfix"> <div class="election2015-logo ">
<a href="/news/election/2015"><h1 class="election2015-logo__title"><img src="http://static.bbci.co.uk/news/1.69.0321/img/elections/2015/banner_news_small.png" alt="Election 2015"></h1></a>
</div>
<div id="general_election_data-banner_results_ticker" class="remote-portlet theme-hub results-ticker__results" data-comp-meta="{"id":"general_election_data-banner_results_ticker","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/banner_results_ticker","class":"theme-hub results-ticker__results","js":"on","position_info":{"instanceNo":1,"positionInRegion":2,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
</div> <div id="general_election_data-banner_results" class="remote-portlet results-banner-container--full showlink__in-full" data-comp-meta="{"id":"general_election_data-banner_results","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/banner_results","class":"results-banner-container--full showlink__in-full","position_info":{"instanceNo":2,"positionInRegion":3,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
<div id="results-banner" class="results-banner results-banner--results">
<div class="info">
<div class="info__text">UK results</div>
</div>
<div class="party-list">
<div class="party party__id--con">
<div class="party__bar">
<div class="party__bar--result" style="height: 84.87%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Conservative</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">CON</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">331<span class="off-screen"> seats</span></div>
<div class="party__seats increase"><span class="off-screen">, a </span>+24<span class="off-screen">% change</span></div>
</div>
</div>
<div class="party party__id--lab">
<div class="party__bar">
<div class="party__bar--result" style="height: 59.49%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Labour</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">LAB</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">232<span class="off-screen"> seats</span></div>
<div class="party__seats decrease"><span class="off-screen">, a </span>-26<span class="off-screen">% change</span></div>
</div>
</div>
<div class="party party__id--snp">
<div class="party__bar">
<div class="party__bar--result" style="height: 14.36%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Scottish National Party</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">SNP</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">56<span class="off-screen"> seats</span></div>
<div class="party__seats increase"><span class="off-screen">, a </span>+50<span class="off-screen">% change</span></div>
</div>
</div>
<div class="party party__id--ld">
<div class="party__bar">
<div class="party__bar--result" style="height: 2.05%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Liberal Democrat</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">LD</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">8<span class="off-screen"> seats</span></div>
<div class="party__seats decrease"><span class="off-screen">, a </span>-49<span class="off-screen">% change</span></div>
</div>
</div>
<div class="party party__id--dup">
<div class="party__bar">
<div class="party__bar--result" style="height: 2.05%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Democratic Unionist Party</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">DUP</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">8<span class="off-screen"> seats</span></div>
<div class="party__seats increase"><span class="off-screen">, a </span>+0<span class="off-screen">% change</span></div>
</div>
</div>
<div class="party party__id--oth">
<div class="party__bar">
<div class="party__bar--result" style="height: 3.85%;"></div>
</div>
<div class="party__name">
<div class="party__fullname off-screen">Others</div>
<div class="party__code" aria-hidden=true><span class="off-screen"> (</span><span class="inner">OTH</span><span class="off-screen">) have the following results:</span></div>
</div>
<div class="party__info">
<div class="party__count">15<span class="off-screen"> seats</span></div>
<div class="party__seats increase"><span class="off-screen">, a </span>+1<span class="off-screen">% change</span></div>
</div>
</div>
</div>
<div class="seats">
<div class="seats-count">After 650 of 650 seats</div>
<div class="seats-label">
<div aria-hidden=true class="seats-label__count">Seats</div>
<div aria-hidden=true class="seats-label__change">Seats +/-</div>
</div>
</div>
<div class="fptp">
<div class="fptp-inner">
<div class="fptp-marker" style="top: 16.41%;"></div>
<div class="fptp-text">326 seats needed to win</div>
</div>
</div>
<div class="results">
<a href="/news/election-2015-32145429" class="results__about">About these results</a>
<a href="/news/election/2015/results" class="results__in-full">Results in full</a>
</div>
</div>
<script>
(function () {
require(['module/components/in_view_detector'], function (inViewDetector) {
inViewDetector.register('results-banner');
});
}());
</script>
</div> <div id="sharetools-lightweight" class="sharetools-lightweight " data-comp-meta="{"id":"comp-share-tools-lightweight","type":"share-tools-lightweight","handler":"shareTools","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","headline":"Election%202015","position_info":{"instanceNo":1,"positionInRegion":4,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
<button class="share__button share__button--lightweight">Share</button>
<div class="share share--lightweight ">
<ul class="share__tools share__tools--lightweight">
<li class="share__tool share__tool--email">
<a href="mailto:?subject=Shared%20from%20BBC%20News&body=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001" >
<span>Email</span>
</a>
</li>
<li class="share__tool share__tool--facebook">
<a href="http://www.facebook.com/dialog/feed?app_id=58567469885&redirect_uri=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001&link=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001%3FSThisFB" >
<span>Facebook</span>
</a>
</li>
<li class="share__tool share__tool--twitter">
<a href="https://twitter.com/intent/tweet?text=BBC%20News%20-%20Election%202015&url=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001" class=shortenUrl data-social-url=https://twitter.com/intent/tweet?text=BBC+News+-+Election+2015&url= data-target-url=http://www.bbc.co.uk/news/politics/constituencies/N06000001>
<span>Twitter</span>
</a>
</li>
<li class="share__tool share__tool--whatsapp">
<a href="whatsapp://send?text=BBC%20News%20%7C%20Election%202015%20-%20http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001%3Focid%3Dwsnews_chatapps_whatsapp_msg_trial_link1" >
<span>WhatsApp</span>
</a>
</li>
<li class="share__tool share__tool--linkedin">
<a href="https://www.linkedin.com/shareArticle?mini=true&url=http%3A%2F%2Fwww.bbc.co.uk%2Fnews%2Fpolitics%2Fconstituencies%2FN06000001&title=Election%202015&summary=Latest%20news%20and%20results%20for%20%7Bconstituency%7D%20in%20the%20General%20Election%202015&source=BBC" >
<span>Linkedin</span>
</a>
</li>
</ul>
</div>
</div>
<div id="general_election_data-constituency_title" class="remote-portlet " data-comp-meta="{"id":"general_election_data-constituency_title","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_title","whitelist":["variant"],"position_info":{"instanceNo":3,"positionInRegion":5,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
<div class="constituency-title">
<h1 class="constituency-title__title">Belfast East</h1>
<span class="constituency-title__type">Parliamentary constituency</span>
</div>
</div> <div id="general_election_data-constituency_result_headline" class="remote-portlet " data-comp-meta="{"id":"general_election_data-constituency_result_headline","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_result_headline","whitelist":["variant"],"position_info":{"instanceNo":4,"positionInRegion":6,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
<div class="constituency-result-headline">
<span class="results-ticker__item-result ge2015-background__party ge2015-background__party--dup">DUP GAIN FROM APNI</span>
<span class="results-ticker__item-old-result ge2015-background__party ge2015-background__party--apni"></span>
<style>
.constituency-result-headline {
max-width: 300px;
position: relative;
}
.constituency-result-headline .results-ticker__item-result {
display: block;
height: 24px;
margin: 0;
margin-right: 15px;
width: auto;
}
.constituency-result-headline .results-ticker__item-old-result {
margin: 0;
position: absolute;
right: 0;
top: 0;
}
</style>
</div>
</div> <div id="general_election_data-constituency_editorial_en" class="remote-portlet container-constituency-editorial" data-comp-meta="{"id":"general_election_data-constituency_editorial_en","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_editorial_en","whitelist":["variant"],"class":"container-constituency-editorial","position_info":{"instanceNo":5,"positionInRegion":7,"lastInRegion":false,"lastOnPage":false,"column":"page_head"}}}">
<p class="constituency-editorial"></p>
</div> <div id="general_election_data-constituency_result_table" class="remote-portlet " data-comp-meta="{"id":"general_election_data-constituency_result_table","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_result_table","whitelist":["variant"],"position_info":{"instanceNo":6,"positionInRegion":8,"lastInRegion":true,"lastOnPage":false,"column":"page_head"}}}">
<div class="election2015-results election2015-results--constituency">
<div class="title">
<h1 class="title__main">Results</h1>
</div>
<div class="sortby" aria-hidden="true">
<ul class="sortby__items">
<li class="sortby__item essential"><span>Votes</span></li>
<li class="sortby__item essential"><span>Share %</span></li>
<li class="sortby__item essential"><span>+ / - %</span></li>
</ul>
</div>
<div class="parties">
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--dup"></span>
<div class="party__name--long">Democratic Unionist Party</div>
<div class="party__name--short"><span class="off-screen"> (</span>DUP<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Gavin Robinson</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">19,575<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">49.3<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="pos">+16.5</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--apni"></span>
<div class="party__name--long">Alliance Party</div>
<div class="party__name--short"><span class="off-screen"> (</span>APNI<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Naomi Long</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">16,978<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">42.8<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="pos">+5.6</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--con"></span>
<div class="party__name--long">Conservative</div>
<div class="party__name--short"><span class="off-screen"> (</span>CON<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Neil Wilson</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">1,121<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">2.8<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="pos">+2.8</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--grn"></span>
<div class="party__name--long">Green Party</div>
<div class="party__name--short"><span class="off-screen"> (</span>GRN<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Ross Brown</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">1,058<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">2.7<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="pos">+2.7</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--sf"></span>
<div class="party__name--long">Sinn Fein</div>
<div class="party__name--short"><span class="off-screen"> (</span>SF<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Niall Ó Donnghaile</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">823<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">2.1<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="neg">-0.3</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
<div class="party">
<div class="party__name">
<span class="ge2015-background__party ge2015-background__party--sdlp"></span>
<div class="party__name--long">Social Democratic & Labour Party</div>
<div class="party__name--short"><span class="off-screen"> (</span>SDLP<span class="off-screen">)</span></div>
<div class="party__result--candidate"><span class="off-screen">, with candidate </span>Mary Muldoon</div>
<span class="off-screen">, have the following results:</span>
</div>
<ul class="party__result">
<li class="party__result--votes essential">127<span class="off-screen"> total votes taken.</span></li>
<li class="party__result--votesshare essential">0.3<span class="off-screen">% share of the total vote</span></li>
<li class="party__result--votesnet essential"><span class="neg">-0.7</span><span class="off-screen">% change in share of the votes</span></li>
</ul>
</div>
</div>
<div class="summary">
<p>Change compared with 2010</p>
</div>
</div>
</div> </div> </div> <div class="container-width-only"> <div class="column-clearfix"> <div class="column--primary">
<div id="general_election_data-constituency_turnout" class="remote-portlet " data-comp-meta="{"id":"general_election_data-constituency_turnout","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_turnout","whitelist":["variant"],"position_info":{"instanceNo":7,"positionInRegion":1,"lastInRegion":false,"lastOnPage":false,"column":"primary_column"}}}">
<div id="results-turnout" class="results-turnout">
<div class="results-turnout__majority">
<span class="results-turnout__label">DUP majority:</span>
<span class="results-turnout__value">2,597</span>
<span class="results-turnout__value results-turnout__value--right">6.5%</span>
</div>
<div class="results-turnout__percentage">
<span class="results-turnout__label results-turnout__label--left">Turnout</span>
<div class="results-turnout__percentage-bar">
<div class="results-turnout__percentage-bar-background">
<div class="results-turnout__percentage-bar-inner" style="width: 62.8%"></div>
</div>
</div>
<span class="results-turnout__value results-turnout__value--right">62.8%</span>
</div>
</div>
<script>
(function () {
require(['module/components/in_view_detector'], function (inViewDetector) {
inViewDetector.register('results-turnout');
});
}());
</script>
</div> <div id="general_election_data-constituency_vote_share" class="remote-portlet " data-comp-meta="{"id":"general_election_data-constituency_vote_share","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"general_election_data\/constituency_vote_share","whitelist":["variant"],"position_info":{"instanceNo":8,"positionInRegion":2,"lastInRegion":false,"lastOnPage":false,"column":"primary_column"}}}">
<div id="vote-share" class="vote-share">
<h2 class="vote-share__heading">
<span class="vote-share__heading-main">Vote share</span>
<span class="vote-share__heading-seats"></span>
</h2>
<table class="vote-share__results">
<thead>
<th class="vote-share__results-heading vote-share__results-heading--party">Party</th>
<th class="vote-share__results-heading vote-share__results-heading--vote-share">%</th>
</thead>
<tbody>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">DUP</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">49.3</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--dup vote-share__bar-inner--min-width" style="width: 100%;"></span>
</span>
</td>
</tr>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">APNI</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">42.8</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--apni vote-share__bar-inner--min-width" style="width: 86%;"></span>
</span>
</td>
</tr>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">CON</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">2.8</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--con vote-share__bar-inner--min-width" style="width: 5%;"></span>
</span>
</td>
</tr>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">GRN</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">2.7</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--grn vote-share__bar-inner--min-width" style="width: 5%;"></span>
</span>
</td>
</tr>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">SF</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">2.1</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--sf vote-share__bar-inner--min-width" style="width: 4%;"></span>
</span>
</td>
</tr>
<tr class="vote-share__results-result">
<th class="vote-share__results-party">SDLP</th>
<td class="vote-share__results-vote-share">
<span class="vote-share__results-vote-share-value">0.3</span>
<span class="vote-share__bar">
<span class="vote-share__bar-inner ge2015-background__party ge2015-background__party--sdlp vote-share__bar-inner--min-width" style="width: 0%;"></span>
</span>
</td>
</tr>
</tbody>
</table>
</div>
<div id="vote-share-change" class="vote-share-change">
<h2 class="vote-share__heading">
<span class="vote-share__heading-main">Vote share change since 2010</span>
<span class="vote-share__heading-seats"></span>
</h2>
<div class="vote-share-change__heading-bar">
<div class="vote-share-change__heading vote-share-change__heading--decrease">-%</div>
<div class="vote-share-change__heading vote-share-change__heading--increase">+%</div>
</div>
<div class="vote-share-change__party vote-share-change__party--increase">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--dup" style="width:100%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">DUP</div>
<div class="vote-share-change__element vote-share-change__change">+16.5</div>
</div>
</div>
</div>
</div>
<div class="vote-share-change__party vote-share-change__party--increase">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--apni" style="width:33%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">APNI</div>
<div class="vote-share-change__element vote-share-change__change">+5.6</div>
</div>
</div>
</div>
</div>
<div class="vote-share-change__party vote-share-change__party--increase">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--con" style="width:16%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">CON</div>
<div class="vote-share-change__element vote-share-change__change">+2.8</div>
</div>
</div>
</div>
</div>
<div class="vote-share-change__party vote-share-change__party--increase">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--grn" style="width:16%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">GRN</div>
<div class="vote-share-change__element vote-share-change__change">+2.7</div>
</div>
</div>
</div>
</div>
<div class="vote-share-change__party vote-share-change__party--decrease">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--sf" style="width:1%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">SF</div>
<div class="vote-share-change__element vote-share-change__change">-0.3</div>
</div>
</div>
</div>
</div>
<div class="vote-share-change__party vote-share-change__party--decrease">
<div class="vote-share-change__bar vote-share-change__element">
<div class="vote-share-change__bar-inner ge2015-background__party ge2015-background__party--sdlp" style="width:4%">
<div class="vote-share-change__bar-label">
<div class="vote-share-change__element vote-share-change__party-name">SDLP</div>
<div class="vote-share-change__element vote-share-change__change">-0.7</div>
</div>
</div>
</div>
</div>
</div>
<script>
(function () {
require(['module/components/in_view_detector'], function (inViewDetector) {
inViewDetector.register('vote-share');
inViewDetector.register('vote-share-change');
});
}());
</script>
</div> <div class="constituency-more-on-this">
<p class="constituency-more-on-this__title">More on this constituency</p>
<a href="#visual_journalism-2015-newsspec_10189-content-english-index.inc" class="constituency-more-on-this__link">Quiz: How well do you know your constituency? <span class="svg-icon svg-icon--small svg-icon--to-bottom"></span></a>
<a href="#general_election_data-constituency_profile_en" class="constituency-more-on-this__link">Constituency profile <span class="svg-icon svg-icon--small svg-icon--to-bottom"></span></a>
</div>
</div>
<div class="column--secondary">
<div id="comp-constituency-search" class="constituency-search theme-constituency" data-comp-meta="{"id":"comp-constituency-search","type":"constituency-search","handler":"general_election\/constituencySearch","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Find a constituency","route":"constituency\/N06000001","class":"theme-constituency","position_info":{"instanceNo":1,"positionInRegion":1,"lastInRegion":false,"lastOnPage":false,"column":"secondary_column"}}}">
<script id="constituency-search-template" type="text/html">
<h2 class="constituency-search__heading">Find a constituency</h2>
<form id="constituency-form" class="constituency-search__form" action="#">
<input type="text" placeholder="Enter a full UK postcode" class="constituency-search__input" id="constituency-search-input" />
<input type="submit" id="constituency-search-search" value="Search" title="Search" class="constituency-search__search" />
<div id="constituency-search-message" class="constituency-search__message hidden"></div>
</form>
</script>
</div> <div class="constituency-azlink">
<a href="/news/politics/constituencies" class="constituency-azlink__link">Constituencies A-Z</a>
</div> <div id="visual_journalism-2015-newsspec_9518-content-english-map_results.inc?delayLoading=true" class="remote-portlet constituency-map" data-comp-meta="{"id":"visual_journalism-2015-newsspec_9518-content-english-map_results.inc?delayLoading=true","type":"remote-portlet","handler":"remotePortlet","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","id":"visual_journalism\/2015\/newsspec_9518\/content\/english\/map_results.inc?delayLoading=true","whitelist":["route"],"class":"constituency-map","position_info":{"instanceNo":9,"positionInRegion":3,"lastInRegion":true,"lastOnPage":false,"column":"secondary_column"}}}">
<div id="responsive-iframe-3623513-container">
</div>
<style>
@-webkit-keyframes spinnerRotate
{
from{-webkit-transform:rotate(0deg);}
to{-webkit-transform:rotate(360deg);}
}
@-moz-keyframes spinnerRotate
{
from{-moz-transform:rotate(0deg);}
to{-moz-transform:rotate(360deg);}
}
@-ms-keyframes spinnerRotate
{
from{-ms-transform:rotate(0deg);}
to{-ms-transform:rotate(360deg);}
}
.bbc-news-visual-journalism-loading-spinner {
display: block;
margin: 10px auto;
width: 33px;
height: 33px;
max-width: 33px;
-webkit-animation-name: spinnerRotate;
-webkit-animation-duration: 5s;
-webkit-animation-iteration-count: infinite;
-webkit-animation-timing-function: linear;
-moz-animation-name: spinnerRotate;
-moz-animation-duration: 5s;
-moz-animation-iteration-count: infinite;
-moz-animation-timing-function: linear;
-ms-animation-name: spinnerRotate;
-ms-animation-duration: 5s;
-ms-animation-iteration-count: infinite;
-ms-animation-timing-function: linear;
background-image: url('data:image/gif;base64,R0lGODlhIQAhALMAAMPDw/Dw8BAQECAgIICAgHBwcKCgoDAwMFBQULCwsGBgYEBAQODg4JCQkAAAAP///yH/C1hNUCBEYXRhWE1QPD94cGFja2V0IGJlZ2luPSLvu78iIGlkPSJXNU0wTXBDZWhpSHpyZVN6TlRjemtjOWQiPz4gPHg6eG1wbWV0YSB4bWxuczp4PSJhZG9iZTpuczptZXRhLyIgeDp4bXB0az0iQWRvYmUgWE1QIENvcmUgNS4zLWMwMTEgNjYuMTQ1NjYxLCAyMDEyLzAyLzA2LTE0OjU2OjI3ICAgICAgICAiPiA8cmRmOlJERiB4bWxuczpyZGY9Imh0dHA6Ly93d3cudzMub3JnLzE5OTkvMDIvMjItcmRmLXN5bnRheC1ucyMiPiA8cmRmOkRlc2NyaXB0aW9uIHJkZjphYm91dD0iIiB4bWxuczp4bXA9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC8iIHhtbG5zOnhtcE1NPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvbW0vIiB4bWxuczpzdFJlZj0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL3NUeXBlL1Jlc291cmNlUmVmIyIgeG1wOkNyZWF0b3JUb29sPSJBZG9iZSBQaG90b3Nob3AgQ1M2IChNYWNpbnRvc2gpIiB4bXBNTTpJbnN0YW5jZUlEPSJ4bXAuaWlkOjFFOTcwNTgzMDlCMjExRTQ4MDU3RThBRkIxMjYyOEYyIiB4bXBNTTpEb2N1bWVudElEPSJ4bXAuZGlkOjFFOTcwNTg0MDlCMjExRTQ4MDU3RThBRkIxMjYyOEYyIj4gPHhtcE1NOkRlcml2ZWRGcm9tIHN0UmVmOmluc3RhbmNlSUQ9InhtcC5paWQ6MUU5NzA1ODEwOUIyMTFFNDgwNTdFOEFGQjEyNjI4RjIiIHN0UmVmOmRvY3VtZW50SUQ9InhtcC5kaWQ6MUU5NzA1ODIwOUIyMTFFNDgwNTdFOEFGQjEyNjI4RjIiLz4gPC9yZGY6RGVzY3JpcHRpb24+IDwvcmRmOlJERj4gPC94OnhtcG1ldGE+IDw/eHBhY2tldCBlbmQ9InIiPz4B//79/Pv6+fj39vX08/Lx8O/u7ezr6uno5+bl5OPi4eDf3t3c29rZ2NfW1dTT0tHQz87NzMvKycjHxsXEw8LBwL++vby7urm4t7a1tLOysbCvrq2sq6qpqKempaSjoqGgn56dnJuamZiXlpWUk5KRkI+OjYyLiomIh4aFhIOCgYB/fn18e3p5eHd2dXRzcnFwb25tbGtqaWhnZmVkY2JhYF9eXVxbWllYV1ZVVFNSUVBPTk1MS0pJSEdGRURDQkFAPz49PDs6OTg3NjU0MzIxMC8uLSwrKikoJyYlJCMiISAfHh0cGxoZGBcWFRQTEhEQDw4NDAsKCQgHBgUEAwIBAAAh+QQAAAAAACwAAAAAIQAhAAAE0vDJSScguOrNE3IgyI0bMIQoqUoF6q5jcLigsCzwJrtCAeSjDwoRAI4aLoNxxBCglEtJoFGUKFCEqCRxKkidoIP20aoVDaifFvB8XEGDseQEUjzoDq+87IijEnIPCSlpgWwhDIVyhyKKY4wOD3+BgyF3IXpjfHFvfYF4dmghalGQSgFgDmJaM2ZWWFEEKHYSTW1AojUMFEi3K7kgDRpCIUQkAcQgCDqtIT2kFgWpYVUaOzQ2NwvTIQfVHHw04iCZKibjNAPQMB7oDgiAixjzBOsbEQA7');
}
</style>
<script type="text/javascript">!function(){function a(){var a="querySelector"in document&&"localStorage"in window&&"addEventListener"in window&&!!document.createElementNS&&!!document.createElementNS("http://www.w3.org/2000/svg","svg").createSVGRect;return a}var b=function(){var a=this;this.isResultsMode="true",this.linkId="responsive-iframe-3623513",this.scaffoldLite="false",this.initIstatsIfRequiredThen(function(){a.createIframe()}),this.updateSizeWhenWindowResizes()};if(b.prototype={updateSizeWhenWindowResizes:function(){var a=this;this.onEvent(window,"resize",function(){a.setDimensions()})},onEvent:function(a,b,c,d){void 0===d&&(d=!1),a.addEventListener?a.addEventListener(b,c,d):a.attachEvent("on"+b,c)},data:{},updateFrequency:32,createIframe:function(){var a=this.linkId,b="http://www.bbc.co.uk/news/special/2015/newsspec_9518/content/english/index.html?v=0.1.598&isResultsMode="+this.isResultsMode,c=this,d=this.getWindowLocationOrigin(),e=this.getQueryStringValue("route"),f=this.getQueryStringValue("delayLoading")?!0:!1,g=e?"#"+e:null,h=g||window.location.hash||"#",i=encodeURIComponent(window.location.href.replace(h,"")),j=this.onBbcDomain(),k=Math.max(document.documentElement.clientWidth,window.innerWidth||0),l=document.getElementById("responsive-iframe-3623513-container");h+="/"+k,this.staticHeight=600,this.addLoadingSpinner(l,a),this.container=l,this.uid=this.getPath(b),this.elm=document.createElement("iframe"),this.elm.className="responsive-iframe",this.elm.style.width="100%",this.elm.scrolling="no",this.elm.allowfullscreen=!0,this.elm.frameBorder="0",this.decideHowToTalkToIframe(b),this.elm.src=b+"&hostid="+d.split("//")[1]+"&hostUrl="+i+"&iframeUID="+a+"&delayLoading="+f.toString()+"&onbbcdomain="+j+h,l.appendChild(this.elm),this.lastRecordedHeight=this.elm.height,this.iframeInstructionsRan=!1,this.handleIframeLoad(function(){c.getAnyInstructionsFromIframe(),c.setDimensions()}),f&&this.waitForMessageToLoadMap()},waitForMessageToLoadMap:function(){var a=this;this.onBbcDomain()?require(["jquery","vendor/events/pubsub"],function(b){b.on("results-page:animation-finished",function(){a.sendMessageToLoadMap(a)})}):a.sendMessageToLoadMap(a)},sendMessageToLoadMap:function(a){a.mapInitInterval=setInterval(function(){var b={appShouldInit:!0};a.container.querySelector("iframe").contentWindow.postMessage(a.uid+"::"+JSON.stringify(b),"*")},100)},addLoadingSpinner:function(a,b){var c=document.createElement("div");c.id=b+"--bbc-news-visual-journalism-loading-spinner",c.className="bbc-news-visual-journalism-loading-spinner",a.appendChild(c)},handleIframeLoad:function(a){this.onEvent(window,"load",function(){a()},!0),this.elm.onload?this.elm.onload=a:"attachEvent"in this.elm&&this.elm.attachEvent("onload",a)},decideHowToTalkToIframe:function(a){if(window.postMessage){var b=this.getPath(a);this.uidForPostMessage=this.getPath(a),this.setupPostMessage(b)}else this.data.height=this.staticHeight,this.elm.scrolling="yes"},onBbcDomain:function(){return window.location.host.search("bbc.co")>-1},setupPostMessage:function(){var a=this;this.onEvent(window,"message",function(b){a.postMessageCallback(b.data)})},postMessageCallback:function(a){this.postBackMessageForThisIframe(a)&&(this.processCommunicationFromIframe(this.getObjectNotationFromDataString(a)),this.processIStatsInstructions(this.data),this.processAppInitInstuctions(this.data))},postBackMessageForThisIframe:function(a){return a&&a.split("::")[0]===this.uidForPostMessage},getObjectNotationFromDataString:function(a){return JSON.parse(a.split("::")[1])},processCommunicationFromIframe:function(a){this.data=a,this.setDimensions(),this.getAnyInstructionsFromIframe()},hostIsNewsApp:function(a){return a.indexOf("bbc_news_app")>-1},getIframeContentHeight:function(){return this.data.height&&(this.lastRecordedHeight=this.data.height),this.lastRecordedHeight},setDimensions:function(){this.elm.width=this.elm.parentNode.clientWidth,this.elm.height=this.getIframeContentHeight()},getAnyInstructionsFromIframe:function(){this.data.hostPageCallback&&!this.iframeInstructionsRan&&(new Function(this.data.hostPageCallback)(),this.iframeInstructionsRan=!0)},getPath:function(a){var b=a.replace("http://","");return b.substring(b.indexOf("/")).split("?")[0]},getWindowLocationOrigin:function(){return window.location.origin?window.location.origin:window.location.protocol+"//"+window.location.hostname+(window.location.port?":"+window.location.port:"")},removeAppWebViewLinksFromHostPage:function(){this.removeElementFromHostPage("a","href",window.location.pathname)},removeFallbackImageFromHostPage:function(){var a=this.getQueryStringValue("fallback");a&&this.removeElementFromHostPage("img","src",a)},getQueryStringValue:function(a){var b='delayLoading=true?route=constituency%2FN06000001',c=new RegExp("(?:[\\?&]|&)?"+a+"=([^&#]*)"),d=c.exec(b);return null===d?"":decodeURIComponent(d[1].replace(/\+/g," "))},removeElementFromHostPage:function(a,b,c){var d;if("undefined"!=typeof document.querySelector)d=document.querySelector(a+"["+b+'*="'+c+'"]'),d&&d.parentNode.removeChild(d);else{d=document.getElementsByTagName(a);for(var e=0;e<d.length;++e)d[e][b].indexOf(c)>=0&&d[e].parentNode.removeChild(d[e])}},initIstatsIfRequiredThen:function(a){var b=this;"false"===this.scaffoldLite&&this.onBbcDomain()?require(["istats-1"],function(c){b.istats=c,a()}):(b.istats={log:function(){}},a())},istatsQueue:[],processAppInitInstuctions:function(a){a.appInited&&this.mapInitInterval&&clearInterval(this.mapInitInterval)},processIStatsInstructions:function(a){this.istatsInTheData(a)&&(this.addToIstatsQueue(a),this.emptyQueue(this.istatsQueue))},istatsInTheData:function(a){return a.istats&&a.istats.actionType},addToIstatsQueue:function(a){this.istatsQueue.push({actionType:a.istats.actionType,actionName:a.istats.actionName,viewLabel:a.istats.viewLabel})},istatsQueueLocked:!1,emptyQueue:function(a){var b;if(this.istats&&a){this.istatsQueueLocked=!0;for(var c=0,d=a.length;d>c;c++)b=a.pop(),this.istats.log(b.actionType,b.actionName,{view:b.viewLabel});this.istatsQueueLocked=!1}}},a()){new b}}();</script>
</div> </div>
</div> <div class="column--single">
<div class="comp-stream" id="comp-connected-stream" data-comp-meta="{"id":"comp-connected-stream","type":"connected-stream","handler":"nexus\/connectedStream","deviceGroups":null,"opts":{"variant":"N06000001","gssid":"N06000001","about":"44d5953f-8a8b-49df-88ec-42fa079011c8","title":"Belfast+East","route":"constituency\/N06000001","endpoints":{"latest":"\/news\/component\/connected-stream?about=44d5953f-8a8b-49df-88ec-42fa079011c8","earlier":"\/news\/component\/connected-stream?about=44d5953f-8a8b-49df-88ec-42fa079011c8&before=2015-05-08T03%3A18%3A26%2B01%3A00"},"position_info":{"instanceNo":1,"positionInRegion":1,"lastInRegion":false,"lastOnPage":false,"column":"page_stream"}},"template":"nexus:\/component\/connected-stream"}">
<div class="comp-stream__header">
<h2 class="comp-stream__title"><span>Latest updates</span> <strong>Belfast East</strong></h2>
</div>
<div class="updates">
<h3 class="comp-stream__date"><span>08.05.2015</span></h3>
<div class="update update--article">
<strong class="update__time">16:49</strong>
<div class="update__article__wrap">
<figure class="update__image">
<a href="/news/election-2015-northern-ireland-32661768">
<img src="http://ichef.bbci.co.uk/news/200/media/images/82846000/jpg/_82846571_robinson.jpg" />
</a>
</figure>
<h4 class="update__headline">
<a href="/news/election-2015-northern-ireland-32661768" class="right-arrow">Gavin Robinson speech 'disgraceful'</a>
</h4>
<div class="update__body">
The brother of DUP MP Ian Paisley criticises an acceptance speech by the party's Gavin Robinson after he takes the East Belfast seat in the general election.
</div>
</div>
</div>
<div class="update update--media-asset">
<strong class="update__time">16:20</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
<a href="/news/election-2015-northern-ireland-32657517" class="right-arrow">Long: "What DUP do never shocks me"</a>
</h4>
<div class="update__body">
Naomi Long of the Alliance Party has been giving her reaction after she lost her East Belfast Westminster seat.
</div>
<div class="update__media media-placeholder" id="82870551" data-asset-id="32657517" data-media-type="video" data-media-meta="{"duration":"PT54S","available":true,"image":{"height":360,"width":640,"href":"http:\/\/news.bbcimg.co.uk\/media\/images\/82870000\/jpg\/_82870522_naomilong.jpg","altText":"Naomi Long","copyrightHolder":"BBC","originCode":"mcs"},"mimeType":"application\/xml","href":"http:\/\/playlists.bbc.co.uk\/news\/election-2015-northern-ireland-32657517A\/playlist.sxml","externalId":"p02qy941","caption":"Naomi Long: \"What the DUP say and do never comes a shock to me\"","allowOffSiteEmbedding":false,"live":false,"entityType":"Version","durationInSeconds":54}"></div>
<figure class="update__image">
<a href="/news/election-2015-northern-ireland-32657517">
<img src="http://ichef.bbci.co.uk/news/200/media/images/82870000/jpg/_82870522_naomilong.jpg" />
</a>
</figure>
</div>
</div>
<div class="update update--media-asset">
<strong class="update__time">15:55</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
<a href="/news/election-2015-northern-ireland-32657512" class="right-arrow">Election night turns up NI surprises</a>
</h4>
<div class="update__body">
The election in Northern Ireland turned up a few surprises and they were to the benefit of the Ulster Unionist Party which secured two seats at Westminster.
</div>
<div class="update__media media-placeholder" id="82868944" data-asset-id="32657512" data-media-type="video" data-media-meta="{"duration":"PT4M30S","available":true,"image":{"height":360,"width":640,"href":"http:\/\/news.bbcimg.co.uk\/media\/images\/82864000\/jpg\/_82864902_uupelliott.jpg","altText":"Tom Elliott and Mike Nesbitt","copyrightHolder":"BBC","originCode":"mcs"},"mimeType":"application\/xml","href":"http:\/\/playlists.bbc.co.uk\/news\/election-2015-northern-ireland-32657512A\/playlist.sxml","externalId":"p02qy567","caption":"It was a high-stakes election for the UUP","allowOffSiteEmbedding":false,"live":false,"entityType":"Version","durationInSeconds":270}"></div>
<figure class="update__image">
<a href="/news/election-2015-northern-ireland-32657512">
<img src="http://ichef.bbci.co.uk/news/200/media/images/82864000/jpg/_82864903_uupelliott.jpg" />
</a>
</figure>
</div>
</div>
<div class="update update--article">
<strong class="update__time">10:27</strong>
<div class="update__article__wrap">
<figure class="update__image">
<a href="/news/election-2015-northern-ireland-32629703">
<img src="http://ichef.bbci.co.uk/news/200/media/images/82850000/jpg/_82850069_tomelliott.jpg" />
</a>
</figure>
<h4 class="update__headline">
<a href="/news/election-2015-northern-ireland-32629703" class="right-arrow">SF loses Fermanagh and South Tyrone</a>
</h4>
<div class="update__body">
Sinn Féin loses Fermanagh and South Tyrone to the Ulster Unionists as all 18 Westminster seats in Northern Ireland are declared.
</div>
</div>
</div>
<div class="update update--commentary commentary--standard">
<strong class="update__time">04:18</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
Robinson commiserates
</h4>
<span class="commentary__icon commentary__icon--standard">standard</span>
<div class="update__body">
<p>DUP leader Peter Robinson sends his commiserations to Naomi Long: "I've been there before, I know it's disappointing to lose an election." </p><p>On Westminster, he says: "We are looking very closely at the arithmetic in terms of the national scene and what role we can play as a party."</p><figure class="media-landscape body-narrow-width no-caption"><img class="js-image-replace" alt="PETER" src="http://ichef.bbci.co.uk/news/200/media/images/82847000/jpg/_82847835_peterrob.jpg" width="728" height="410"></figure>
</div>
</div>
</div>
<div class="update update--commentary commentary--standard">
<strong class="update__time">04:03</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
DUP leader
</h4>
<div class="contributor">
<span class="contributor__image">
<img src="http://news.bbcimg.co.uk/media/images/80133000/jpg/_80133470_80133469.jpg" />
</span>
<span class="contributor__name">Conor Macauley</span>
<br />
<span class="contributor__description">BBC News NI</span>
</div>
<span class="commentary__icon commentary__icon--standard">standard</span>
<div class="update__body">
<p>DUP leader Peter Robinson live from Kings Hall count centre.</p><figure class="media-landscape body-narrow-width no-caption"><img class="js-image-replace" alt="PETER" src="http://ichef.bbci.co.uk/news/200/media/images/82847000/jpg/_82847833_peter.jpg" width="728" height="410"></figure>
</div>
</div>
</div>
<div class="update update--commentary commentary--standard">
<strong class="update__time">03:58</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
Robinsons embrace
</h4>
<div class="contributor">
<span class="contributor__image">
<img src="http://news.bbcimg.co.uk/media/images/52790000/jpg/_52790871__42146552_chrisbuckler_byline-1.jpg" />
</span>
<span class="contributor__name">Chris Buckler</span>
<br />
<span class="contributor__description">BBC Ireland Correspondent</span>
</div>
<span class="commentary__icon commentary__icon--standard">standard</span>
<div class="update__body">
<p>A warm embrace between Robinsons - Peter congratulates Gavin in regaining the seat he once held.</p><figure class="media-landscape body-narrow-width no-caption"><img class="js-image-replace" alt="Robinsons" src="http://ichef.bbci.co.uk/news/200/media/images/82847000/jpg/_82847850_robinsons.jpg" width="728" height="410"></figure>
</div>
</div>
</div>
<div class="update update--commentary commentary--standard">
<strong class="update__time">03:34</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
Alliance on defeat
</h4>
<span class="commentary__icon commentary__icon--standard">standard</span>
<div class="update__body">
<p>Alliance party leader David Ford: "It's clearly disappointing that Naomi Long will no longer be representing East Belfast." </p><p>He admits that it was the unionist pact that led to Alliance's defeat in the east: "Four or five parties formed a pact against us and they couldn't manage 50% in the most unionist constituency in Northern Ireland, as they describe it. But she left with her head up."</p><figure class="media-landscape body-narrow-width no-caption"><img class="js-image-replace" alt="DAVID" src="http://ichef.bbci.co.uk/news/200/media/images/82847000/jpg/_82847435_dfnew.jpg" width="728" height="410"></figure>
</div>
</div>
</div>
<div class="update update--commentary commentary--standard">
<strong class="update__time">03:25</strong>
<div class="update__article__wrap">
<h4 class="update__headline">
'Moral victory'
</h4>
<div class="contributor">
<span class="contributor__image">
<img src="http://news.bbcimg.co.uk/media/images/52790000/jpg/_52790871__42146552_chrisbuckler_byline-1.jpg" />
</span>
<span class="contributor__name">Chris Buckler</span>