-
Notifications
You must be signed in to change notification settings - Fork 1
/
crises.rmd
2534 lines (1925 loc) · 229 KB
/
crises.rmd
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
# A Tale of Three Crises {#crises}
<!-- > I'm still trying to climb out from under the avalanche of horror, nightmare and disgust that all of this [the 2011 US debt ceiling crisis] dumped on me, along with, I suppose 300 million other Americans and it's a little hard to sort out your thoughts after this much awfulness comes along.
> [..]
> Sorry but I actually do think that this [the 2011 US debt ceiling crisis] is one more symptom of a long, slow constitutional crisis, it goes back further than the 2000 election.
> This kind of thing keeps happening again and again, it's as if our system is getting hardening of the arteries, we get a stint once in a while [\ldots] but to me it's getting scarier and scarier over the long haul.
> [...] -->
> There are a lot of rational (tax) ideas out there, there are a lot of ways you could build something from scratch that would look roughly like the society we have now, but would work better, would be smoother and fairer and all that.
> And of course, these things are proposed in politics [...] and then they cannot be done.
> Then our system prevents them from happening or garbels them in such a way that they look supremely ugly, once they are created [...].
> This is a machine for creating disillusionment with government, cynicism, Tea-Partyism, and over time, this is our county, our democracy eating itself alive.
> [...]
> And that's why I get a little discouraged sometimes.
>
> --- [Hendrik Hertzberg](https://www.newyorker.com/contributors/hendrik-hertzberg) on the [* Political Scene*](https://www.newyorker.com/tag/political-scene-podcast) podcast by the *New Yorker*, discussing US tax reform plans in 2011.
<!-- also, this kinda feels like the "good old days", as if things were much better earlier.
that's not really the point
this is not primarily, an account of how things have gotten worse *empirically*: in part, that becomes pretty hard, because so many other things change (multicollinearity)
there may not be much to be gained here, or, in any case, that's not what I offer here.
Instead, across tax, welfare state and democracy, I point out *a priori* inconsistencies in the ideal-typical versions of these institutions, as they were instituted in the past.
This need not imply that the past was actually all that great.
It's really just a pragmatic way of going about this: one might also call this a tale of three not-quite-great systems, but that just doesn't have the same ring to it.
nothing wrong with urgency
but be careful here, I don't actually have a posteriori (empirical) account.
more crucially, this being a priori stuff, it also *needs* no such account; pointing to the contradictions suffices.
this is just politicisation, in a way.
WHY this chapter?
because it points to the importance, and takes the first step to the last reasons, to the deep disagreements undergirding this all.
politicisation is, broadly speaking, necessary for any deliberation.
you need some kind of a question.
if this were in fact all completely "normal", and just the way things are, then there's no need.
so going back to the ideal-typical formulation of these institutions, no matter how much they were ever attained in the real world, is an exercise in policisiation.
The empirical record, is only used to cursorily *illustrate* these claims. -->
<!-- %Dahl "on democracy''
% there is normative things, and actualities, or empirical things.
%We should look at both
% democracy and market capitalism are in a mutually reinforcing, but also antagonistic relationship
% one of the four essential questions for democracy is how it will continue to co-exist with market capitalism, now that the latter is the only game in town.
%Also, the inequalities that market capitalism brings, easily translate into political inequality.
% one of the possible scenarios of democracy is that it will spread wider (new countries) but become ever thinner.
% dahl in his time didn't know what the problem was: we know see a little clearer
% he also identifies internationalization as a problem, which makes sense.
%Tax is at the intersection of the market/state mix and internationalization -->
<!-- %Genschel 200 deutscher Artikel
%Both the sceptics and apologetics of the race to the bottom are wrong.
%There is indeed no empirical evidence for a race to the bottom \ldots
%\ldots but that is not because of no competition, but because there is at the same time a need for greater state spending and the inability to tax other things (labor, consumption, indirectly) without doing great harm
%results are: labor and consumption don't flee the country, but you get unemployment and a shadow economy.
%the above is all p 268
%I think it is wrong to assume great unemployment to be "given", it is rather caused by the inability of the state to tax other stuff.
%Genschel 2000 269 points out that present tax regimes are historical artefacts, from a time of closed borders.
%two assumptions overall: taxation would decrease, but also: relocate to less mobile things (labor, consumptioN)
%Genschel finds: total tax stayed the same, but expenditures grew faster than revenue, hence public debt
%There is a fundamental problem with Genschel's argument. -->
<!-- %and also: procyclical, hits labor intensive service industry, with high price sensibility in particular (you won't go to the restaurant)
%Please mention that taxing capital, in and of itself, is also problematic in welfare terms.
%It's not the perfect tax, because we want capital accumulation.
%Mention Genschel's treatment of intelligent tax-evasion through intra-company strategies.
%Genschel 1999 is hopeful about ways to resolve the prisoners' dilemma.
%repeated games, shadow of the future
%institutions
%transparency, monitoring
%but again, they say: it may not be a defection problem, but zero-sum distribution between small and large states
%my bottom line: empirical pictures are always messy, complicated.
%But still, if you introduce a normative hypothetical, it is obvious that really, the situation is quite dramatic.
%Genschel calculates how large the coalition would have to be (421)!
%his is awesome!
%note later comparison to trade union theory and trade creation vs.\ trade diversion -->
<!-- TODO we're in a bad place, but it could be better -->
<!-- TODO use mixed economy in all of the below, not welfare state, explain why -->
<!-- or, you can forestall all this by:
- racking up payments crises
- asset Bubbles, especially real Estate
- ITF
- etc.
-->
<!-- explain here why deliberation matters? -->
<!-- explain why taxation matters (to the welfare state) -->
<!-- reiterate some empirical findings here -->
<!-- %The result of the two crises is an economy with runaway inequities, foregone productive capacity and a suboptimal net savings rate, in the face of greater challenges ahead (for example, aging, global warming).
%First, developed welfare states, in spite of their unprecedented prosperity, appear to be increasingly constrained in their ability to raise revenue and redistribute it as their legislators see fit.
%Structural underfunding is caused by a state that is increasingly unable to raise sufficient revenue necessary for the provision of risk pools, public and common goods, as well as to finance its allocative goals.
%The result of the two crises is an economy with runaway inequities, foregone productive capacity and a suboptimal net savings rate, in the face of greater challenges ahead (for example, aging, global warming).
\begin{figure}[htbp]
\centering
\includegraphics[width=1\linewidth]{dual-crisis}
\caption{The Dual Crisis of the Late Welfare State}
\label{fig:dual-crisis}
\end{figure}
%Today, welfare states are challenged or changed on a number of fronts.
%Internally, welfare provision is challenged by aging societies in the developed world, with resulting higher dependency rates and costs under “pay-as-you-go” systems (Castles 2002).
%Moreover, revenues and costs are affected by prolonged and extensive macroeconomic disequilibria, especially structural unemployment (which of course, can also be an effect of inadequate welfare regime design).
%Decreasing rates of productivity and output growth have heightened concerns, and de-industrialization and increasing flexibility of working arrangements have called existing setups into question, especially those featuring corporatist institutions.
<!-- %My research interest emerges from two puzzles of the late, developed welfare state.
%might want to link this to PCA and efficiency wages;
%you need some equality for markets to work their magic.
%Efficiency and equity are not a zero-sum trade-off.
%Note Stiglitz on education it's part of the twin crisis:
%102
%Wilson in stiglitz
%Kennedy in stiglitz
%Crouch
%Crouch 158 also notes absence of wealth distribution data.
%Bingo great argument in Crouch 3:
%democracy is, again under US influence defined as liberal, if not electoral democracy.
%---
%McCaffery and Hines 2010:
%4
%appear beyond the pale.11
%What are we doing?
%Where are we headed?
%Are we forever set in a post-Reagan mindset
%when it comes to tax rates?
%What has happened to the argument for more steeply progressive marginal rates?
%Why does a country that seems to believe in redistribution not seek it more forcefully in its major policy instrument devoted to doing so?
%see
%this is the big question!
%This is, in part, a story of how academics, ordinary politics, popular understanding---and inertia---can lead a democracy to a place far removed from its initial hopes and dreams.
%There's also a neat reference to elastic, vs.
%inelastic savers on page 7, which is the same as my talk about positional consuption (or not)
%There's a key argument why spending can be more progressive (7):
%it's unlikely that people will anticipate the tax they ultimately have to pay.
%say McCaffery and Hines. -->
## A Crippled Mixed economy
In the preceding , I have tried to shed some light on the in much of the current [oecd]{acronym-label="oecd" acronym-form="singular+short"}-world (, p. ).
The puzzle is now a little clearer:
1. In spite of unprecendented prosperity, late [oecd]{acronym-label="oecd" acronym-form="singular+short"} welfare states are less efficient, equitable and sustainable than they could be, because they fall short of an (, p. ).
Among the institutions of the mixed economy, especially, because it is by far the most effective and efficient tool for government to improve upon, or redistribute market outcomes (, p. ).
2. Equipped with a deficient mixed economy and suboptimal taxation, democracies are forced to make unnecessarily unattractive trade-offs between efficiency, equity and sustainability, eroding their *output* legitimacy.
At the same time, the legitimacy of democratic *inputs* may be undermined by a widening gap between the complexity of an advanced (mixed) economy and the simplifying tendencies of electoral democracy.
Potentially, pluralist democracy may, in part, have fallen victim to the tightly concentrated special interest that late capitalism offers, especially in the field of taxation.
Taken together, such diminished legitimacy in outputs and inputs, may help explain widely reported dissatisfaction with democratic performance (but not institutions) [for example, @Dalton-2004-aa] and contribute to the apparent mismatch between popular opinion and the governing abstractions of the mixed economy.
3. Net of such constrained welfare and confused democracy, material and political equality would suffer.
A deficient mixed economy and suboptimal taxation would corrode the social contract, by which democratic government should have some ability to redistribute the fruits of non-zero-sum
games borne by the free exchange of state-protected property rights [compare @Crouch2004].
Offered only unattractive choices, and thoroughly confused about the abstractions of the mixed economy, citizens would be increasingly impotent under the social contract.
One suspects, especially poor and poorly educated citizens would be effectively disenfranchised from the social contract.
## Possible Better Worlds
## Better Taxation
In the following (p. ) and (p. ), I show that under liberal-pragmatic axioms and orthodox ontology (, p. ), we could have vastly and .
Among doable taxes, a potentially supplemented by a , and/or appears to offer more attractive trade-offs between equity, efficiency and sustainability than the current tax mixes dominated by , and (see , p. ).
![The Vector Field of Taxes with Trends[]{label="fig:tax-with-trends"}](tax-with-trends){#fig:tax-with-trends width="1\linewidth"}
## Better Democracy
Among doable forms of democratic rule, deliberative democracy [for example, @Cohen-1989-aa] appears both more promising and demanding than pluralism.
Deliberation promotes egalitarian, inclusive, well-reasoned and civic-minded discussions for (possibly) consensual political decision-making.
Its normative theory draws heavily on @Habermas-1984' concept of *communicative action* and @Rawls-1971' "Theory of Justice" as fairness.
Where pluralism encourages the representation of particular interest, deliberative democracy demands *alternative* conceptions of the common good [@Cohen-1989-aa 18].
Where pluralism aggregates given, pre-social preferences, deliberative democracy is all about forming preferences.
Where pluralism assumes individual voter error to balance out, when errors are random [@Page1993; @Surowiecki2004], deliberative democracy insists on perfecting the deliberators understandings (see , p. ).
Deliberative democracy offers more attractive trade-offs between participation, enlightened understanding and political equality [@Fishkin2009] (, p. ) and promises to alleviate some of the public choice contradictions of pluralism [for example, @Condorcet1785; @Arrow1950] (, p. ).
It also transcends the impoverished, and dubious ontology of pluralism (homo economicus!), and opens legitimate rule to feminist or even virtue ethics.
### Crisis of Equality
<!-- (not sure about this one) -->
<!-- %look into the short paper by Frank again.
%\cite{Frank1996} argues that top salaries have grown because of 1) technological forces that greatly amplify small increments in performance (non-linear returns to scale?) and 2) increased competition for services of top performers (not sure what this is).
%In winner-take all markets you pay by relative, not absolute performance.
%note the ``expenditure cascade'' Frank argument. -->
Again, not an empirical claim per se, but it seems worth nothing that as per a priori logic, there may be runaway dynamics of inequality, for which we might have no *possible* counteracting tax institution.
pperhaps, we don't actually want to use that institution, or only to a limited amount, because its costs are too high, or the boons of overall growth are too great, but whatever, it'd be nice to have it available to the sovereign.
A complete empirical test of the governing dynamics of inequality is beyond the scope of this thesis.
[^5]
Here are some tentative statistics which support the thesis of self-reinforcing inequality.
According to the US Survey of Consumer Finances (SCF) the range between the lowest and highest sextile (!) of median before-tax family income has risen from \$145,000 in 1989 to \$170,000 in 2004 [@Bucks2006].
During the same period, the mean gap between the outer sextiles has increased from roughly \$245,000 to \$295,000 (*ibid.*).
The mean income gap for extreme quartiles of education of head of household has increased from \$80,000 \$115,000 (*ibid.*).
While the *median* net worth is reported to to be roughly \$90,000 in 2004, the respective *mean* is around \$450,000.
The median (mean) range between the outer quintiles (!) of net worth has increased from \$1,000,000 (around \$1,800,000) in 1989 to above \$1,400,000 (\$3,000,000) in 2004.
Interestingly, even the median (mean) gap between the topmost quintiles has increased from \$600,000 (\$1,500,000) to \$900,000 (above \$2,500,00).
[^6]
In Germany, a similar trend is discernible.
From 1998 to 2006, the Gini coefficients
[^7]
in real gross wages (not incomes!)
[^8]
continuously rose from 0.407 to 0.453 [@Bundesregierung2006 14].
Interestingly, even the range between the topmost deciles in share of all gross wages rose from 9.8 to 10.6 [@Grabka2007a 64].
For all gross (net) incomes the Gini coefficient rose (roughly continuously) from 0.465 (0.261) to 0.520 (0.316) [-@Grabka2007a 82].
The Gini of wealth distribution rose continuously from 0.745 in 2002 to 0.795 in 2007 [-@Grabka2007a 138].
In sum, inequality seems to be increasing over time, in labor and capital income, and in wealth.
Distributions of income and wealth are, in fact, decidedly non-normal, but starkly positively skewed as evidenced by the ever diverging medians and means.
These tentative statistics then support the central tenet of self-reinforcing governing dynamics of inequality.
[^2]: I assume here that market wages are low *only* because of low productivities, in keeping with condition itm:infinite-buyers-sellers ().
If, by contrast, employers have great bargaining power over non-unionized workers (as appears to be the case in much of the service sector) they may receive low wages even when their labor productivities are adequate.
Such Manchester-capitalism styled exploitation should be met with regulatory, not fiscal interventions:
otherwise, government may end up transferring to exploitative firms.
It does not matter *why* labor productivity of some groups of workers is in *relative* decline.
Candidate culprits include international trade and finance (for example, discredited @Stolper1941) as well as skill-based technological progress [@Card2001].
Whatever the reason for low relative labor productivities, an efficient fiscal configuration should help factor markets clear.
[^5]: Also, comprehensive data about income and wealth distributions are conspicuously hard to come by.
Most government or international organizations report only various *risk of poverty indicators* or, at best, decile ranges or ratios.
Gini coefficients, histograms or more comprehensive measures of income dispersion are not readily available, particular for wealth.
The statistics that are provided oddly focus on poverty --- not on inequality --- and use *ordinal* measures of dispersion (decile ranges), which, by definition, conceal outliers in skewed distributions.
The few, notable examples of more comprehensive datasets include the German Socio-Economic Panel Study (SOEP) [@Wagner2007; @Grabka2007].
[^6]: Comparing two years, of course, does not make a trend.
For most indicators of inequality in the triennial SCF, there is a continuous upward trend beginning in the latter half of the 1990s, with a noticeable dip in inequality in the early 1990s [@Bucks2006].
[^7]: The Gini coeffecient is a comprehensive measure of inequality in cardinal distributions.
It measures the divergence of actual distributions from uniform ("egalitarian") distributions.
Zero is perfect equality, one is perfect inequality.
[^8]: Labor incomes are likely to display relatively *less* inequality than total incomes, or wealth.
Labor incomes are (page ).
It emerges the picture of a world, where the link between initial states and outcomes is highly non-linear.
Marginal increases in, say, education, may lead to very large income effects --- or none at all.
A world, where not everyone can be the meritocratic master of her own luck.
A little more effort *may* get you that big year-end bonus, or a lot of effort may get you no reward at all.
A world, where economic and social outcomes do not follow a bell-shaped distribution, with most people around mean incomes and status, and very few at the extremes.
This is a world, where both those left and right of the mean will get ever farther away from it.
The governing dynamics of inequality are that of the Matthew Principle, popularized by Robert K. [@Merton1988; @Jackson1968].
Left to its own devices, the (post?)industrial economy is a "winner-take-all ecology" [@Taleb2007], accurately described in the words of scripture cited above.
## Bad Tax
> *"Things in tax are bad today."*\
> --- Edward J. @McCaffery2005 [893]
## Deliberation and Democracy
Why does deliberating taxation matter for democracy?
A dysfunctional mixed economy without good taxes may produce illegitimate outputs, and, in so far as it disturbs the state-market balance of the mixed economy, violates output congruence of a democracy [compare @Zurn-2000-aa 190].
Yet, even if experts could agree on a tax --- such as a promising, post-paid, cash-flow based [pct]{acronym-label="pct" acronym-form="singular+short"} --- the tradeoffs involved in choosing or calibrating a tax regime are irreducibly political.
For example, experts cannot *positively* inquire whether economic "growth" [^positive_sum] is in itself *virtuous*, which inter-subjective aggregation would be *utility-maximizing*, what *deontological* rights owners have or which human *relationships* should be governed by prices or command at all --- even if they could agree on any of those alternative ethics.
[^positive_sum]: More precisely, the reaping of greater non-zero-sumness from social integration [@Wright2000].
<!-- TODO these are all discussed in *wanted* chapter -->
<!-- Even to the extent that tax choice can be left to economic a-priori or empirical analyses, of, for example, \glspl{dwl}, such expertise relies on contentious views of human nature \citep[for a review,][]{Persky1995}, and observations of nature are, in any event, devoid of moral messages \citep[43]{Gould1982}. -->
These metaphysical conundrums are reflected in very concrete, technocratic issues in taxation.
<!-- TODO add complete list here, those are old links issues in taxation, including \glspl{dwl} (p.~\pageref{sec:tax-optimality}), \hyperref[sec:diminishing-marginal-utility]{diminishing marginal utility} (p.~\pageref{sec:diminishing-marginal-utility}), the \hyperref[des:structural-agnosticism]{treatment of capital income} (p.~\pageref{des:structural-agnosticism}), or \hyperref[sec:love-marriage]{joint spousal taxation} (p.~\pageref{sec:love-marriage}), respectively. -->
Likewise, experts cannot justify the axioms on which their (economic) analyses rest:
whether, and under which institutional circumstances we are homines oeconomici, cannot be exhaustively answered from observation, because nature provides no intelligible moral messages on what kind of man we *should* be [@Gould1982 43].
<!-- again reference wanted chapter -->
This ontological stance matters for tax, too:
for an expert to model a general equilibrium is to invoke, as well as to make, a homo economicus.
Of all conceivable institutions to resolve these disagreements, deliberative --- not aggregative, not pluralist, not participatory --- democracy offers the greatest normative appeal, because these disagreements raise, in @Habermas-1984's words, competing *validity claims*, in need of argumentative redemption, as in:
is "growth" *comprehensible*, who *truly* bears a [cit]{acronym-label="cit" acronym-form="singular+short"}, is homo economicus *right*, and are social insurance employer co-payments *truthful*?
I illustrate further more, and less valid claims on taxation.
<!-- %I illustrate further more -- language does not work -->
<!-- TODO referer to validity-claims tex table here! -->
<!-- TODO INPUT validity claims table here! -->
Liberal democracy, born out of the hope that material inequality and political autonomy *can* be reconciled, especially, rests on deliberation, because if anywhere, it is in taxation that money and power may have replaced language to govern meaning and action [@Habermas-1971].
In fact, if you wanted to hide some process of (re)producing inequality anywhere, you could hardly find a better place than the intricacies of (income) taxation (consider, for example "tax planning 101" in @McCaffery2005 [888]).
Instead of communicative action [@Habermas-1984], what emerges today from citizens, their legislatures and public spheres, may be more "analytic muddle of tax" [@McCaffery2005 862].
The beliefs held and issues considered in the public [for example, @Caplan2007], appear to bear little resemblance to the abstractions suggested by economists [for example, @Harberger1974].
People seem to ignore fundamental choices in tax [for example, @McCafferyHines2010], and may fall for inconsequential alternatives [for example, @SausgruberTyran2011], possibly even err systematically against their own material interest --- if they are on the lower economic rungs [for a German example, @Kemmerling2009].
Here, too, (input) congruence of democratic rule may be violated if and to the extent that people are confused about policy choices [compare @Zurn-2000-aa 90].
<!-- %What is wrong with pluralist democracy?
%veto playing violates equality (in consociational designs, Tsebelis 2002)
%Cooperation problems (in complex systems, for example, Hardin 1968, Scharpf 1997)
%Rational ignorance (Surowiecki 2008, Taleb 2008)
%Non-attitudes (converse 1970)
%Heuristics and Biases (Tversky and Kahnemann 1982)
%Amalgamated preferences (Condorcet 1785, Arrow 1950)
%Cognitive Limits (Rosenberg 2003) -->
<!-- %public choice is another way to say government failure, or failure of democracy \cite{Coase1964}
%Of course, deliberation does not so much solve this problem, as it merely defines it away
%But it may still be worth it to list them, for we cannot just ignore them.
%[ ] PREFERENCE STRUCTURATION is the word for the public choice fuckup.
%So I think there are two ways to go from this crisis of democracy:
%- follow Caplan and seek solice in more market
%This assumes, and strengthens the homo economicus view
%For starters it may not work because some problems inherently require governance at a larger level, and not a market.
%- follow Habermas and do DD
%Assume and strengthen homo reciprocans, or at least homo intersubjective. -->
<!-- %collective action Manson why some issues get represented, others not. isn't that mancur olson? -->
<!-- \subsubsection{Condorcet}
%for example, (\citealt{Mankiw-2004-aa}:485)
\subsubsection{Arrow}
%for example, (\citealt{Mankiw-2004-aa}:485)
\subsubsection{Median Voter}
%for example, (\citealt{Mankiw-2004-aa}:485)
\subsubsection{Liberal Paradox}
%get into this proof by Sen http://en.wikipedia.org/wiki/Liberal-paradox -->
<!--
%from raes lecture on capitalism no 14 youtube
%concentrated interests trump dispersed ones
%well-financed interests trump poorly financed ones
%defending the status quo is far easier than promoting change
%agency capture is a big advantages
%regulation may help those regulated more than it helps their putative victims -->
<!-- preference structuration: taxation should be especially vulnerable -->
<!-- %Value research points to increasing disaffection of voters, not with democracy as a system of rule, but with the institutions and performance of real-existing, sustained democracies \citep{Dalton-2004-aa}
%\footnote{
%Dalton (ibid.) has pointed out that voter disaffection may in fact be regarded as democratically desirable, if we hold it to be indicators of critical citizen oversight of governance.
%This assumption --- that changing evaluation criteria may be for the better of democracy --- has some merit, but does not warrant inaction.
%Except to a very cold-hearted, and epistemologically narrow mind of rational choice, dwindling voter turnout (ibid.) must be alarming everyone that, if this ``snake [does not] shed its skin, [it may well] perish.'' (Antoine de Saint-Exup\'ery, The Little Prince).
%In any case, the material deficiencies and inequalities of our world point to political systems that are not beyond improvement.}.
%Explanations for voter disaffection and perceived underperformance vary, invoking amongst others ``government overload'' \citep{HuntingtonInternational-Affairs.-1968-aa}, ``post-material'' or ``emancipative'' change and dimensions of values \citep{InglehartWelzel-2005-aa}, mind-boggling ``reflexive modernization'' \citep{BeckGiddens-1994-aa} or a democratic deficit inducing ``denationalization'' {Zurn-2000-aa}.
%I employ here \citeauthor{PutnamPharr-2000-aa}'s \citeyearpar{PutnamPharr-2000-aa} model to explain decreasing citizen confidence in government and political institutions.
%As relevant ``boundary conditions'', they list increased \emph{information} about the flaws of the political process ``post-Watergate'', and heightened \emph{evaluation criteria} due to either, or both, rising and diverging expectations.
%Citizens then assess the performance of representative democratic institutions, which is in turn a product of the \emph{capacity and competence}, the \emph{social capital} and \emph{fidelity} of the governors.
%The capacity and competence refers to the \emph{ability} of governments to choose and to implement policies in the interest of their citizens, highlights a routinized decision-making process as such and points to a systemic level of analysis.
%Fidelity is an individual-level determinant of government performance, focusing on the incidental misconduct.
%Social capital affects performance as a ``civic lubricant'' as an infrastructure, or network of generalized trust between individuals. -->
<!-- %\subparagraph{Capacity} By capacity, I understand the \emph{ability} of democratic rule \emph{to act} in the interest of the people, that is, in the last instance, the ability to enforce collectively binding decisions.
%This reflects \citeauthor{Zurn-2000-aa}'s (\citeyear{Zurn-2000-aa}:
%188) notion of congruency between the social and the political spaces, where inputs and outputs of both realms must always occur at the same level.
%In simpler words:
%an input incongruence occurs (for example, disenfranchised illiterates), where people are affected by a political decision (or non-decision) of their own polity, in the making of which they had no say and an output incongruence (for example, international tax competition) is given when a polity is affected by a dynamic, over which it has no jurisdiction. -->
<!-- %\subparagraph{Competence} By competence, I understand the ability to \emph{reason} on and \emph{identify} \emph{policies} that are in the interest of the people, and, conversely, those, that are not --- and why.
%The distinction between capacity and competence --- in reality as in the following discussion --- is not as clear-cut as here stipulated.
%Where capacities are constrained, even a competent discussion is likely to anticipate which decisions are impossible to collectively enforce, and thereby retract on other ``second-best'' solutions.
%Conversely, a capacity to organize a public good hardly makes sense abstracted from, or in the absence of a competent understanding of its very possibility.
%The distinction therefore serves rather to structure the argument from different, albeit not entirely orthogonal angles. -->
<!-- Liberal, representative democracy, rests on a pluralist theory of governance (Louw 2005:15). Pluralism, being both empirical hypothesis and normative prescription supposes that political power is, and should be widely dispersed among society’s interest groups. These interest groups, made up of ever active citizens, openly compete with one another, thereby preventing any one of them to become a dominant elite. -->
<!-- Compared to gun control and abortion rights, the environment is a weakling of an issue. (...). (There,) the devil is in the details and voters don’t like details. (ibid.: 201) -->
<!-- # Loftager
deliberative democracy is the opposite to economic theories of democracy -->
<!-- %\section{How it Used to / \emph{was Supposed} to Work\ldots}
%\subsection{Preference Aggregation in Liberal, Representative Democracy}
%Liberal, representative democracy, rests on a pluralist theory of governance (\citealt{Louw2005}:15).
%Pluralism, being both empirical hypothesis and normative prescription supposes that political power is, and \emph{should} be widely dispersed among society's interest groups.
%These interest groups, made up of ever active citizens, openly compete with one another, thereby preventing any one of them to become a dominant elite.
%Institutional manifestations of pluralism abound in today's real existing democracies, both of the majoritarian and consociational type \citep{Lijphart-1999-aa}, including the right to form parties, (particularistic) associations, minority protection as well as constitutional checks-and-balances on government.
%\subsection{An Economic Theory of Democracy}
%Anthony \cite{Downs-1957-aa}, in his seminal spatial modeling of democratic competition, expanded pluralism into a democratic theory of public choice, based on the rational self-interest of both voters (to live under policies they prefer) and politicians or parties (seeking or maintaining political power).
%\begin{figure}
% \includegraphics[width=1\columnwidth]{Downs-Median-Voter}
%\label{fig:Downs-Median-Voter}
%\caption{The Median Voter (Downs 1957:
%118)}
%\end{figure}
%\paragraph{The Median Voter}In its simplest form, reproduced in \autoref{fig:Downs-Median-Voter}, the ``Economic Theory of Democracy'' suggests that in a unimodal, unidimensional and symmetric distribution of voter preferences under a single-member plurality (SMP) electoral system, only two parties will compete for the median voter, taking on a central position only marginally different from one another.
%Any new parties or otherwise diversions from the median position would quickly move towards that equilibrium position again.
%Downs provides a theory, explaining how differing preferences and disjunct interest groups get channeled into fewer parties and stable equilibrium.
%\paragraph{The Median Voter\emph{s}}In Downs' defense from often misconceived reiterations and undue criticism:
%his theory, misleadingly reduced to a ``Median Voter Theorem'' does \emph{not} stop here.
%He employs his theory to a wide range of given preference distributions and electoral systems, including multimodal distributions (with \emph{several}, local median voters), multiparty competition under proportional representation and antecedent coalition government.
%He even suggests, in a prelude to the much later ``issue'' literature (for instance \citealt{Abbe2003}), that parties may choose to ``sprinkle'' their position over a number of issues, so as to appeal to a broader electorate (\citealt[137]{Downs-1957-aa}).
%\paragraph{In a Nutshell \ldots} What remains of Downs' theory, and is of central importance here is distilled in the following axioms:
%\begin{enumerate}
% \item{Voter preferences can be modelled on a \emph{single dimension}.}
% \item{Voter preferences are \emph{presocial}, or given \emph{ex-ante}.}
% \item{The mode of party competition is a function of the voter preference distribution and the electoral system.}
% \item{In the equilibrium, any mode of the preference distribution is occupied by a party, so as long as the electoral system threshold allows for another party.}
%\end{enumerate}
%\subsection{The Good Old Days:
%Late-Modern Pluralist Political Competition}
%Both \cite{Lazarsfeld1968} study of the 1940 U.S.\ presidential campaign and \cite{LipsetRokkan-1967-aa} historical account of party systems and voter alignments serve well as a contrasting foil for the post-pluralist critique to come.
%\paragraph{Erie County, OH, c.a.
%1940}Let's begin with Lazarsfeld, who in 1940 set out to study how voters made up their mind in Erie County, OH.
%He found a highly stable, neatly aligned political spectrum.
%77\% of the voters, he found, voted as their parents and grandparents had (\emph{ibid.}:
%xxxiii).
%People thought politically, as they were, socially:
%``social characteristics determine political preference'' (\emph{ibid.}:
%27) in that long past rural county.
%Also, and most significantly for the criticism to come, Lazarsfeld found that:
%\begin{quote} \emph{A very large majority of \textbf{both} groups thought that it would be the common man, the plain people, the working class, who would benefit if Roosevelt were elected.
%\textbf{Both} groups also agreed, although not to the same extent, that Willkie's victory would be best for the business class.\\ \citealt[28, emphasis added]{Lazarsfeld1968}.}
%\end{quote}
%Where campaigns where influential, they acted to make voting \emph{more} consistent with the social group of the voters (\emph{ibid.}:
%139).
%This is of course a finding very much in line with the modeling assumption of \cite{Downs-1957-aa}:
%voter preferences seemed to differ on a single dimension, and, to a large extent, where given.
%\paragraph{Where You Stand on an Issue Depends on Where You Sit \ldots}
%\cite{LipsetRokkan-1967-aa} provide a broader history of social cleavages and and antecedent voter alignments and party systems, of which the ``worker'' --``business'' nexus in Erie County is only the last of a number of stages.
%Analyzing the history of political competition in Europe, they lay out a dialectic of conflict and integration, ranging from early modern centre-periphery and church-state struggles to early-industrial urban-rural and late-industrial owner-worker conflict (\emph{ibid.}:
%93).
%These evolving cleavages, in their account, shape and diversify preferences and parties as new ones layer on past ones, slowly fading away.
%While their historical analysis is limited to Europe, a broader insight remains:
%how, at least in the past, political preferences and parties followed broader patterns of socio-economic difference and bifurcation\footnote{It should be noted that \cite{LipsetRokkan-1967-aa} with their suggestion of layered, cross-cutting cleavages, do of course stand in sharp contrast with \cite{Downs-1957-aa} assumption of a unidimensional preferences space.
%The implications of this early, conceptual disagreement with Downs are however of little relevance to the argument presented here.}.
%\paragraph{No Nostalgia\ldots}
%To be clear, not all was good in Erie County, OH, c.a.
%1940.
%These neatly-aligned voters, following more their family tradition than their own thinking, were far away from to the ideal of a well-informed, active citizen.
%The socio-economic determination of the preferences they displayed are the vert politics of zero-sum redistribution, which all too often result in violent strife and the destruction of a democratic system.
%This bifurcated electorate is the very antithesis to those cross-cutting cleavages that at least the consociational theorists of democracy cherish so much \citep{Lijphart-1999-ab}.
%\paragraph{\ldots and yet:
%it \emph{Worked}}
%Its non-emancipated voters and explosive configuration notwithstanding, some key characteristics of this late modern political competition seem worthy do condense, building on the aforementioned axioms of Downs:
%\begin{enumerate}
% \item{Political preferences are presocial, given ex-ante.}
% \item{Political preferences are determined by socio-economic status.}
% \item{Political parties compete on differential policies, geared to different socio-economic strata, but on the same dimension.}
%\end{enumerate}
%\section{A Doubtful Demand Side:
%The Woes of the Rational Voter}
%\subsection{Our Dumb Voters:
%Non-Attitudes}
%The first grain of normative and conceptual doubt in the reliability of a Downsian, pluralist aggregation machine comes from \citeauthor{Converse-1970-aa}'s \citeyear{Converse-1970-aa} seminal work on ``Attitudes and Non-Attitudes''.
%In his panel studies, he finds that a substantial sub-group of voters has entirely random attitudes on, amongst others, the relative role of government and the market, with close to zero correlations between test and retest.
%This result, Converse warns, holds even when respondents were encouraged \emph{not} to respond.
%Moreover, the subgroup that displays random attitudes is more likely to report extreme attitudes in either direction.
%Less elegantly modeled, but more broadly applied findings come from a vast array of public opinion surveys, aptly summarized by \cite{Delli-CarpiniKeeter-1996-aa}.
%Findings suggest that many voters do not have even the most basic knowledge of political processes or platforms.
%A discussion of the complications and questions that arise from this area of research is beyond the scope if this treatment, and with limited relevance to the question at hand.
%It remains to be noted that the Downsian \citeyearpar{Downs-1957-aa} assumption of pre-social, unidimensional preferences, and to an even greater extent, Lazarfeld's \citeyearpar{Lazarsfeld1968} findings of socio-economically determined preferences, may no longer apply given widespread ignorance of voters.
%More generally, these findings cast doubt on the liberal assumption that an \emph{electoral} democracy with pre-social preferences and particularistic interest representation will achieve socially optimal decisions.
%\subsection{\emph{Rational Ignorance} to the Rescue}
%Theorists of Rational Choice respond to these doubts by pointing out that ignorance may well be rational, given how small a chance an individual vote stands to turn the election (particularly under SMP) \citep{Olson-1971-aa}, and that largely ignorant masses can still produce socially optimal outcomes if their errors are random \citep{Page1993, Surowiecki2004}.
%While I find the pride, that evangelists of Rational Choice take in the Olsonian escape from participation quite dubious, a broader appraisal of the merits and problems of Rational Choice is beyond the scope of this piece.
%It will suffice to accept their framework of human motivation and to simply question the empirical validity of the ``Wisdom of Crowds''.
%This argument presented by a host of authors (see above), and recently popularized by \cite{Surowiecki2004} proceeds as follows:
%if all those ignorant voters cancel each other out in their \emph{random} aberations from the socially optimal, the remaining, knowledgeable voters will decide the election, as \emph{their} choices will differ \emph{systematically} from the mean.
%\subsection{What if Errors are Systematic?}
%Bryan \cite{Caplan2007} has recently provided ample evidence and a compelling framework to cast doubt on this assumption.
%In his passionate dismantling of ``The Myth of the Rational Voter'', he describes how uneducated opinions on economic matters will \emph{systematically} differ from the average, following what he describes as an \emph{antimarket}, \emph{antiforeign}, \emph{make-work} and \emph{pessimistic} bias.
%If \citeauthor{Caplan2007} is right, and voters do in fact err systematically on matters which they understand inadequately, there will be no Wisdom of the Crowds, but instead a tyranny of the biased masses.
%\subsection{What if the Value Space is \emph{N}-Dimensional?}
%Another set of empirical finding incompatible with \cite{Downs-1957-aa} assumption comes from political sociology, where an entire field of sophisticated surveys and competing theories has evolved, probing into the dimensionality and change of the postindustrial value space.
%It will suffice to point to one set of findings here.
%In their work, \cite{InglehartWelzel-2005-aa} not only single-handedly integrate value change into a reanimated version of modernization theory, they also provide a host of empirical findings from the World Values Surveys, showing that, at the least, the value space is now two-dimensional, with an axis of traditional vs.\ secular-rational values, and a second axis of survival vs.\ self-expression values.
%The authors describe a wide-reaching change in direction, from the former pre-modern to modern dimension to the latter modern to postmodern dimension, but note that this is neither an irreversible nor universal process and that in any given society, people will differ on more than one dimension.
%Other, broadly corroborating findings come from \cite{FlanaganLee-2003-aa}, who explicitly relates value change to a complication in political competition and \cite{Schwartz-1994-ab}, who suggests a whole circle\footnote{The problem of visualizing more than two dimensions in a \emph{circle} is duly noted.
%From statistical work for Chris Welzel, this author can attest to the apparent necessity to (overly) simplify empirical findings of the value space until they are readily presentable in two-dimensional form.
%Such multidimensional scaling and forced factor analyses at almost all cost in terms of model fit, to the author, indeed appears to be a troubling habit of value research.} of independent dimensions.
%\subsection{Problems with Downs}
%From these empirical findings and conceptual refinements arise a number of potential incompatibilities with Downs model of political competition and antecedent, optimistic ideas of socially optimal public choice under pluralist democracy:
%\begin{enumerate}
% \item{A substantial subset of voters appears to harbor irrational, and systematically skewed beliefs.
%A simple aggregation of preferences appears unlikely to result in socially optimal policies.}
% \item{Any given postindustrial electorate is likely to differ on more than one dimension in their political preferences.}
%\end{enumerate}
%These incompatibilities alone, albeit preliminary in nature, would require a thorough rethinking of pluralist prescriptions and analyses of liberal, representative democracy undergoing Downsian aggregation.
%\section{Messing with the Supply Side of Democracy ---\\A Theory of Dysfunctional Political Competition for Dealigned and Irrational Voters}
%\begin{quote}
% \emph{I'm a little angry that I apparently was voting in a completely different election than most of the country.
%I thought we were having a rational discussion about how best to protect ourselves in perilous times ---\\ and actually, it was a referendum on boys kissing.}\\\\
% Comedian Bill Maher on his HBO special ``I'm Swiss'', referring to the 2004 U.S.\ presidential election.
%\end{quote}
%Speaking in economic terms, the preceding section dealt with questions regarding the \emph{demand side} of \citeauthor{Downs-1957-aa}'s \citeyear{Downs-1957-aa} ``Economic Theory of Democracy'':
%the condition and abilities of voters.
%In the following, I want to direct the view to the \emph{supply side} of political competition:
%to the parties and candidates that compete for majorities and to the campaigns they wage.
%\subsection{A Neo-Downsian Theory of Dysfunctional Political Competition}
%To hypothesize a Neo-Downsian Theory of Dysfunctional Political Competition, accounting for and problematizing the above described dynamics in political campaigning, I add to \cite{Downs-1957-aa} model specification the following:
%\begin{enumerate}
% \item{Voters differ in their preferences on a number of mutually orthogonal dimensions.}
% \item{Voters differ in the importance they assign to different dimensions.}
% \item{Voters differ in the importance they assign to positions \emph{along} one dimension.}
% \item{Parties can choose which dimension(s) to campaign on.
%No agreement on dimensions is necessary.}
% \item{Campaigning is costly.}
% \item{Costs are the financial and otherwise efforts required to activate or convince a voter of any party given position on any given dimension.}
% \item{Dimensions have different cost functions.}
% \item{Cost functions are allowed to take any form, independent from the preference distribution, and including skewed and/or multimodal.
%(See \autoref{fig:Neodowns})}
% \item{Parties aim to maximize their utility function, where marginal costs of campaigning are same as marginal vote increases.}
%\end{enumerate}
%\begin{figure}
% \includegraphics[width=1\columnwidth]{NeoDowns}
%\label{fig:Neodowns}
%\caption{The Median Voter (Downs 1957:
%118), with an inverse cost function overlaid.
%For more intuitive appeal, the overlaid function is \emph{not} the cost function, but the propensity of voters at the given position to be activated or convinced by a campaign.}
%\end{figure}
%It is unfortunately beyond my abilities to completely visualize the multidimensional model specified in the above, which would also have to be fully specified in formal math for further elaboration.
%For illustration, I have merely overlaid a hypothetical cost functions to Downs classic graph in \autoref{fig:Neodowns}.
%\paragraph{Introducing Variable Costs of Campaigning} It is first assumed that voters do in fact, vary in their preferences on more than one dimension.
%The number of, and potential correlations between dimensions (making them less than completely orthogonal in a multidimensional scaling) is of no concern here.
%Furthermore, the costs and rewards of campaigning are overlaid on Downs model.
% It is assumed that the effort required to activate (GOTV) or convince a voter vary as a function of her position on the chosen dimension.
%It is furthermore assumed that these cost functions differ in their overall integral as well as their shape:
%some dimensions are cheaper to campaign on overall, and some positions on some dimensions are easier to communicate than others.
%The above model specifications also allow voter preferences to vary in importance \emph{across} different and \emph{along} single dimensions.
%It is assumed here that these differences in assigned importance of voters are fully captured in the cost functions of the parties.
%This is a reasonable simplification:
%voters will be more easily (and cheaply) activated on positions and/or dimensions they already feel strongly about.
%\paragraph{How Will Parties Act} The incentives for parties to act are then substantially complicated.
%They will no longer, as \cite{Downs-1957-aa} assumed, simply compete for a vote share around some mode in the unidimensional preference distribution.
%Instead, given their budget constraint, they will choose their positions on, and dimensions they compete on, as a function of their campaigning costs and the chances to activate or convince a voter.
%In simple terms:
%they will campaign so as to maximize the ballot bang for their buck.
%From these incentives then emerges a rationale to choose positions \emph{between} preference distribution modes (the classical Median Voter prescription) and nereby, \emph{local} minima in the cost of campaigning function, or conversely, \emph{local} maxima of importance assigned by voters.
%Parties will multiply the ex-ante preference distribution with the costs of campaigning function and solve for that position that offers the best ratio of votes for campaign money invested.
%Exogenous budget constraints of parties may further alter this calculation.
%\paragraph{Introducing Strategic interaction}
%Choosing party platforms, and campaign positions is of course, as \cite{Downs-1957-aa} pointed out, a \emph{strategic interaction}, or simply:
%a game.
%The rationale of one party to choose a position depends, amongst other things, on the chosen positions and dimensions of all competing parties.
%This further complicates party incentives.
%As parties in an election --- per definition --- care about \emph{relative} payoffs, rather than \emph{absolute} payoffs, they will choose positions and dimensions, which, based on the real or anticipated campaigning of competing parties, will offer them the relatively highest ballot bang for the available campaign buck.
%\subsection{Different Dimensions for Different Voters}
%\paragraph{Converse, Redux:
%A Sweet Spot for Dumb Voters?}
%This model becomes more tangible and persuasive when interpreted in light of \citeauthor{Converse-1970-aa}'s \citeyearpar{Converse-1970-aa} insights.
%His subset of ``random'' voters appears to be more likely to be easily swayed by campaigns on dimensions \emph{different} from the mainstream of political competition than those ``systematic'' voters who held reliable, and potentially educated beliefs on the relative role of government and the market.
%Without conceptually stretching Converse's finding too far, they can at minimum be interpreted as support for the model's specification that different groups of people can relate with different ease and reliability to different dimensions.
%In political campaigning, that ease and reliability translates into campaign spending required to harvest voters.
%Converse's staple item on the relative roles of government and the market, appears to be a suitable dimension to appeal to some, educated voters who will \emph{systematically} respond to positions taken by competing parties.
%Other voters, who have displayed \emph{randomly} changing attitudes on the subject matter are unlikely to be reliably activated or persuaded by campaigns on this dimension.
%For them, in particular, other dimensions unbeknownst to Converse may be more suitable.
%Note also that the second, uneducated group of voters may be \emph{per se} more interesting to political campaigns:
%with relatively less developed political attitudes, and party alignment they constitute a battle ground where potentially, with the right, effective dimensions chosen, many more votes are at stake for political campaigns.
%By contrast, the group of educated voters with systematic and stable responses on the government-market dimension may be hard to win over, and relatively ineffective to mobilize given the typically higher turnout among these voters.
%In the language of the proposed model, the first, uneducated groups may provide a number of dimensions on which cost functions have a relatively small integral, or provide concentrated, ``sweet spots'' where a large number of voters can be reached with little effort.
%Put provocatively, dumb voters may just provide parties with more bang for the buck.
%\paragraph{False Class Consciousness, Redux:
%Screwing \emph{Joe the Plumber}}\footnote{No pun intended.}
%\begin{quote}
% \emph{It's not surprising then they get bitter, they cling to guns or religion or antipathy toward people who aren't like them, or anti-immigrant sentiment or anti-trade sentiment as a way to explain their frustrations.}\\\\
% Barack H.~Obama at a closed-door fundraiser in 2008, referring to the economically disadvantaged, sparking off the ``Bittergate'' controversy.
%\end{quote}
%While Barack Obama's comment in the 2008 primaries may be regarded as strategically unwise, it's sociological intuition does point to more worrisome implications of the above-mentioned dynamics.
%Political sophistication, like education in general, of course tends to correlate with socio-economic status.
%Richer, better-off people tend to have more systematic political attitudes and more knowledge of policy and process.
%I does not take a Marxist view of class or history to understand that this correlation, taken together with the greater and cheaper electoral benefits that relatively uneducated voters stand to offer, may blanket out from the political competition the interests of the underprivileged.
%\emph{Joe the Plumber}, who during the 2008 campaign criticized Barack Obama's tax cuts as being ``socialist'' and erroneously believed that he himself were to be disadvantaged by Obama's plan, is now a proverbial shorthand for screwing the poor in discourse and campaigning.
%The above model hypothesizes a compelling dynamic that could explain the systematic errors of attribution of their misfortune, to which Joe the Plumber and bitter Rust Belters fall prey.
%It may just be cheaper for parties to appeal to gun ownership, anti-foreign sentiment and religiosity rather than address head-on the economic condition of these unsystematic voters, whose redistributive repercussions, in turn, may alienate other, more systematic and richer voters.
%Moreover, and without a historical-materialist conspiracy theory in mind, a critical analysis must ask whom this dynamic benefits in the broader socio-economic scheme of things.
%\subsection{A Race to the Bottom of Impoverished Politics}
%\paragraph{Some Speculation, Some Informed Intuitions}
%Granted, much of the above critical application of an hypothesized neo-Downsian theory of dysfunctional political competition is in the realm of speculation, and far outstretches the empirical findings of \cite{Converse-1970-aa} and others.
%Particularly the concern about a possibly resultant socio-economic uncoupling belongs into the realm of empirical testing, not self-righteous certainty.
%And yet, some informed intuitions remain uncomfortably plausible.
%If voters do indeed differ in the degree of their political sophistication, then those relatively uneducated voters may provide parties with a fruitful battle ground, if on different dimensions.
%What are these dimensions going to be all about?
%By definition, they will try to persuade and mobilize voters on preference spaces and positions that are relatively easy to communicate and understand.
%\paragraph{Cooperation Problem on the High Road}
%There remain little reason why these easily communicated dimensions should then retain any meaningful relation to the true \emph{Public Choices} of our common polities.
%A political competition on preferences remote to the actual policy alternatives ahead, is, in fact, reasonably unlikely to foster the common good, as pluralist and liberal theorists of democracy had hoped.
%What could emerge, is a \emph{Prisoner's Dilemma} game between parties and our wider polity, where going the easy, cheap and low road, is always a dominant strategy, given the broader and more concentrated benefits that it provides vis-a-vis the widely distributed costs of socially suboptimal policy.
%The payoff matrix of such a Prisoner's Dilemma with approximate strategic choices is reproduced in \autoref{tab:BottomRace}.
%It includes, for illustration, examples policies easy to communicate for the Republicans and Democrats, compared to payoffs for a political competition on ``alternative conceptions of the common good'' (\citealt{Cohen-1989-aa}:
%23)\footnote{This payoff matrix is not a well-defined model of a strategic interaction, but rather an illustration of an intuited race to the bottom dynamic.
%In its complete strategic form, the payoff matrix would have to account for a greater number or different specification of players, where the costs of socially suboptimal policy are accrued not to the parties, but, as they are in fact, to the entire population.}.
%\begin{table}[htbp]
% \small
% \begin{center}
%\begin{tabular}{m{1cm}m{2,3cm}m{2,3cm}m{2,3cm}m{2,3cm}}
%& & \multicolumn{2}{c}{\emph{Democrats}} \\
%& &Common Good Argument & Anti-Trade\\
%\cline{3-4}
%\multicolumn{1}{c}{\multirow{4}{*}{\emph{Republicans}}} & \multirow{2}{2,3cm}{Common Good Argument} & \multicolumn{1}{|r|}{3} & \multicolumn{1}{r|}{4}\\
%\multicolumn{1}{c}{} & \multicolumn{1}{c}{}& \multicolumn{1}{|l|}{3} & \multicolumn{1}{l|}{0}\\
%\cline{3-4}
%\multicolumn{1}{c}{} & \multirow{2}{2,3cm}{Pro Gun} & \multicolumn{1}{|r|}{0} & \multicolumn{1}{r|}{1}\\
%\multicolumn{1}{c}{} & \multicolumn{1}{c}{}& \multicolumn{1}{|l|}{4} & \multicolumn{1}{l|}{1}\\
%\cline{3-4}
%\end{tabular}
%\end{center}
% \caption{A Prisoner's Dilemma of Racing to the Bottom of Impoverished Political Competition}
% \label{tab:BottomRace}
%\end{table}
%\subsection{Past and Current Conditions of Public Choice and Socio-Economic Structure}
%Comparing this model to the foil of late-modern political competition documented by \cite{Lazarsfeld1968}, one vexing question arises:
%why would political competition have been any less dysfunctional in the 1940s than today?
%Surely, voters were no more --- probably a lot less --- sophisticated than today, and parties were as self-interested as ever.
%And yet, from the almost idyllic account of Erie County, OH, emerges the idea of a somewhat functional political competition between Roosevelt and Willkie.
%One must be careful not to idealize the past, and in particular, the politics of the 1940s.
%These were, as described in the above, seemingly idyllic, but also times of suppression, unquestioned authority, tradition and unyielding socio-economic division, all overcome today.
%What makes Roosevelt vs.\ Willkie a fairer fight, even given its ``proto-democratic'' playing field, is that the policy alternatives of the day were sufficiently crude so as to be easily, and cheaply communicated.
%As \citeauthor{Lazarsfeld1968} (\citeyear{Lazarsfeld1968}:
%28) chronicle:
%\begin{quote}\emph{A very large majority of \textbf{both} groups thought that it would be the common man, the plain people, the working class, who would benefit if Roosevelt were elected.
%Both groups also agreed, although not to the same extent, that Willkie's victory would be best for the business class}.
%\end{quote}
%At the time, as \cite{LipsetRokkan-1967-aa} describe, this capital-labor cleavage was indeed still the dominant socio-economic fault line.
%Surely, other issues, such as U.S.\ intervention in the war and the respective fitness for office of the candidates were also important --- and arguably much harder to decide.
%But still, one preference dimension at least remained on which people could easily, and appropriately locate.
%For at the time, redistributive interventions (New Deal, worker rights, progressive income tax) in the mass late-industrial bifurcation of ownership of the means of production, were in fact predominant, and \emph{real} Public Choices.
%In game theoretic terms, campaigning on late-industrialist redistribution was a \emph{dominant} strategy, which, because it was so cheap to communicate and resonated so well, would pay, no matter what the other party did.
%Today, I argue, the Public Choices and socio-economic structures of a postindustrial economy are much too complex to be easily communicated.
%Redistributive alternatives, or, more topically, questions of \emph{equal opportunity} remain, to be sure.
%But in a time of widespread ownership of the means of production (think:\ private insurance, pensions) and increasing international competition (think:\ offshoring), answers are more complicated.
%These are questions on which even professional economists can reasonably disagree on, as the common adage goes, and surely, communicating their vexing complexity is no easy business for a campaigner --- especially, when the opponent takes the low road.
%The redistributive positions and dimensions that \emph{are} campaigned on by todays parties are so obviously misleading in their empty sloganeering that not even the faintest relation to substantive policy, let alone socio-economic interests of voters can be ascertained.
%To name just a few from recent German debates and campaigns:
%\begin{enumerate}
% \item{Is a smaller net/gross tax gap really good for everyone, when the balance is paid through an increasing (degressive) VAT?}
% \item{Is a minimum wage really good for the working poor and unemployed people if it risks greater unemployment?}
% \item{Is a cash-for-clunkers scheme really good for the environment and the broader economy?}
%\end{enumerate}
%In fact, just from a cursory evaluation of these, and many other widely communicated policies, it appears that their greatest merit may lie in their very simplicity and intuitive feel --- and not so much their quality and appropriateness.
%This is now the very condition of a globalized, postindustrial economy and society, where individual life chances and the collective good are determined by complex, mutually reinforcing, often non-linear causalities, with ever greater interdependencies between the parts and the whole.
%To this world, it appears, a political competition between self-interested parties, following dominant strategies to campaign on the cheapest dimension available, is a uniquely poor match.
%\section{A Reality Check:
%Political Campaigning Today}
%Changes in the available technologies and methods for political campaigns are of course another corollary of that complexly interacting, and ever progressing world.
%These very innovations of political campaigning could be understood as enabling a dysfunctional race to the bottom.
%In the following, I list and critically evaluate recent developments in campaigning in the light of an hypothesized theory of neo-Downsian political competition.
%\subsection{Accounts of Changing Political Campaigning}
%\subsubsection{Deconstructing the Hype}
%A vague air of dysfunction much in line with the hypothesized dynamic presented in the above emerges, for example, from \citeauthor{Louw2005}'s \citeyearpar{Louw2005} account of ``The Media and Political Process''.
%He warns that we increasingly inhabit a world of secondhand, (mediated) images which we naturalize as `the way things are'.
%In classic constructivist manner, he asks to `de-naturalize' these image, and render visible the conditions and rationales of their production.
%While more concerned with the highly professionalized scripting (or constructing) of hypes, Louw's culture pessimism of the constructivist kind can also be construed (no pun intended) as a critique of competing on easily communicated dimensions:
%\begin{quote}\emph{Those scripting hype politics are concerned with agenda setting --- i.e.\ trying to direct the gaze of the public away from issues that might prove problematic for policy makers, and directing their gaze towards issues deemed helpful for steering society in the direction desired by policy elites.}
%(\citealt{Louw2005}:
%274)
%\end{quote}
%Constructivists have long described the efforts of \emph{identity entrepreneurs} --- or issue entrepreneurs -- as a self-interested project of constructing meaning \citep{Brubaker-2002-aa}.
%Borrowing \citeauthor{Weber-1918-aa}'s \citeyearpar{Weber-1918-aa} classic adage, these entrepreneurs live \emph{for} as well as \emph{off} the issues and identities they construct.
%In the proposed neo-Downsian theory of dysfunctional political competition, much the same can be said of self-interested parties, choosing and testing positions and preference dimensions.
%\subsubsection{Issues are Non-Issues}
%The recently evolving literature of \emph{issue-based} campaigning, properly re-interpreted also provides some support for the hypothesized neo-Downsian dynamic.
%The theory specified here, however, also suggests that this field of research should denaturalize its concepts and should adopt a fundamentally more critical perspective.
%Quite trivially, \cite{Abbe2003} report that voters are more likely to support candidates and parties with whom they agree on the importance of issues, for example centering a campaign on either restoring moral and ethical standards (Republican owned) or improving education (Democratic owned).
%They conclude from their analysis of staffer-reported campaign issues and vote shares in the 1998 U.S.\ House of Representatives election that issues are superseding socio-economic status, and almost happily advise that candidates ``dominating the issue agenda enjoy important advantages at the polls'' (\citeyear[428]{Abbe2003}).
%\citeauthor{Abbe2003}'s \citeyearpar{Abbe2003} work on issue voting is fraught with a number of troubling misconceptions.
%Most importantly, they naturalize the list of issues presented to them uncritically, and make the campaign staffer sloganeering on ``education, social security, taxes, the economy, health care and moral/ethical standards'' (\emph{ibid.}:
%421) part of their analytical toolkit.
%You do not have to be a hardcore constructivist to endorse its lesson that such concepts are indeed ``what we want to explain, not what we want to explain things \emph{with}'' \citep[165]{Brubaker-2002-aa}, emphasis in original).
%In fact, one would expect that it does not take more than common sense and a critical mind to recognize that ``education'' vs.\ ``taxes'' are not \emph{real} policy alternatives, on which \emph{any} real political competition could, let alone \emph{should} be waged --- if only for the obvious point that public education \emph{requires} taxation.
%At the least, when all their sloganeering-gone-science is done, \cite{Abbe2003} should deconstruct the issues presented into the ideological alternatives that underly them:
%a belief that ``the economy'' is a more important issue than ``education'' \emph{does} embody an ideological --- if unsophisticated --- predisposition to place more emphasis on the market and material values, rather than typically public and emancipating education.
%Were \citeauthor{Abbe2003} honest, they would concede that even their data bears out this conclusion that \emph{really, issues are non-issues}:
%the conditional probability for a voter to vote republican with shared issue priorities (.17) is --- hardly coincidentally --- the same as the respective coefficient for republican ideology (.18) (\emph{ibid.}:
%425).
%The flawed reasoning on ``issue'' campaigns becomes apparent when you consider ``social security''.
%That a republican candidate is unable, as they show, to successfully campaign on this issue to voters who prioritize it, has obviously little to do with any sort of ``ownership'' of the issue:
%it is just that Republicans happen to be widely known to wish to \emph{cut} social security, an agenda that is unlikely to be popular with people who think of these government programs as important.
%In short, there \emph{is} no successful way for a Republican to campaign on social security, not because he lacks ownership, but because this \emph{issue} is in fact a \emph{preference}, and one that Republicans do not share.
%Latently affirmative of the changes they chronicle, \citeauthor{Abbe2003} should remake their work on issues into critical analyses of these foul tricks to remake the political and social world into a world of choices that really do not exist.
%Likewise, theoretically lightweight as their present work is, they should set out to explain how and under which circumstances campaigns are able to discursively establish these pseudo-choices and priorities, an attempt that will likely lead them to the more fruitful framework of Agenda Setting.
%\subsubsection{Innovations in Campaigning}
%\paragraph{Professional Campaigns}
%\cite{Gibson2001} provide a succinct analytical integration and party-centered explanation of the changing nature of political campaigning.
%Like others in the field, they see three stages in the development of political campaigns, with the recent transformation towards \emph{professional campaigns}, that are elsewhere referred to as \emph{post-modern} or \emph{Americanized} campaigns.
%These new campaigns share their use of modern information and communication technology (including automated analytics and messaging technologies), are generally expensive, continuous and neatly targeted in their efforts, with a strong national center\footnote{Local chapters are however able to carve out some degree of independence, and may launch their own professional campaigns, as \cite{Strachan} describes.}.
%In accordance with the framework suggested here, \cite{Farrell2000} describe professional campaigns as changing from catch-all to a market-segmentation approach and \citeauthor{Gibson2001} \citeyearpar[32]{Gibson2001} point out that:
%\begin{quote}\emph{Voters are seen more as consumers than loyal partisans, to be wooed with sophisticated advertising rather than serious political education.}
%\end{quote}
%Professional campaigns should not be thrown out like the proverbial baby with the bathwater.
%Their power to organize communication in large and functionally differentiated societies is a blessing --- when put to use responsibly.
%Deploring mediatization, as some of \citeauthor{Strachan}'s (\citeyear[72]{Strachan}) protagonists do, is besides the point.
%In a modern, functionally differentiated society (``mass'' being a redundant qualifier), facing a multitude of complex public choices, some degree of specialization and mediatized communication is of the essence.
%And yet it also carries within it the organizational and technological seeds enabling a neo-Downsian race down to the lowest discursive denominator and is deeply embedded in this dynamic.
%\cite{Gibson2001} may understate and misconceive the role of parties in the emergence of professional campaigning, when they only point to increased education of the electorate, newly available communications technology and regulatory changes, tipped by recent electoral defeats and internal power struggles.
%Rather, it is suggested here, professional campaigns should be understood as (dominant) strategies adopted by parties, seeking to maximize their ballot bang for the campaigning buck, in a complex world of partly unsophisticated voters, who can no longer be activated or convinced on a single or simple preference dimension.
%When professional campaigning is in fact found to serve this purpose, we must turn our analytical attention to the \emph{interaction} and \emph{interdependence} of organizational and technological innovations and the degenerate political competition they serve to target, script and optimize.
%We must then describe and criticize professional campaigns as what they are:
%a dysfunction.
%\paragraph{Technology is Epiphenomenal}
%A prominent theme in the literature on professional campaigns is technological innovation, particularly web-based products and services.
%As awe-inspiring as these technologies are, they are, as such, as epiphenomenal as the shift from black-and-white to color TV.
%\cite{Gueorguieva2007} provides an instructive example of the dangers of a-theoretical technological determinism and hype.
%When she describes how a democratic campaigner was staffed to record public appearances of the republican opponent and upload borderline racist ``mishaps'' onto YouTube, with subsequent outrage and wide popularity, it is not clear at all what the substantive contribution of YouTube as a medium is.
%Clearly, any local cable station or even network, would have gladly accepted the same footage, and brought it to a wide audience by much of the same logic that said inflammatory material garnered popularity in YouTube.
%Genuinely excited, \citeauthor{Gueorguieva2007} really seems to believe that YouTube ``provides free and broad dissemination of campaign messages and ads, thus affecting the campaign budget'' and that ``its nearly 20 million unique visitors per month are also a considerable audience'' (293).
%She fails to note that visitors on YouTube --- which also is \emph{not}, as she claims, a \emph{social network} --- are not \emph{all} exposed to \emph{all} the footage uploaded, but that views are widely dispersed, and that six-digit views for any \emph{single} video are exceedingly rare and hard to achieve.
%The much more relevant dysfunction of campaigning based on verbal mishaps of one's opponent appears to be amiss to her.
%Much of the excitement and, more often than not, misconceived \emph{namedropping}, should be replaced by a theoretically integrated argument explaining \emph{why} and \emph{how} exactly this new technology matters.
%Surely, these technologies appear likely to allow for much greater individualization, targeting and new forms of interaction --- but a mere \emph{restating} of that question, with a few Web 2.0-references thrown in for good measure is not quite yet social \emph{science}.
%Following the framework suggested herein, technological innovations must be investigated in terms of them enabling parties to gather intelligence on, and compete on more preference dimensions and optimize their dominant strategy of ballot bang for the campaign buck.
%\paragraph{From the Evil Campaign Strategist's Cookbook}
%Clear and unabashed support for a neo-Downsian theory of dysfunctional political competition --- while unbeknownst to him --- comes from \cite{Malchow2003}, providing hands-on advice how to maximize your ballot bang for the campaign buck in his handbook on ``The New Political Targeting''.
%Right in line with the above model specification that parties care about the ballot bang/campaign buck ratio, he shamelessly admits that ``The task of the campaign strategist is to find the easiest path to victory'' (\emph{ibid.}:
%9) and advises to ``spend your money where you get the most value'' (\emph{ibid.}:
%256).
%He is also outspoken with regard to the dimensions and preferences that will work best:
%\begin{quote} \emph{Compared to gun control and abortion rights, the environment is a weakling of an issue.
%(\ldots).
%(There,) the devil is in the details and voters don't like details.} (\emph{ibid.}:
%201).
%\end{quote}
%He goes on to describe how powerfully and easily gun control can be employed to mobilize\footnote{He also notes how, in a uniquely perverse irony of history, increasing gun registration legislation has generated databases that allow pro-gun campaigners to target and mobilize their sympathizers effectively.}:
%\begin{quote} \emph{Gun control has been an important factor in deciding the outcome of many elections --- usually by defeating the pro-gun control candidate.
%While broad majorities in most states support gun control laws, those opposed to gun control are more energized and ready to vote for their guns.
%The ability of the National Rifle Association and other gun-owner organizations to find and mobilize
%their supporters has become a powerful force in politics and has given the gun lobby clout far in excess of its public support} (\emph{ibid.}:
%198).
%\end{quote}
%These cynical admissions of a campaign strategist corroborate the suggested neo-Downsian theory in a number of ways:
%\begin{enumerate}
% \item{Professional campaigns maximize vote share for the buck.}
% \item{Professional campaigns choose and pick dimensions and positions on which to campaign strategically.}
% \item{The cost function to mobilize or convince voters is independent of the overall, underlying preference distribution:
%in this case, the nutbar ``pickups and shotguns'' guys (an official type from Malchow's book, \emph{ibid.:
%10}) rule the day, not because they are many, but because they are easily committed.}
% \item{Campaigns are willing and able to choose supposedly socially suboptimal positions (pro-gun), independent of the median voter's position (anti-gun), and on a dimension (gun control) arguably somewhat secondary in importance.}
%\end{enumerate}
%In a revealing choice of words, \cite{Malchow2003} also supports the supply-side view that this theory adopts, and casts into doubt any hopes for voter empowerment by dealignment and individualization when he describes his trade as one of ``harvesting voters'' (\emph{ibid.}:
%10).
%\subsection{There is no Conspiracy}
%Democratic governance has met its enemy:
%it is us, when we heed the temptations of strategic campaigning.
%And yet, even after peeking into \citeauthor{Malchow2003}'s cookbook, some cautionary notes against conspiracy theorizing are required.
%As \cite{Louw2005} reminds us in classic pluralist fashion, even insiders are no conspirators:
%they are many, they compete, and they are in factions.
%More often than not, attempts to seize power by discursive manipulation of the strategic kind fail.
%As \cite{Hall1980} has forcefully argued:
%encoding and decoding are complex processes, and they are imperfectly understood and anticipated by would-be manipulators.
%\subsection{Strategic Interaction under Agenda Setting}
%I will introduce one further complication to the above model by relating to the theory of Agenda Setting, a frequent topos in the campaigning literature, aptly summarized as `not telling you what to think, but what to think \emph{about}' \citep{McQuail-2000-aa}.
%To model agenda setting in the context of the theory suggested here, model specification four has to be altered:
%when agenda setting matters, parties \emph{cannot independently} choose dimensions to campaign on, they are instead limited in their choice by whomever moves first, or more effectively.
%In line with this specification, \cite{Farrell2002} note that there are ``conscious attempts to set the agenda and define the terms of public debate''.
%On the other hand, it appears unlikely to assume that the agenda setter can impose any issues or dimensions on other players.
%Agenda setting under a neo-Downsian theory of dysfunctional political competition then appears as a veto player problem \citep{Tsebelis-2002-aa}, where first movers or powerful agenda setters can exert undue influence on the consensually agreed-upon dimension(s) of campaigning by anticipating other players indifference curves, and pre-empting other players moves.
%A full adaptation and specification of Tsebelis is unfortunately beyond the scope of this piece, but will surely be a worthwhile endeavour.
%\section{The Only Fix:
%Deliberation on the Common Good}
%\subsection{Avenues and Imperatives for Further Research}
%\paragraph{Lots of Questions Asked} Surely, all of the above presented is but an hypothesis awaiting empirical tests, albeit a plausible one.
%Key empirical questions include:
%\begin{enumerate}
% \item{Does political sophistication vary with socio-economic status?}
% \item{Do political parties choose campaign dimensions and positions based on costs of convincing and mobilizing, when other positions closer to the median voter are available?}
% \item{Do qualitative interviews with campaign strategists corroborate the dynamics of political competition presented herein?}
% \item{Are chosen campaign dimensions and positions systematically of subordinate importance, or tend to obscure redistributive issues?}
%\end{enumerate}
%\paragraph{No Benefit of the Doubt}And yet, when a dysfunctional political competition of the neo-Downsian kind can be made plausible, or even just from a cursory inspection of today's political debates:
%in a critical social science, there can be no \emph{benefit of the doubt} for professionalized, targeted and strategic campaigning.
%\paragraph{Theory, no Post-isms} The study of post-modern campaigns, as it is with all the \emph{post-isms}, must not settle for a vague sense of something being \emph{past}.
%Instead, it must explain what dynamic replaces the old one, and theorize the process of social change at work.
%This is not what \citeauthor{Abbe2003} do when they act as disinterested bookkeepers of a fundamentally dysfunctional political competition.
%This is not what \cite{McAllister2002} does when he lightheartedly reports on more ``calculating'' and ``capricious'' late deciders, ignoring entirely the question of whether these calculations make any sense.
%\paragraph{\href{http://maxheld.de/2009/10/13/setting-goalposts/}{Disinterested Just Doesn't Cut it Anymore}} The study of professional campaigning has to achieve more than a-theoretical, empiricist, uncritical and latently \emph{affirmative} accounts of the status quo.
%\cite{Farrell2002} miss an important point when they merely ask:
%``Do Political Campaigns Matter''?
%Instead, the question ought to be:
%what is the level of debate at which these stalemates are reached, issues are chosen and voters are targeted?
%Are we likely to see socially optimal and equitable policies emerge from this political competition?
%And if not, why not --- and what can be done about it?
%\subsection{Reconstructing Public Choice, Starting Here, Step by Step.}
%\begin{quote}
% \emph{You're like the French radical watching the crowd run by and saying, \\`There go my people.
%I must find out where they're going so I can lead them'}\\\\
% Fictional pollster Joey Lucas on \emph{The West Wing}
%\end{quote}
%\paragraph{R.I.P., Pluralism} It would appear from this neo-Downsian theory of dysfunctional political communication that the pluralist idea of liberal democracy has failed, on empirical grounds:
%``there is no active citizenry'' (\citealt{Louw2005}:
%15).
%Or rather, I would add, there is no citizenry with sufficiently sophisticated political beliefs ex ante, and no political movement willing to do anything about it.
%Instead, professionalized, targeted campaigning allows parties to exploit this very inadequacy, and to put on a decent horse-race show, for good measure.
%Strategic campaigning and the race to the bottom it gives rise to are the last nails to pluralism's coffin.
%\paragraph{My Brother's Keeper / My Sister's Keeper}
%So, what to do?
%How to reform and reinvigorate political competition in a world to complex for any one citizen to master?
%To make that marketplace of ideas fair and real again, in hopes for socially optimal and equitable outcomes, we have to move toward deliberative democracy as best we can.
%A deliberative ideal of democracy does away with \emph{all} pre-socially formed beliefs and attitudes, and puts it all up for a fair, and common-spirited debate.
%It is not a totalitarian democracy of the Rousseauian kind --- it allows for, and encourages \emph{alternative} conceptions of the common good \citep{Elster-1998-aa, Cohen-1989-aa}.
%For it to work, the very opposite of pluralism, a sense of ``Justice as Fairness'', has to prevail, where only arguments are permissible that assume away knowledge of one's own position in society, under a veil of ignorance \citep{Rawls-1971}.
%And so, rather than speaking for yourself, a good argument will always speak to the common good, and remind us of that biblical command, to \emph{be our brothers' and sisters' keepers}, whatever their political sophistication and socio-economic status.
%\paragraph{Starting Here, Step by Step}
%So, how do we get there, to that mythical land of deliberative democracy, which, admittedly, exists largely in abstraction?
%Real reform starts in the here and now, and evolves towards that more perfect union from the status quo.
%For us, the status quo are mass political organizations, orchestrating mediated campaigns, waged on millions of often ill-prepared citizens.
%There is no near-term option to do overcome this functional differentiation, if there ever will be.
%And an unequally sophisticated electorate is here to stay, for our lifetimes at least.
%So we must pioneer an ugly hybrid:
%the \emph{deliberative campaign}, mediated and professional.
%We must resist the temptation to choose and pick the easiest way to a voter's cross, and instead be assiduous in our explaining, convincing, empowering and engaging ourselves, on to those \emph{real} public choices that we face.
%\emph{Those} public choices that are complex, even to the expert and seemingly inaccessible for the everyday voter.
%\emph{Those} public choices that matter so urgently, but the public choices, which, to translate into the experiences of everyday, and the opportunities of everyone, we must craft a whole new language.
%There remains hope that once given an honest chance, we, as voters will hear the difference in tone, and no longer fall for the dirty tricks.
%There remains the promise and the duty, that:
%\begin{quote} \emph{Democracy is not being, it is becoming.
%It is easily lost, but never finally won.}\\\\
%William Hastie (1904 -- 1976), first African-American Supreme Court Justice.
%\end{quote}
%different types of issues:
%For once, the issues that are represented in unconventional forms of participation are different from those of other modes.
%Typically, these organizations make protest demands, following a negative logic (“against”, “stop” …) and they maintain “at best rudimentary (…) platforms” (Offe 1985:
%829).
%Their claims are not part of an encompassing agenda, but are non-negotiable single issues.
%Consequently, unconventional modes of participation do not have to face trade-offs between goods, and are structurally incapable of bargaining, compromise and issue-linkages.
%While this is an effective strategy to mobilize people and to communicate concerns, it is an incentive structure that distorts the political competition at the expense of political parties, possibly contributing to their legitimacy deficit.
%Additionally it is a political logic that is not in line with the limitations to the input aspects of democratic governance as stated above.
% I therefore believe it may be a lot too simple to say that merely the repertoire of political participation is changing (Welzel 2002b).
%The deliberative argument, as young says is "reason over power".
%(Young 1996:
%122).
%Now if you drop reason, too, you're left with nothing.
%She points out that deliberation so competition.
%No, no no.
%It's persuasion, whicha lways entails understanding the other persons circumstance.
%I am not even talking about the baad essentializing (male speaking, female speaking)
%The CoelhoPozzono 2005:
%181 account of participation in local health administration is insightful when it comes to the boundaries of involving people:
%"The dendecy of citizen representatives to construct their arguments in a way that is regarded as unstructured, combined with their focus on highly localized issues, makes their speeches appear unclear, emotional, disruptive or irrelevant to most representatives of the other sectors.
%Moreover, this style of speech tends to be associtaed with poorer and less educated people, and it is regarded as not only ineffective, but also virtually unintelligble". -->
### The Good Old Days
<!-- %\paragraph{Dealignment}
%When \citet{Lazarsfeld1968} went out to Erie County, OH in 1940 to figure out ``How the Voter Makes up His Mind in a Presidential Campaign'' they found that citizens voted in relatively socio-economically homogenous groups, that socio-economic status neatly predicted their voting behavior.
%Also, people would typically vote as their parents had, and swing- or late-deciding voters where relatively scarce.
%This has since changed dramatically.
%Party alignment as weaked, arguably both as a corellate of a broader disaffection with (mass) associations \citep{Putnam-1995-aa} as well as as a function of an unfolding value space, whose multiple dimensions two (or even multi-) party systems can no longer accomodate \citep{InglehartWelzel-2005-aa}.
%\paragraph{Individualization, Targeting of Voters}
%The second, not entirely disjunct trend is one of individualization \citep{Beck-2002-aa}.