-
Notifications
You must be signed in to change notification settings - Fork 53
Expand file tree
/
Copy path_effsize_objects.py
More file actions
1832 lines (1564 loc) · 67.8 KB
/
_effsize_objects.py
File metadata and controls
1832 lines (1564 loc) · 67.8 KB
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
"""The auxiliary classes involved in the computations of bootstrapped effect sizes."""
# AUTOGENERATED! DO NOT EDIT! File to edit: ../nbs/API/effsize_objects.ipynb.
# %% auto 0
__all__ = ['TwoGroupsEffectSize', 'EffectSizeDataFrame', 'PermutationTest']
# %% ../nbs/API/effsize_objects.ipynb 5
import pandas as pd
import lqrt
from scipy.stats import norm
import numpy as np
from scipy.special import binom as binomcoeff # devMJBL
from scipy.stats import binom # devMJBL
from scipy.integrate import fixed_quad # devMJBL
from numpy import arange, mean # devMJBL
from numpy import array, isnan, isinf, repeat, random, isin, abs, var
from numpy import sort as npsort
from numpy import nan as npnan
from numpy.random import PCG64, RandomState
from statsmodels.stats.contingency_tables import mcnemar
import warnings
from string import Template
import scipy.stats as spstats
# %% ../nbs/API/effsize_objects.ipynb 6
class TwoGroupsEffectSize(object):
"""
A class to compute and store the results of bootstrapped
mean differences between two groups.
Compute the effect size between two groups.
Parameters
----------
control : array-like
test : array-like
These should be numerical iterables.
effect_size : string.
Any one of the following are accepted inputs:
'mean_diff', 'median_diff', 'cohens_d', 'hedges_g', or 'cliffs_delta'
is_paired : string, default None
resamples : int, default 5000
The number of bootstrap resamples to be taken for the calculation
of the confidence interval limits.
permutation_count : int, default 5000
The number of permutations (reshuffles) to perform for the
computation of the permutation p-value
ci : float, default 95
The confidence interval width. The default of 95 produces 95%
confidence intervals.
random_seed : int, default 12345
`random_seed` is used to seed the random number generator during
bootstrap resampling. This ensures that the confidence intervals
reported are replicable.
ps_adjust : boolean, default False.
If True, adjust calculated p-value according to Phipson & Smyth (2010)
# https://doi.org/10.2202/1544-6115.1585
Returns
-------
A :py:class:`TwoGroupEffectSize` object:
`difference` : float
The effect size of the difference between the control and the test.
`effect_size` : string
The type of effect size reported.
`is_paired` : string
The type of repeated-measures experiment.
`ci` : float
Returns the width of the confidence interval, in percent.
`alpha` : float
Returns the significance level of the statistical test as a float between 0 and 1.
`resamples` : int
The number of resamples performed during the bootstrap procedure.
`bootstraps` : numpy ndarray
The generated bootstraps of the effect size.
`random_seed` : int
The number used to initialise the numpy random seed generator, ie.`seed_value` from `numpy.random.seed(seed_value)` is returned.
`bca_low, bca_high` : float
The bias-corrected and accelerated confidence interval lower limit and upper limits, respectively.
`pct_low, pct_high` : float
The percentile confidence interval lower limit and upper limits, respectively.
"""
def __init__(
self,
control,
test,
effect_size,
proportional=False,
is_paired=None,
ci=95,
resamples=5000,
permutation_count=5000,
random_seed=12345,
ps_adjust=False,
):
from ._stats_tools import confint_2group_diff as ci2g
from ._stats_tools import effsize as es
self.__EFFECT_SIZE_DICT = {
"mean_diff": "mean difference",
"median_diff": "median difference",
"cohens_d": "Cohen's d",
"cohens_h": "Cohen's h",
"hedges_g": "Hedges' g",
"cliffs_delta": "Cliff's delta",
}
self.__is_paired = is_paired
self.__resamples = resamples
self.__effect_size = effect_size
self.__random_seed = random_seed
self.__ci = ci
self.__is_proportional = proportional
self.__ps_adjust = ps_adjust
self._check_errors(control, test)
# Convert to numpy arrays for speed.
# NaNs are automatically dropped.
control = array(control)
test = array(test)
self.__control = control[~isnan(control)]
self.__test = test[~isnan(test)]
self.__permutation_count = permutation_count
self.__alpha = ci2g._compute_alpha_from_ci(self.__ci)
self.__difference = es.two_group_difference(
self.__control, self.__test, self.__is_paired, self.__effect_size
)
self.__jackknives = ci2g.compute_meandiff_jackknife(
self.__control, self.__test, self.__is_paired, self.__effect_size
)
self.__acceleration_value = ci2g._calc_accel(self.__jackknives)
bootstraps = ci2g.compute_bootstrapped_diff(
self.__control,
self.__test,
self.__is_paired,
self.__effect_size,
self.__resamples,
self.__random_seed,
)
self.__bootstraps = bootstraps
sorted_bootstraps = npsort(self.__bootstraps)
# Added in v0.2.6.
# Raises a UserWarning if there are any infiinities in the bootstraps.
num_infinities = len(self.__bootstraps[isinf(self.__bootstraps)])
if num_infinities > 0:
warn_msg = (
"There are {} bootstrap(s) that are not defined. "
"This is likely due to smaple sample sizes. "
"The values in a bootstrap for a group will be more likely "
"to be all equal, with a resulting variance of zero. "
"The computation of Cohen's d and Hedges' g thus "
"involved a division by zero. "
)
warnings.warn(warn_msg.format(num_infinities), category=UserWarning)
self.__bias_correction = ci2g.compute_meandiff_bias_correction(
self.__bootstraps, self.__difference
)
self._compute_bca_intervals(sorted_bootstraps)
# Compute percentile intervals.
pct_idx_low = int((self.__alpha / 2) * self.__resamples)
pct_idx_high = int((1 - (self.__alpha / 2)) * self.__resamples)
self.__pct_interval_idx = (pct_idx_low, pct_idx_high)
self.__pct_low = sorted_bootstraps[pct_idx_low]
self.__pct_high = sorted_bootstraps[pct_idx_high]
self._get_bootstrap_baseline_ec()
self._perform_statistical_test()
def __repr__(self, show_resample_count=True, define_pval=True, sigfig=3):
RM_STATUS = {
"baseline": "for repeated measures against baseline \n",
"sequential": "for the sequential design of repeated-measures experiment \n",
"None": "",
}
PAIRED_STATUS = {
"baseline": "paired",
"sequential": "paired",
"None": "unpaired",
}
first_line = {
"rm_status": RM_STATUS[str(self.__is_paired)],
"es": self.__EFFECT_SIZE_DICT[self.__effect_size],
"paired_status": PAIRED_STATUS[str(self.__is_paired)],
}
out1 = "The {paired_status} {es} {rm_status}".format(**first_line)
base_string_fmt = "{:." + str(sigfig) + "}"
if "." in str(self.__ci):
ci_width = base_string_fmt.format(self.__ci)
else:
ci_width = str(self.__ci)
ci_out = {
"es": base_string_fmt.format(self.__difference),
"ci": ci_width,
"bca_low": base_string_fmt.format(self.__bca_low),
"bca_high": base_string_fmt.format(self.__bca_high),
}
out2 = "is {es} [{ci}%CI {bca_low}, {bca_high}].".format(**ci_out)
out = out1 + out2
pval_rounded = base_string_fmt.format(self.pvalue_permutation)
p1 = "The p-value of the two-sided permutation t-test is {}, ".format(
pval_rounded
)
p2 = "calculated for legacy purposes only. "
pvalue = p1 + p2
bs1 = "{} bootstrap samples were taken; ".format(self.__resamples)
bs2 = "the confidence interval is bias-corrected and accelerated."
bs = bs1 + bs2
pval_def1 = (
"Any p-value reported is the probability of observing the"
+ "effect size (or greater),\nassuming the null hypothesis of "
+ "zero difference is true."
)
pval_def2 = (
"\nFor each p-value, 5000 reshuffles of the "
+ "control and test labels were performed."
)
pval_def = pval_def1 + pval_def2
if show_resample_count and define_pval:
return "{}\n{}\n\n{}\n{}".format(out, pvalue, bs, pval_def)
elif not show_resample_count and define_pval:
return "{}\n{}\n\n{}".format(out, pvalue, pval_def)
elif show_resample_count and not define_pval:
return "{}\n{}\n\n{}".format(out, pvalue, bs)
else:
return "{}\n{}".format(out, pvalue)
def _check_errors(self, control, test):
'''
Function to check configuration errors for the given control and test data.
'''
kosher_es = [a for a in self.__EFFECT_SIZE_DICT.keys()]
if self.__effect_size not in kosher_es:
err1 = "The effect size '{}'".format(self.__effect_size)
err2 = "is not one of {}".format(kosher_es)
raise ValueError(" ".join([err1, err2]))
if self.__effect_size == "cliffs_delta" and self.__is_paired:
err1 = "`paired` is not None; therefore Cliff's delta is not defined."
raise ValueError(err1)
if self.__is_proportional and self.__effect_size not in ["mean_diff", "cohens_h"]:
err1 = "`is_proportional` is True; therefore effect size other than mean_diff and cohens_h is not defined."
raise ValueError(err1)
if self.__is_proportional and (
isin(control, [0, 1]).all() == False or isin(test, [0, 1]).all() == False
):
err1 = (
"`is_proportional` is True; Only accept binary data consisting of 0 and 1."
)
raise ValueError(err1)
def _compute_bca_intervals(self, sorted_bootstraps):
'''
Function to compute the bca intervals given the sorted bootstraps.
'''
from ._stats_tools import confint_2group_diff as ci2g
# Compute BCa intervals.
bca_idx_low, bca_idx_high = ci2g.compute_interval_limits(
self.__bias_correction,
self.__acceleration_value,
self.__resamples,
self.__ci,
)
self.__bca_interval_idx = (bca_idx_low, bca_idx_high)
if ~isnan(bca_idx_low) and ~isnan(bca_idx_high):
self.__bca_low = sorted_bootstraps[bca_idx_low]
self.__bca_high = sorted_bootstraps[bca_idx_high]
err1 = "The $lim_type limit of the interval"
err2 = "was in the $loc 10 values."
err3 = "The result should be considered unstable."
err_temp = Template(" ".join([err1, err2, err3]))
if bca_idx_low <= 10:
warnings.warn(
err_temp.substitute(lim_type="lower", loc="bottom"), stacklevel=1
)
if bca_idx_high >= self.__resamples - 9:
warnings.warn(
err_temp.substitute(lim_type="upper", loc="top"), stacklevel=1
)
else:
err1 = "The $lim_type limit of the BCa interval cannot be computed."
err2 = "It is set to the effect size itself."
err3 = "All bootstrap values were likely all the same."
err_temp = Template(" ".join([err1, err2, err3]))
if isnan(bca_idx_low):
self.__bca_low = self.__difference
warnings.warn(err_temp.substitute(lim_type="lower"), stacklevel=0)
if isnan(bca_idx_high):
self.__bca_high = self.__difference
warnings.warn(err_temp.substitute(lim_type="upper"), stacklevel=0)
def _perform_statistical_test(self):
'''
Function to complete the statistical tests
'''
from ._stats_tools import effsize as es
# Perform statistical tests.
self.__PermutationTest_result = PermutationTest(
self.__control,
self.__test,
self.__effect_size,
self.__is_paired,
self.__permutation_count,
ps_adjust = self.__ps_adjust,
)
if self.__is_paired and not self.__is_proportional:
# Wilcoxon, a non-parametric version of the paired T-test.
try:
wilcoxon = spstats.wilcoxon(self.__control, self.__test)
self.__pvalue_wilcoxon = wilcoxon.pvalue
self.__statistic_wilcoxon = wilcoxon.statistic
except ValueError as e:
warnings.warn("Wilcoxon test could not be performed. This might be due "
"to no variability in the difference of the paired groups. \n"
"Error: {}\n"
"For detailed information, please refer to https://docs.scipy.org/doc/scipy/reference/generated/scipy.stats.wilcoxon.html "
.format(e))
if self.__effect_size != "median_diff":
# Paired Student's t-test.
paired_t = spstats.ttest_rel(
self.__control, self.__test, nan_policy="omit"
)
self.__pvalue_paired_students_t = paired_t.pvalue
self.__statistic_paired_students_t = paired_t.statistic
elif self.__is_paired and self.__is_proportional:
# for binary paired data, use McNemar's test
# References:
# https://en.wikipedia.org/wiki/McNemar%27s_test
x1 = np.sum((self.__control == 0) & (self.__test == 0))
x2 = np.sum((self.__control == 0) & (self.__test == 1))
x3 = np.sum((self.__control == 1) & (self.__test == 0))
x4 = np.sum((self.__control == 1) & (self.__test == 1))
table = np.array([[x1, x2], [x3, x4]])
_mcnemar = mcnemar(table, exact=True, correction=True)
self.__pvalue_mcnemar = _mcnemar.pvalue
self.__statistic_mcnemar = _mcnemar.statistic
elif self.__is_proportional:
# The Cohen's h calculation is for binary categorical data
try:
self.__proportional_difference = es.cohens_h(
self.__control, self.__test
)
except ValueError as e:
warnings.warn(f"Calculation of Cohen's h failed. This method is applicable "
f"only for binary data (0's and 1's). Details: {e}")
elif self.__effect_size == "cliffs_delta":
# Let's go with Brunner-Munzel!
brunner_munzel = spstats.brunnermunzel(
self.__control, self.__test, nan_policy="omit"
)
self.__pvalue_brunner_munzel = brunner_munzel.pvalue
self.__statistic_brunner_munzel = brunner_munzel.statistic
elif self.__effect_size == "median_diff":
# According to scipy's documentation of the function,
# "The Kruskal-Wallis H-test tests the null hypothesis
# that the population median of all of the groups are equal."
kruskal = spstats.kruskal(self.__control, self.__test, nan_policy="omit")
self.__pvalue_kruskal = kruskal.pvalue
self.__statistic_kruskal = kruskal.statistic
else: # for mean difference, Cohen's d, and Hedges' g.
# Welch's t-test, assumes normality of distributions,
# but does not assume equal variances.
welch = spstats.ttest_ind(
self.__control, self.__test, equal_var=False, nan_policy="omit"
)
self.__pvalue_welch = welch.pvalue
self.__statistic_welch = welch.statistic
# Student's t-test, assumes normality of distributions,
# as well as assumption of equal variances.
students_t = spstats.ttest_ind(
self.__control, self.__test, equal_var=True, nan_policy="omit"
)
self.__pvalue_students_t = students_t.pvalue
self.__statistic_students_t = students_t.statistic
# Mann-Whitney test: Non parametric,
# does not assume normality of distributions
try:
mann_whitney = spstats.mannwhitneyu(
self.__control, self.__test, alternative="two-sided"
)
self.__pvalue_mann_whitney = mann_whitney.pvalue
self.__statistic_mann_whitney = mann_whitney.statistic
except ValueError as e:
warnings.warn("Mann-Whitney test could not be performed. This might be due "
"to identical rank values in both control and test groups. "
"Details: {}".format(e))
standardized_es = es.cohens_d(self.__control, self.__test, is_paired=None)
def to_dict(self):
"""
Returns the attributes of the `dabest.TwoGroupEffectSize` object as a
dictionary.
"""
# Only get public (user-facing) attributes.
attrs = [a for a in dir(self) if not a.startswith(("_", "to_dict"))]
out = {}
for a in attrs:
out[a] = getattr(self, a)
return out
def _get_bootstrap_baseline_ec(self):
from ._stats_tools import confint_2group_diff as ci2g
from ._stats_tools import effsize as es
# Cannot use self.__is_paired because it's for baseline curve
is_paired = None
difference = es.two_group_difference(
self.__control, self.__control, is_paired, self.__effect_size
)
self.__bec_difference = difference
jackknives = ci2g.compute_meandiff_jackknife(
self.__control, self.__control, is_paired, self.__effect_size
)
acceleration_value = ci2g._calc_accel(jackknives)
bootstraps = ci2g.compute_bootstrapped_diff(
self.__control,
self.__control,
is_paired,
self.__effect_size,
self.__resamples,
self.__random_seed,
)
self.__bootstraps_baseline_ec = bootstraps
sorted_bootstraps = npsort(self.__bootstraps_baseline_ec)
# We don't have to consider infinities in bootstrap_baseline_ec
bias_correction = ci2g.compute_meandiff_bias_correction(
self.__bootstraps_baseline_ec, difference
)
# Compute BCa intervals.
bca_idx_low, bca_idx_high = ci2g.compute_interval_limits(
bias_correction,
acceleration_value,
self.__resamples,
self.__ci,
)
self.__bec_bca_interval_idx = (bca_idx_low, bca_idx_high)
if ~isnan(bca_idx_low) and ~isnan(bca_idx_high):
self.__bec_bca_low = sorted_bootstraps[bca_idx_low]
self.__bec_bca_high = sorted_bootstraps[bca_idx_high]
err1 = "The $lim_type limit of the interval"
err2 = "was in the $loc 10 values."
err3 = "The result for baseline curve should be considered unstable."
err_temp = Template(" ".join([err1, err2, err3]))
if bca_idx_low <= 10:
warnings.warn(
err_temp.substitute(lim_type="lower", loc="bottom"), stacklevel=1
)
if bca_idx_high >= self.__resamples - 9:
warnings.warn(
err_temp.substitute(lim_type="upper", loc="top"), stacklevel=1
)
else:
err1 = "The $lim_type limit of the BCa interval of baseline curve cannot be computed."
err2 = "It is set to the effect size itself."
err3 = "All bootstrap values were likely all the same."
err_temp = Template(" ".join([err1, err2, err3]))
if isnan(bca_idx_low):
self.__bec_bca_low = difference
warnings.warn(err_temp.substitute(lim_type="lower"), stacklevel=0)
if isnan(bca_idx_high):
self.__bec_bca_high = difference
warnings.warn(err_temp.substitute(lim_type="upper"), stacklevel=0)
# Compute percentile intervals.
pct_idx_low = int((self.__alpha / 2) * self.__resamples)
pct_idx_high = int((1 - (self.__alpha / 2)) * self.__resamples)
self.__bec_pct_interval_idx = (pct_idx_low, pct_idx_high)
self.__bec_pct_low = sorted_bootstraps[pct_idx_low]
self.__bec_pct_high = sorted_bootstraps[pct_idx_high]
@property
def difference(self):
"""
Returns the difference between the control and the test.
"""
return self.__difference
@property
def effect_size(self):
"""
Returns the type of effect size reported.
"""
return self.__EFFECT_SIZE_DICT[self.__effect_size]
@property
def is_paired(self):
return self.__is_paired
@property
def is_proportional(self):
return self.__is_proportional
@property
def ci(self):
"""
Returns the width of the confidence interval, in percent.
"""
return self.__ci
@property
def alpha(self):
"""
Returns the significance level of the statistical test as a float
between 0 and 1.
"""
return self.__alpha
@property
def resamples(self):
"""
The number of resamples performed during the bootstrap procedure.
"""
return self.__resamples
@property
def bootstraps(self):
"""
The generated bootstraps of the effect size.
"""
return self.__bootstraps
@property
def random_seed(self):
"""
The number used to initialise the numpy random seed generator, ie.
`seed_value` from `numpy.random.seed(seed_value)` is returned.
"""
return self.__random_seed
@property
def bca_interval_idx(self):
return self.__bca_interval_idx
@property
def bca_low(self):
"""
The bias-corrected and accelerated confidence interval lower limit.
"""
return self.__bca_low
@property
def bca_high(self):
"""
The bias-corrected and accelerated confidence interval upper limit.
"""
return self.__bca_high
@property
def pct_interval_idx(self):
return self.__pct_interval_idx
@property
def pct_low(self):
"""
The percentile confidence interval lower limit.
"""
return self.__pct_low
@property
def pct_high(self):
"""
The percentile confidence interval lower limit.
"""
return self.__pct_high
@property
def pvalue_brunner_munzel(self):
try:
return self.__pvalue_brunner_munzel
except AttributeError:
return npnan
@property
def statistic_brunner_munzel(self):
try:
return self.__statistic_brunner_munzel
except AttributeError:
return npnan
@property
def pvalue_wilcoxon(self):
try:
return self.__pvalue_wilcoxon
except AttributeError:
return npnan
@property
def statistic_wilcoxon(self):
try:
return self.__statistic_wilcoxon
except AttributeError:
return npnan
@property
def pvalue_mcnemar(self):
try:
return self.__pvalue_mcnemar
except AttributeError:
return npnan
@property
def statistic_mcnemar(self):
try:
return self.__statistic_mcnemar
except AttributeError:
return npnan
@property
def pvalue_paired_students_t(self):
try:
return self.__pvalue_paired_students_t
except AttributeError:
return npnan
@property
def statistic_paired_students_t(self):
try:
return self.__statistic_paired_students_t
except AttributeError:
return npnan
@property
def pvalue_kruskal(self):
try:
return self.__pvalue_kruskal
except AttributeError:
return npnan
@property
def statistic_kruskal(self):
try:
return self.__statistic_kruskal
except AttributeError:
return npnan
@property
def pvalue_welch(self):
try:
return self.__pvalue_welch
except AttributeError:
return npnan
@property
def statistic_welch(self):
try:
return self.__statistic_welch
except AttributeError:
return npnan
@property
def pvalue_students_t(self):
try:
return self.__pvalue_students_t
except AttributeError:
return npnan
@property
def statistic_students_t(self):
try:
return self.__statistic_students_t
except AttributeError:
return npnan
@property
def pvalue_mann_whitney(self):
try:
return self.__pvalue_mann_whitney
except AttributeError:
return npnan
@property
def statistic_mann_whitney(self):
try:
return self.__statistic_mann_whitney
except AttributeError:
return npnan
@property
def pvalue_permutation(self):
"""
p value of permutation test
"""
return self.__PermutationTest_result.pvalue
@property
def permutation_count(self):
"""
The number of permutations taken.
"""
return self.__PermutationTest_result.permutation_count
@property
def permutations(self):
return self.__PermutationTest_result.permutations
@property
def permutations_var(self):
return self.__PermutationTest_result.permutations_var
@property
def proportional_difference(self):
try:
return self.__proportional_difference
except AttributeError:
return npnan
@property
def bec_difference(self):
return self.__bec_difference
@property
def bec_bootstraps(self):
"""
The generated baseline error bootstraps.
"""
return self.__bootstraps_baseline_ec
@property
def bec_bca_interval_idx(self):
return self.__bec_bca_interval_idx
@property
def bec_bca_low(self):
"""
The bias-corrected and accelerated confidence interval lower limit for baseline error.
"""
return self.__bec_bca_low
@property
def bec_bca_high(self):
"""
The bias-corrected and accelerated confidence interval upper limit for baseline error.
"""
return self.__bec_bca_high
@property
def bec_pct_interval_idx(self):
return self.__bec_pct_interval_idx
@property
def bec_pct_low(self):
"""
The percentile confidence interval lower limit for baseline error.
"""
return self.__bec_pct_low
@property
def bec_pct_high(self):
"""
The percentile confidence interval lower limit for baseline error.
"""
return self.__bec_pct_high
# %% ../nbs/API/effsize_objects.ipynb 10
class EffectSizeDataFrame(object):
"""A class that generates and stores the results of bootstrapped effect
sizes for several comparisons."""
def __init__(
self,
dabest,
effect_size,
is_paired,
ci=95,
proportional=False,
resamples=5000,
permutation_count=5000,
random_seed=12345,
x1_level=None,
x2=None,
delta2=False,
experiment_label=None,
mini_meta=False,
ps_adjust=False,
):
"""
Parses the data from a Dabest object, enabling plotting and printing
capability for the effect size of interest.
"""
self.__dabest_obj = dabest
self.__effect_size = effect_size
self.__is_paired = is_paired
self.__ci = ci
self.__resamples = resamples
self.__permutation_count = permutation_count
self.__random_seed = random_seed
self.__is_proportional = proportional
self.__x1_level = x1_level
self.__experiment_label = experiment_label
self.__x2 = x2
self.__delta2 = delta2
self.__is_mini_meta = mini_meta
self.__ps_adjust = ps_adjust
def __pre_calc(self):
from .misc_tools import print_greeting, get_varname
from ._stats_tools import confint_2group_diff as ci2g
from ._delta_objects import MiniMetaDelta, DeltaDelta
idx = self.__dabest_obj.idx
dat = self.__dabest_obj._plot_data
xvar = self.__dabest_obj._xvar
yvar = self.__dabest_obj._yvar
out = []
reprs = []
grouped_data = {name: group[yvar].copy() for name, group in dat.groupby(xvar, observed=False)}
if self.__delta2:
mixed_data = []
for j, current_tuple in enumerate(idx):
if self.__is_paired != "sequential":
cname = current_tuple[0]
control = grouped_data[cname]
for ix, tname in enumerate(current_tuple[1:]):
if self.__is_paired == "sequential":
cname = current_tuple[ix]
control = grouped_data[cname]
test = grouped_data[tname]
mixed_data.append(control)
mixed_data.append(test)
bootstraps_delta_delta = ci2g.compute_delta2_bootstrapped_diff(
mixed_data[0],
mixed_data[1],
mixed_data[2],
mixed_data[3],
self.__is_paired,
self.__resamples,
self.__random_seed,
self.__is_proportional,
)
for j, current_tuple in enumerate(idx):
if self.__is_paired != "sequential":
cname = current_tuple[0]
control = grouped_data[cname]
for ix, tname in enumerate(current_tuple[1:]):
if self.__is_paired == "sequential":
cname = current_tuple[ix]
control = grouped_data[cname]
test = grouped_data[tname]
result = TwoGroupsEffectSize(
control,
test,
self.__effect_size,
self.__is_proportional,
self.__is_paired,
self.__ci,
self.__resamples,
self.__permutation_count,
self.__random_seed,
self.__ps_adjust
)
r_dict = result.to_dict()
r_dict["control"] = cname
r_dict["test"] = tname
r_dict["control_N"] = int(len(control))
r_dict["test_N"] = int(len(test))
out.append(r_dict)
if j == len(idx) - 1 and ix == len(current_tuple) - 2:
if self.__delta2 and self.__effect_size in ["mean_diff", "hedges_g"]:
resamp_count = False
def_pval = False
elif self.__is_mini_meta and self.__effect_size == "mean_diff":
resamp_count = False
def_pval = False
else:
resamp_count = True
def_pval = True
else:
resamp_count = False
def_pval = False
text_repr = result.__repr__(
show_resample_count=resamp_count, define_pval=def_pval
)
to_replace = "between {} and {} is".format(cname, tname)
text_repr = text_repr.replace("is", to_replace, 1)
reprs.append(text_repr)
self.__for_print = "\n\n".join(reprs)
out_ = pd.DataFrame(out)
columns_in_order = [
"control",
"test",
"control_N",
"test_N",
"effect_size",
"is_paired",
"difference",
"ci",
"bca_low",
"bca_high",
"bca_interval_idx",
"pct_low",
"pct_high",
"pct_interval_idx",
"bootstraps",
"resamples",
"random_seed",
"permutations",
"pvalue_permutation",
"permutation_count",
"permutations_var",
"pvalue_welch",
"statistic_welch",
"pvalue_students_t",
"statistic_students_t",
"pvalue_mann_whitney",
"statistic_mann_whitney",
"pvalue_brunner_munzel",
"statistic_brunner_munzel",
"pvalue_wilcoxon",
"statistic_wilcoxon",
"pvalue_mcnemar",
"statistic_mcnemar",
"pvalue_paired_students_t",
"statistic_paired_students_t",
"pvalue_kruskal",
"statistic_kruskal",
"proportional_difference",
"bec_difference",
"bec_bootstraps",
"bec_bca_interval_idx",
"bec_bca_low",
"bec_bca_high",