1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026 2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050 2051 2052 2053 2054 2055 2056 2057 2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079 2080 2081 2082 2083 2084 2085 2086 2087 2088 2089 2090 2091 2092 2093 2094 2095 2096 2097 2098 2099 2100 2101 2102 2103 2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115 2116 2117 2118 2119 2120 2121 2122 2123 2124 2125 2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149 2150 2151 2152 2153 2154 2155 2156 2157 2158 2159 2160 2161 2162 2163 2164 2165 2166 2167 2168 2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185 2186 2187 2188 2189 2190 2191 2192 2193 2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204 2205 2206 2207 2208
|
<!DOCTYPE html><html lang="en-US">
<head><script data-no-optimize="1" data-cfasync="false">!function(){"use strict";function e(e){const t=e.match(/((?=([a-z0-9._!#$%+^&*()[\]<>-]+))\2@[a-z0-9._-]+\.[a-z0-9._-]+)/gi);return t?t[0]:""}function t(t){return e(a(t.toLowerCase()))}function a(e){return e.replace(/\s/g,"")}async function n(e){const t={sha256Hash:"",sha1Hash:""};if(!("msCrypto"in window)&&"https:"===location.protocol&&"crypto"in window&&"TextEncoder"in window){const a=(new TextEncoder).encode(e),[n,c]=await Promise.all([s("SHA-256",a),s("SHA-1",a)]);t.sha256Hash=n,t.sha1Hash=c}return t}async function s(e,t){const a=await crypto.subtle.digest(e,t);return Array.from(new Uint8Array(a)).map(e=>("00"+e.toString(16)).slice(-2)).join("")}function c(e){let t=!0;return Object.keys(e).forEach(a=>{0===e[a].length&&(t=!1)}),t}function i(e,t,a){e.splice(t,1);const n="?"+e.join("&")+a.hash;history.replaceState(null,"",n)}var o={checkEmail:e,validateEmail:t,trimInput:a,hashEmail:n,hasHashes:c,removeEmailAndReplaceHistory:i,detectEmails:async function(){const e=new URL(window.location.href),a=Array.from(e.searchParams.entries()).map(e=>`${e[0]}=${e[1]}`);let s,o;const r=["adt_eih","sh_kit"];if(a.forEach((e,t)=>{const a=decodeURIComponent(e),[n,c]=a.split("=");if("adt_ei"===n&&(s={value:c,index:t,emsrc:"url"}),r.includes(n)){o={value:c,index:t,emsrc:"sh_kit"===n?"urlhck":"urlh"}}}),s)t(s.value)&&n(s.value).then(e=>{if(c(e)){const t={value:e,created:Date.now()};localStorage.setItem("adt_ei",JSON.stringify(t)),localStorage.setItem("adt_emsrc",s.emsrc)}});else if(o){const e={value:{sha256Hash:o.value,sha1Hash:""},created:Date.now()};localStorage.setItem("adt_ei",JSON.stringify(e)),localStorage.setItem("adt_emsrc",o.emsrc)}s&&i(a,s.index,e),o&&i(a,o.index,e)},cb:"adthrive"};const{detectEmails:r,cb:l}=o;r()}();
</script><script data-affiliate-config type="application/json">{"enableLinkMonetizer":true,"keywordLinkerKeywordLimit":"","affiliateJsClientPath":"https:\/\/affiliate-cdn.raptive.com\/affiliate.mvp.min.js","affiliateApiPath":"https:\/\/affiliate-api.raptive.com","amazonAffiliateId":"raptive-thebigmansworld-20","excludeNetworks":["raptive"],"excludeDestinations":["cj"],"enableAnalytics":true,"pluginVersion":"1.1.6"}</script>
<script async referrerpolicy="no-referrer-when-downgrade" data-no-optimize="1" data-cfasync="false" src="https://affiliate-cdn.raptive.com/affiliate.mvp.min.js" type="pmdelayedscript" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
</script>
<meta name='robots' content='index, follow, max-image-preview:large, max-snippet:-1, max-video-preview:-1' />
<style>img:is([sizes="auto" i], [sizes^="auto," i]) { contain-intrinsic-size: 3000px 1500px }</style>
<script type="pmdelayedscript" data-perfmatters-type="text/javascript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">function parentIsEvil() { var html = null; try { var doc = top.location.pathname; } catch(err){ }; if(typeof doc === "undefined") { return true } else { return false }; }; if (parentIsEvil()) { top.location = self.location.href; };var url = "https://thebigmansworld.com/coconut-cake/";if(url.indexOf("stfi.re") != -1) { var canonical = ""; var links = document.getElementsByTagName("link"); for (var i = 0; i < links.length; i ++) { if (links[i].getAttribute("rel") === "canonical") { canonical = links[i].getAttribute("href")}}; canonical = canonical.replace("?sfr=1", "");top.location = canonical; console.log(canonical);};</script><!-- Hubbub v.2.25.2 https://morehubbub.com/ -->
<meta property="og:locale" content="en_US" />
<meta property="og:type" content="article" />
<meta property="og:title" content="Easiest Coconut Cake Recipe - The Big Man's World ®" />
<meta property="og:description" content="My easy coconut cake recipe is super moist and fluffy and loaded with coconut flavor. It's ready in minutes and uses pantry staples." />
<meta property="og:url" content="https://thebigmansworld.com/coconut-cake/" />
<meta property="og:site_name" content="The Big Man's World ®" />
<meta property="og:updated_time" content="2025-02-03T23:16:31+00:00" />
<meta property="article:published_time" content="2025-02-03T23:16:24+00:00" />
<meta property="article:modified_time" content="2025-02-03T23:16:31+00:00" />
<meta name="twitter:card" content="summary_large_image" />
<meta name="twitter:title" content="Easiest Coconut Cake Recipe - The Big Man's World ®" />
<meta name="twitter:description" content="My easy coconut cake recipe is super moist and fluffy and loaded with coconut flavor. It's ready in minutes and uses pantry staples." />
<meta class="flipboard-article" content="My easy coconut cake recipe is super moist and fluffy and loaded with coconut flavor. It's ready in minutes and uses pantry staples." />
<meta property="og:image" content="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg" />
<meta name="twitter:image" content="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg" />
<meta property="og:image:width" content="1200" />
<meta property="og:image:height" content="1200" />
<!-- Hubbub v.2.25.2 https://morehubbub.com/ -->
<style data-no-optimize="1" data-cfasync="false">
.adthrive-ad {
margin-top: 10px;
margin-bottom: 10px;
text-align: center;
overflow-x: visible;
clear: both;
line-height: 0;
}
body.blog #main .pinterest-image-button, body.search #main .pinterest-image-button, body.archive #main .pinterest-image-button {
display: none;
}
.adthrive-device-desktop .adthrive-recipe,
.adthrive-device-tablet .adthrive-recipe {
float:right;
margin-left: 10px;
clear: right;
}
.adthrive-footer {
bottom: 0 !important;
}
@media only screen and (min-width: 425px) {
.sumome-share-client-wrapper {
margin-top: -130px !important;
}
}
body.adthrive-device-phone .wprm-recipe-template-cutout-2-container {
padding-left:3px;
padding-right:3px;
}
@media (max-width:360px) {
.custom-col-8.primary-content {
padding-left:4px;
padding-right:4px;
}
}
body .adthrive-recipe {
width: auto;
}
/* Advertisment text */
.adthrive-content:before {
content: "Advertisement";
font-family: var(--wp--preset--font-family--system-font), 'Quattrocento', serif;
font-size: 14px;
letter-spacing: 1px;
margin-top: 0;
margin-bottom: 10px;
display: block;
color: #888;
}
.adthrive-content {
padding-top: 10px;
}
.adthrive-ad.adthrive-parallax-slot {
padding-bottom: 10px; /* parallax ads need a bit more spacing */
}
/* END advertisement text */
/* Top Center White Background */
.adthrive-collapse-mobile-background {
background-color: #fff!important;
}
.adthrive-top-collapse-close > svg > * {
stroke: #3D3E3D;
font-family: sans-serif;
}
.adthrive-top-collapse-wrapper-video-title,
.adthrive-top-collapse-wrapper-bar a a.adthrive-learn-more-link {
color: #3D3E3D!important;
}
/* END top center white background */
.adthrive-device-phone .adthrive-ad iframe {
max-width: 100% !important;
}
/* Disable ads on printed pages */
@media print {
div[data-gg-moat],
body[data-gg-moat],
iframe[data-gg-moat-ifr],
div[class*="kargo-ad"],
.adthrive-ad,
.adthrive-comscore {
display: none!important;
height: 0px;
width: 0px;
visibility: hidden;
}
}
/* END disable ads on printed pages */
.adthrive-collapse-player,
#adthrive-contextual-container {
height: auto!important;
}
/* Print Preview pages */
body.wprm-print .adthrive-sidebar {
right: 10px;
min-width: 250px;
max-width: 320px
}
body.wprm-print .adthrive-sidebar:not(.adthrive-stuck) {
position: absolute;
top: 275px;
}
@media screen and (max-width: 1299px) {
body.wprm-print.adthrive-device-desktop .wprm-recipe {
margin-left: 25px;
max-width: 650px;
}
}
/* END - Print Preview pages */</style>
<script data-no-optimize="1" data-cfasync="false">
window.adthriveCLS = {
enabledLocations: ['Content', 'Recipe'],
injectedSlots: [],
injectedFromPlugin: true,
branch: '87d8ad6',bucket: 'prod', };
window.adthriveCLS.siteAds = {"betaTester":false,"targeting":[{"value":"5526de1430e169703b9054fc","key":"siteId"},{"value":"6233884d2572be708821aa5c","key":"organizationId"},{"value":"The Big Mans World","key":"siteName"},{"value":"AdThrive Edge","key":"service"},{"value":"on","key":"bidding"},{"value":["Food","Clean Eating"],"key":"verticals"}],"siteUrl":"http://thebigmansworld.com","siteId":"5526de1430e169703b9054fc","siteName":"The Big Mans World","breakpoints":{"tablet":768,"desktop":1024},"cloudflare":{"version":"60dd22b"},"adUnits":[{"sequence":1,"targeting":[{"value":["Sidebar"],"key":"location"}],"devices":["desktop"],"name":"Sidebar_1","sticky":false,"location":"Sidebar","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".sidebar-primary>div>*","skip":0,"classNames":[],"position":"afterend","every":0,"enabled":true},"stickyOverlapSelector":"","adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":299,"autosize":true},{"sequence":9,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_9","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".sidebar-primary>*","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":".site-footer, .block-area-before-footer","adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":291,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet","desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.home","spacing":0,"max":5,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".recent-post-section, .popular-recipes-section, .healthy-snacks-section, .healthy-desserts-section, .healthy-breakfasts-section, .healthy-keto-section","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":7,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content_7","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.home","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"#main > section","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":193,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":0.85,"max":4,"lazyMax":11,"enable":true,"lazy":true,"elementSelector":".entry-content > *:not(ul):not(ol):not(h2):not(h3)","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":0.7,"max":4,"lazyMax":11,"enable":true,"lazy":true,"elementSelector":".entry-content > *:not(ul):not(ol):not(h2):not(h3)","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":0.85,"max":3,"lazyMax":12,"enable":true,"lazy":true,"elementSelector":".entry-content > *:not(h2):not(h3)","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Below Post"],"key":"location"}],"devices":["phone","tablet","desktop"],"name":"Below_Post","sticky":false,"location":"Below Post","dynamic":{"pageSelector":"body.single","spacing":0.85,"max":0,"lazyMax":99,"enable":true,"lazy":true,"elementSelector":".entry-content, .block-area-after-post, .comment-respond, .comment-list > li","skip":0,"classNames":[],"position":"afterend","every":0,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[250,250],[1,1],[320,100],[300,250],[970,250],[728,250]],"priority":99,"autosize":true},{"sequence":null,"targeting":[{"value":["Footer"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["tablet","phone","desktop"],"name":"Footer","sticky":true,"location":"Footer","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"body","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[320,100],[728,90],[970,90],[468,60],[1,1],[300,50]],"priority":-1,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".blog-yumprint-ingredient-section > ol li","skip":0,"classNames":[],"position":"afterbegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":2,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_2","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".blog-yumprint-notes li:last-of-type","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-102,"autosize":true},{"sequence":3,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_3","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".blog-yumprint-ingredient-section","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-103,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":2,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".blog-yumprint-ingredient-section, .blog-yumprint-method-section","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.single:not(postid-55829):not(.postid-86698)","spacing":0.7,"max":2,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container span, .wprm-recipe-notes-container li, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":4,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_4","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.single:not(.postid-86698):not(.postid-50755)","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-104,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.single:not(.postid-55829):not(.postid-86698):not(.postid-50755)","spacing":0,"max":1,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container li, .wprm-recipe-instructions-container, .wprm-recipe-notes-container, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"afterend","every":0,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-86698","spacing":0,"max":3,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container span, .wprm-recipe-notes-container li, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":5,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_5","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-86698","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-105,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-86698","spacing":0.7,"max":1,"lazyMax":4,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"afterend","every":0,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":5,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_5","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-50755","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-105,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-50755","spacing":0.7,"max":1,"lazyMax":97,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container span, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"afterend","every":0,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-55829","spacing":0.6,"max":2,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container span, .wprm-recipe-notes-container li, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body.postid-55829","spacing":0.5,"max":1,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container, .wprm-recipe-notes-container","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":null,"targeting":[{"value":["Header"],"key":"location"}],"devices":["desktop"],"name":"Header","sticky":false,"location":"Header","dynamic":{"pageSelector":"body.wprm-print","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"#wprm-print-header","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[300,50],[320,50],[320,100],[468,60],[728,90],[970,90]],"priority":399,"autosize":true},{"sequence":9,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_9","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body.wprm-print","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"#wprm-print-content","skip":0,"classNames":[],"position":"beforeend","every":0,"enabled":true},"stickyOverlapSelector":".adthrive-footer-message","adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":291,"autosize":true},{"sequence":null,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["desktop","tablet"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":".wprm-print-recipe","spacing":0.7,"max":2,"lazyMax":1,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container li, .wprm-recipe-notes-container span, .wprm-nutrition-label-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[300,50],[320,300],[300,390],[300,250],[1,2]],"priority":-101,"autosize":true},{"sequence":4,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_4","sticky":false,"location":"Recipe","dynamic":{"pageSelector":".wprm-print-recipe","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[300,50],[320,300],[300,390],[300,250],[1,2]],"priority":-104,"autosize":true},{"sequence":null,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":".wprm-print-recipe","spacing":0.7,"max":2,"lazyMax":1,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container li, .wprm-recipe-notes span","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[300,50],[320,300],[300,390],[300,250],[1,2]],"priority":-101,"autosize":true}],"adDensityLayout":{"mobile":{"adDensity":0.2,"onePerViewport":false},"pageOverrides":[{"mobile":{"adDensity":0.2,"onePerViewport":false},"note":null,"pageSelector":"body.home","desktop":{"adDensity":0.2,"onePerViewport":false}},{"mobile":{"adDensity":0.2,"onePerViewport":false},"note":null,"pageSelector":".density-test","desktop":{"adDensity":0.2,"onePerViewport":false}}],"desktop":{"adDensity":0.2,"onePerViewport":false}},"adDensityEnabled":true,"siteExperiments":[],"adTypes":{"sponsorTileDesktop":true,"interscrollerDesktop":true,"nativeBelowPostDesktop":true,"miniscroller":true,"largeFormatsMobile":true,"nativeMobileContent":true,"inRecipeRecommendationMobile":true,"nativeMobileRecipe":true,"sponsorTileMobile":true,"expandableCatalogAdsMobile":false,"outstreamMobile":true,"nativeHeaderMobile":true,"inRecipeRecommendationDesktop":true,"nativeDesktopContent":true,"outstreamDesktop":true,"animatedFooter":true,"skylineHeader":false,"expandableFooter":true,"nativeDesktopSidebar":true,"videoFootersMobile":true,"videoFootersDesktop":true,"interscroller":false,"nativeDesktopRecipe":true,"nativeHeaderDesktop":true,"nativeBelowPostMobile":true,"expandableCatalogAdsDesktop":false,"largeFormatsDesktop":true},"adOptions":{"theTradeDesk":true,"rtbhouse":true,"undertone":true,"sidebarConfig":{"dynamicStickySidebar":{"minHeight":1800,"enabled":true,"blockedSelectors":[]}},"footerCloseButton":true,"teads":true,"pmp":true,"thirtyThreeAcross":true,"sharethrough":true,"optimizeVideoPlayersForEarnings":true,"removeVideoTitleWrapper":true,"pubMatic":true,"infiniteScroll":false,"yahoossp":true,"improvedigital":true,"spa":false,"stickyContainerConfig":{"recipeDesktop":{"minHeight":null,"enabled":false},"blockedSelectors":[],"stickyHeaderSelectors":[],"content":{"minHeight":250,"enabled":true},"recipeMobile":{"minHeight":null,"enabled":false}},"sonobi":true,"yieldmo":true,"footerSelector":"","amazonUAM":true,"gamMCMEnabled":true,"gamMCMChildNetworkCode":"21733317898","rubiconMediaMath":true,"rubicon":true,"conversant":true,"openx":true,"customCreativeEnabled":true,"mobileHeaderHeight":1,"secColor":"#000000","unruly":true,"mediaGrid":true,"bRealTime":false,"adInViewTime":null,"gumgum":true,"comscoreFooter":true,"desktopInterstitial":false,"footerCloseButtonDesktop":false,"ozone":true,"isAutoOptimized":false,"adform":true,"comscoreTAL":true,"targetaff":true,"bgColor":"#FFFFFF","advancePlaylistOptions":{"playlistPlayer":{"enabled":true},"relatedPlayer":{"enabled":true,"applyToFirst":false}},"kargo":true,"liveRampATS":true,"footerCloseButtonMobile":false,"interstitialBlockedPageSelectors":"","prioritizeShorterVideoAds":true,"allowSmallerAdSizes":true,"comscore":"Food","wakeLock":{"desktopEnabled":true,"mobileValue":15,"mobileEnabled":true,"desktopValue":30},"mobileInterstitial":false,"tripleLift":true,"sensitiveCategories":["alc","ast","cbd","conl","cosm","dat","drg","gamc","gamv","pol","rel","sst","ssr","srh","ske","tob","wtl"],"liveRamp":true,"adthriveEmailIdentity":true,"criteo":true,"nativo":true,"infiniteScrollOptions":{"selector":"","heightThreshold":0},"siteAttributes":{"mobileHeaderSelectors":[],"desktopHeaderSelectors":[]},"dynamicContentSlotLazyLoading":true,"clsOptimizedAds":true,"ogury":true,"aidem":false,"verticals":["Food","Clean Eating"],"inImage":false,"usCMP":{"enabled":false,"regions":[]},"advancePlaylist":true,"flipp":true,"delayLoading":false,"inImageZone":null,"appNexus":true,"rise":true,"liveRampId":"","infiniteScrollRefresh":false,"indexExchange":true},"siteAdsProfiles":[],"featureRollouts":{"drp":{"featureRolloutId":18,"data":null,"enabled":false}},"videoPlayers":{"contextual":{"autoplayCollapsibleEnabled":true,"overrideEmbedLocation":true,"defaultPlayerType":"collapse"},"videoEmbed":"wordpress","footerSelector":"","contentSpecificPlaylists":[],"players":[{"devices":["desktop","mobile"],"description":"","id":4049346,"title":"Stationary related player - desktop and mobile","type":"stationaryRelated","enabled":true,"playerId":"AWLdudWE"},{"playlistId":"","pageSelector":"","devices":["desktop"],"description":"","elementSelector":".entry-content > p","skip":2,"id":4049347,"position":"afterend","title":"","type":"stickyRelated","enabled":true,"playerId":"AWLdudWE"},{"playlistId":"","pageSelector":"","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":2,"title":"","type":"stickyRelated","enabled":true,"elementSelector":".entry-content > p","id":4049348,"position":"afterend","saveVideoCloseState":false,"shuffle":false,"mobileHeaderSelector":".hgroup-right","playerId":"AWLdudWE"},{"playlistId":"WMxaBRuy","pageSelector":"body.single","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":2,"title":"MY OTHER RECIPES","type":"stickyPlaylist","enabled":true,"footerSelector":"","elementSelector":".entry-content > p","id":4049350,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":".hgroup-right","playerId":"vZNUuxtz"},{"playlistId":"WMxaBRuy","pageSelector":"body.single","devices":["desktop"],"description":"","skip":2,"title":"MY OTHER RECIPES","type":"stickyPlaylist","enabled":true,"footerSelector":"","elementSelector":".entry-content > p","id":4049349,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":null,"playerId":"vZNUuxtz"}],"partners":{"theTradeDesk":true,"unruly":true,"mediaGrid":true,"undertone":true,"gumgum":true,"adform":true,"pmp":true,"kargo":true,"thirtyThreeAcross":false,"stickyOutstream":{"desktop":{"enabled":true},"blockedPageSelectors":"body.archive","mobileLocation":"bottom-left","allowOnHomepage":false,"mobile":{"enabled":true},"saveVideoCloseState":false,"mobileHeaderSelector":"","allowForPageWithStickyPlayer":{"enabled":true}},"sharethrough":true,"tripleLift":true,"pubMatic":true,"criteo":true,"yahoossp":true,"nativo":true,"improvedigital":true,"aidem":false,"yieldmo":true,"amazonUAM":true,"rubicon":true,"appNexus":true,"rise":true,"openx":true,"indexExchange":true}}};</script>
<script data-no-optimize="1" data-cfasync="false">
(function(w, d) {
w.adthrive = w.adthrive || {};
w.adthrive.cmd = w.adthrive.cmd || [];
w.adthrive.plugin = 'adthrive-ads-3.7.5';
w.adthrive.host = 'ads.adthrive.com';
w.adthrive.integration = 'plugin';
var commitParam = (w.adthriveCLS && w.adthriveCLS.bucket !== 'prod' && w.adthriveCLS.branch) ? '&commit=' + w.adthriveCLS.branch : '';
var s = d.createElement('script');
s.async = true;
s.referrerpolicy='no-referrer-when-downgrade';
s.src = 'https://' + w.adthrive.host + '/sites/5526de1430e169703b9054fc/ads.min.js?referrer=' + w.encodeURIComponent(w.location.href) + commitParam + '&cb=' + (Math.floor(Math.random() * 100) + 1) + '';
var n = d.getElementsByTagName('script')[0];
n.parentNode.insertBefore(s, n);
})(window, document);
</script>
<link rel="dns-prefetch" href="https://ads.adthrive.com/"><link rel="preconnect" href="https://ads.adthrive.com/"><link rel="preconnect" href="https://ads.adthrive.com/" crossorigin>
<!-- This site is optimized with the Yoast SEO Premium plugin v24.9 (Yoast SEO v24.9) - https://yoast.com/wordpress/plugins/seo/ -->
<title>Easiest Coconut Cake Recipe - The Big Man's World ®</title><link rel="preload" href="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake.jpg" as="image" imagesrcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-150x225.jpg 150w" imagesizes="(max-width: 800px) 100vw, 800px" fetchpriority="high" /><link rel="preload" href="https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman.jpeg" as="image" imagesrcset="https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman.jpeg 938w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-800x737.jpeg 800w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-768x707.jpeg 768w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-400x368.jpeg 400w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-150x138.jpeg 150w" imagesizes="(max-width: 800px) 100vw, 800px" fetchpriority="high" /><style id="perfmatters-used-css">.block-about{--cwp-image:224px;position:relative;align-items:center;}.block-about.cwp-large,.block-about.cwp-large.has-background{}.block-about__content{flex-basis:0;flex-grow:1;}.block-about__image,.editor-styles-wrapper .wp-block-group:not(.is-layout-constrained) > .block-about__image{max-width:var(--cwp-image);}.block-about__image img,.editor-styles-wrapper .wp-block-group:not(.is-layout-constrained) > .block-about__image img{border-radius:var(--wp--custom--border-radius--x-large);aspect-ratio:1/1;}.block-area-sidebar .block-about .block-about__inner,.block-area-sidebar .editor-styles-wrapper .block-about .block-about__inner{display:block;padding:0;text-align:center;}.block-area-sidebar .block-about .block-about__image,.block-area-sidebar .editor-styles-wrapper .wp-block-group:not(.is-layout-constrained) > .block-about__image{margin-left:auto;margin-right:auto;margin-bottom:11px;max-width:110px;}.block-area-sidebar .block-about .block-about__content .is-style-heading{font-size:var(--wp--preset--font-size--normal) !important;}.block-area-sidebar .block-about .block-about__content p{margin-top:4px;font-size:var(--wp--preset--font-size--small) !important;}.block-area-sidebar .block-about .block-about__content .wp-block-buttons.is-layout-flex{justify-content:center;}@media only screen and (max-width: 767px){.block-about .block-about__inner,.editor-styles-wrapper .block-about .block-about__inner{display:block;text-align:center;}.block-about .block-about__image,.editor-styles-wrapper .wp-block-group:not(.is-layout-constrained) > .block-about__image{margin-left:auto;margin-right:auto;margin-bottom:24px;}.block-about .block-about__content p{margin-top:12px;}.block-about .block-about__content .wp-block-buttons.is-layout-flex{justify-content:center;}}@media only screen and (min-width: 768px){.block-about{--cwp-image:335px;}.block-about .is-layout-flex{gap:64px;}}.block-author-box__title{font-family:var(--wp--preset--font-family--primary);font-size:2rem;font-weight:700;line-height:var(--wp--custom--line-height--medium);}.block-author-box__photo img{border-radius:var(--wp--custom--border-radius--x-large);}.block-author-box :is(p.block-author-box__title) + *{margin-top:5px;}.block-author-box .block-author-box__content p:not(.block-author-box__title){font-size:var(--wp--preset--font-size--small);}@media only screen and (max-width: 767px){.block-author-box{text-align:center;}.block-author-box__photo{margin-bottom:8px;}.block-author-box__photo img{margin:0 auto;}}@media only screen and (min-width: 768px){.block-author-box{display:grid;grid-template-columns:120px 1fr;column-gap:20px;}.block-author-box.has-background{padding:32px;}}.block-cookbook .block-cookbook__content :is(p.block-cookbook__title,> h2:first-child,> h3:first-child ){font-family:var(--wp--preset--font-family--primary);font-size:var(--wp--preset--font-size--x-large);line-height:var(--wp--custom--line-height--medium);font-weight:700;margin:0;}.block-cookbook .block-cookbook__content a:is(.wp-element-button,.wp-block-button__link){font-size:.9375rem;padding:12px 16px;}.block-pin-recipe .block-pin-recipe__button-container a:is(:hover,:focus){filter:brightness(85%);}.block-quick-links .block-quick-links__inner{text-align:center;}.block-quick-links .block-quick-links__inner span{display:block;line-height:var(--wp--custom--line-height--small);}.block-quick-links .block-quick-links__inner a{font-family:var(--wp--preset--font-family--primary);display:block;position:relative;font-weight:700;text-decoration:none;z-index:2;}.block-quick-links:is(.style-alpha) .block-quick-links__inner{display:flex;flex-flow:row wrap;justify-content:center;}.block-quick-links:is(.style-alpha) img{border-radius:50%;aspect-ratio:1/1;}.block-quick-links:is(.style-alpha) .block-quick-links__inner a{text-transform:uppercase;color:black;}.block-quick-links:is(.style-alpha) .block-quick-links__inner a:hover{color:var(--wp--custom--color--link);}@media only screen and (max-width: 767px){.block-quick-links:is(.style-alpha) .block-quick-links__inner{gap:20px;}.block-quick-links:is(.style-alpha) .block-quick-links__inner span{padding:6px 0 0;}.block-quick-links:is(.style-alpha) .block-quick-links__inner a{font-size:var(--wp--preset--font-size--tiny);width:100px;}.block-quick-links:is(.style-alpha) .block-quick-links__inner svg{height:100px;width:100px;}}@media only screen and (min-width: 768px){.block-quick-links:is(.style-alpha) .block-quick-links__inner{gap:11px;}.block-quick-links:is(.style-alpha) .block-quick-links__inner span{padding:9px 0 5px;}.block-quick-links:is(.style-alpha) .block-quick-links__inner a{font-size:var(--wp--preset--font-size--small);width:120px;}.block-quick-links:is(.style-alpha) .block-quick-links__inner svg{height:120px;width:120px;}}.block-quick-links:is(.style-beta) .block-quick-links__inner{display:flex;flex-wrap:wrap;justify-content:center;gap:10px;}.block-quick-links:is(.style-beta) .block-quick-links__inner a{background:var(--wp--custom--color--neutral-900);font-size:1.0625rem;color:white;padding:15px 22px;}.block-quick-links:is(.style-beta) .block-quick-links__inner a:hover{background:var(--wp--custom--color--link);}.block-quick-links:is(.style-gamma) .block-quick-links__inner{display:grid;position:relative;isolation:isolate;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a{box-shadow:var(--wp--custom--box-shadow--1);border-radius:var(--wp--custom--border-radius--small);overflow:hidden;color:white;letter-spacing:.01em;text-transform:uppercase;font-size:1rem;position:relative;isolation:isolate;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:hover,:focus) span{filter:brightness(.85);}.block-quick-links:is(.style-gamma) .block-quick-links__inner img{width:100%;}.block-quick-links:is(.style-gamma) .block-quick-links__inner span{background-color:var(--wp--preset--color--tertiary);position:absolute;padding:10px 17px 8px;top:50%;left:50%;transform:translateX(-50%) translateY(-50%);width:max-content;max-width:calc(100% - 24px);}@media only screen and (max-width: 767px){.block-quick-links:is(.style-gamma) .block-quick-links__inner{grid-template-columns:repeat(2,minmax(0,1fr));grid-gap:16px;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a{font-size:.875rem;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:first-child,:last-child){grid-column:1/-1;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:first-child,:last-child) img{height:53.33333333vw;object-fit:cover;}.block-quick-links:is(.style-gamma) .block-quick-links__inner span{}}@media only screen and (min-width: 768px){.block-quick-links:is(.style-gamma) .block-quick-links__inner{grid-template-columns:repeat(4,minmax(0,1fr));grid-gap:16px;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a{}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:hover span{}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:nth-child(1),:nth-child(6)){grid-row:1/span 2;height:368px;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:nth-child(1),:nth-child(6)) img{height:100%;width:100%;object-fit:cover;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:nth-child(2),:nth-child(3)){grid-row:1;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:nth-child(4),:nth-child(5)){grid-row:2;}.block-quick-links:is(.style-gamma) .block-quick-links__inner a:is(:nth-child(2),:nth-child(3),:nth-child(4),:nth-child(5)) img{height:100%;width:100%;object-fit:cover;position:absolute;z-index:-1;}.block-quick-links:is(.style-gamma) .block-quick-links__inner span{}}@media only screen and (min-width: 992px){.block-quick-links:is(.style-gamma) .block-quick-links__inner{grid-gap:32px;}}.block-search-extras .block-search-extras__categories a:is(:hover,:focus){filter:brightness(.85);}ul.social-links.has-text-align-center{justify-content:center;}.block-tip :is(p.block-tip__title,h2:first-child,h3:first-child){font-family:var(--wp--preset--font-family--system-font);line-height:var(--wp--custom--line-height--normal);font-weight:700;margin-bottom:0;background:var(--wp--preset--color--quinary);color:white;text-transform:uppercase;display:table;margin-left:0;}.block-tip :is(p.block-tip__title,h2:first-child,h3:first-child) + p{}@media only screen and (max-width: 767px){.block-tip :is(p.block-tip__title,h2:first-child,h3:first-child){font-size:.875rem;padding:5px 12px 3px;transform:translateY(-5px);margin-bottom:-5px;}}@media only screen and (min-width: 768px){.block-tip :is(p.block-tip__title,h2:first-child,h3:first-child){font-size:1rem;padding:7px 14px 5px;transform:translateY(-19px);margin-bottom:-19px;}}.block-toc{background:var(--wp--preset--color--septenary);overflow:hidden;}.block-toc summary{cursor:pointer;display:flex;font-weight:700;padding:12px 10px 8px 20px;justify-content:space-between;align-items:center;list-style-type:none;font-family:var(--wp--preset--font-family--primary);text-transform:uppercase;}.block-toc summary::-webkit-details-marker{display:none;}.block-toc summary svg{float:right;}.block-toc[open] summary svg{transform:rotate(180deg);}.block-toc ol{list-style-type:disc;font-weight:700;font-size:var(--wp--preset--font-size--normal);margin:0px 0 24px 16px;padding:0px 20px 6px !important;}.block-toc > ol > li:not(:last-child){padding-bottom:6px !important;}.block-toc ol li:last-child{padding-bottom:0;}.block-toc li::marker{color:var(--wp--custom--color--link);}.block-toc li a{font-weight:700 !important;}.block-toc li a:hover{}@media only screen and (max-width: 767px){.block-toc summary{font-size:var(--wp--preset--font-size--normal);}}@media only screen and (min-width: 768px){.block-toc summary{font-size:var(--wp--preset--font-size--large);}}@-webkit-keyframes a{to{-webkit-transform:rotate(1turn);transform:rotate(1turn);}}@keyframes a{to{-webkit-transform:rotate(1turn);transform:rotate(1turn);}}@-webkit-keyframes b{0%{background-position:0 0;}to{background-position:30px 0;}}@keyframes b{0%{background-position:0 0;}to{background-position:30px 0;}}@keyframes wprmtimerblink{50%{opacity:.5;}}.wprm-user-rating.wprm-user-rating-allowed .wprm-rating-star{cursor:pointer;}.wprm-popup-modal-user-rating .wprm-popup-modal__container{max-width:500px;width:95%;}.wprm-popup-modal-user-rating #wprm-user-ratings-modal-message{display:none;}.wprm-popup-modal-user-rating .wprm-user-ratings-modal-recipe-name{margin:5px auto;max-width:350px;text-align:center;}.wprm-popup-modal-user-rating .wprm-user-ratings-modal-stars-container{margin-bottom:5px;text-align:center;}.wprm-popup-modal-user-rating input,.wprm-popup-modal-user-rating textarea{box-sizing:border-box;}.wprm-popup-modal-user-rating textarea{border:1px solid #cecece;border-radius:4px;display:block;font-family:inherit;font-size:.9em;line-height:1.5;margin:0;min-height:75px;padding:10px;resize:vertical;width:100%;}.wprm-popup-modal-user-rating textarea:focus::placeholder{color:transparent;}.wprm-popup-modal-user-rating .wprm-user-rating-modal-field{align-items:center;display:flex;margin-top:10px;}.wprm-popup-modal-user-rating .wprm-user-rating-modal-field label{margin-right:10px;min-width:70px;width:auto;}.wprm-popup-modal-user-rating .wprm-user-rating-modal-field input{border:1px solid #cecece;border-radius:4px;display:block;flex:1;font-size:.9em;line-height:1.5;margin:0;padding:5px 10px;width:100%;}.wprm-popup-modal-user-rating.wprm-user-rating-modal-logged-in .wprm-user-rating-modal-comment-meta{display:none;}.wprm-popup-modal-user-rating button{margin-right:5px;}.wprm-popup-modal-user-rating button:disabled,.wprm-popup-modal-user-rating button[disabled]{cursor:not-allowed;opacity:.5;}.wprm-popup-modal-user-rating #wprm-user-rating-modal-errors{color:darkred;display:inline-block;font-size:.8em;}.wprm-popup-modal-user-rating #wprm-user-rating-modal-errors div,.wprm-popup-modal-user-rating #wprm-user-rating-modal-thank-you,.wprm-popup-modal-user-rating #wprm-user-rating-modal-waiting{display:none;}fieldset.wprm-user-ratings-modal-stars{background:none;border:0;display:inline-block;margin:0;padding:0;position:relative;}fieldset.wprm-user-ratings-modal-stars legend{left:0;opacity:0;position:absolute;}fieldset.wprm-user-ratings-modal-stars br{display:none;}fieldset.wprm-user-ratings-modal-stars input[type=radio]{border:0;cursor:pointer;float:left;height:16px;margin:0 !important;min-height:0;min-width:0;opacity:0;padding:0 !important;width:16px;}fieldset.wprm-user-ratings-modal-stars input[type=radio]:first-child{margin-left:-16px;}fieldset.wprm-user-ratings-modal-stars span{font-size:0;height:16px;left:0;opacity:0;pointer-events:none;position:absolute;top:0;width:80px;}fieldset.wprm-user-ratings-modal-stars span svg{height:100% !important;width:100% !important;}fieldset.wprm-user-ratings-modal-stars input:checked+span,fieldset.wprm-user-ratings-modal-stars input:hover+span{opacity:1;}fieldset.wprm-user-ratings-modal-stars input:hover+span~span{display:none;}.wprm-user-rating-summary{align-items:center;display:flex;}.wprm-user-rating-summary .wprm-user-rating-summary-stars{margin-right:10px;}.wprm-user-rating-summary .wprm-user-rating-summary-details{margin-top:2px;}.wprm-popup-modal-user-rating-summary .wprm-popup-modal-user-rating-summary-error{display:none;}.wprm-popup-modal-user-rating-summary .wprm-popup-modal-user-rating-summary-ratings{max-height:500px;overflow-y:scroll;}@supports (-webkit-touch-callout:none){.wprm-popup-modal-user-rating .wprm-user-rating-modal-field input,.wprm-popup-modal-user-rating textarea{font-size:16px;}}.wprm-recipe-equipment-container,.wprm-recipe-ingredients-container,.wprm-recipe-instructions-container,ul.wprm-advanced-list.wprm-advanced-list-reset{counter-reset:wprm-advanced-list-counter;}.wprm-checkbox-container{margin-left:-16px;}.wprm-checkbox-container input[type=checkbox]{margin:0 !important;opacity:0;width:16px !important;}.wprm-checkbox-container label.wprm-checkbox-label{display:inline !important;left:0;margin:0 !important;padding-left:26px;position:relative;}.wprm-checkbox-container label:after,.wprm-checkbox-container label:before{content:"";display:inline-block;position:absolute;}.wprm-checkbox-container label:before{border:1px solid;height:18px;left:0;top:0;width:18px;}.wprm-checkbox-container label:after{border-bottom:2px solid;border-left:2px solid;height:5px;left:5px;top:5px;transform:rotate(-45deg);width:9px;}.wprm-checkbox-container input[type=checkbox]+label:after{content:none;}.wprm-checkbox-container input[type=checkbox]:checked+label:after{content:"";}.wprm-checkbox-container input[type=checkbox]:focus+label:before{outline:5px auto #3b99fc;}.wprm-recipe-equipment li,.wprm-recipe-ingredients li,.wprm-recipe-instructions li{position:relative;}.wprm-recipe-equipment li .wprm-checkbox-container,.wprm-recipe-ingredients li .wprm-checkbox-container,.wprm-recipe-instructions li .wprm-checkbox-container{display:inline-block;left:-32px;line-height:.9em;position:absolute;top:.25em;}input[type=number].wprm-recipe-servings{display:inline;margin:0;padding:5px;width:60px;}</style>
<meta name="description" content="My easy coconut cake recipe is super moist and fluffy and loaded with coconut flavor. It's ready in minutes and uses pantry staples." />
<link rel="canonical" href="https://thebigmansworld.com/coconut-cake/" />
<meta name="author" content="Arman Liew" />
<meta name="twitter:label1" content="Written by" />
<meta name="twitter:data1" content="Arman Liew" />
<meta name="twitter:label2" content="Est. reading time" />
<meta name="twitter:data2" content="4 minutes" />
<script type="application/ld+json" class="yoast-schema-graph">{"@context":"https://schema.org","@graph":[{"@type":"Article","@id":"https://thebigmansworld.com/coconut-cake/#article","isPartOf":{"@id":"https://thebigmansworld.com/coconut-cake/"},"author":{"name":"Arman Liew","@id":"https://thebigmansworld.com/#/schema/person/e73552975703faa1006fa81f0b076785"},"headline":"Coconut Cake","datePublished":"2025-02-04T04:16:24+00:00","dateModified":"2025-02-04T04:16:31+00:00","wordCount":999,"commentCount":21,"publisher":{"@id":"https://thebigmansworld.com/#organization"},"image":{"@id":"https://thebigmansworld.com/coconut-cake/#primaryimage"},"thumbnailUrl":"https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","articleSection":["Cakes, Muffins, and Quick Breads","Dessert Recipes","recipe"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https://thebigmansworld.com/coconut-cake/#respond"]}]},{"@type":["WebPage","FAQPage"],"@id":"https://thebigmansworld.com/coconut-cake/","url":"https://thebigmansworld.com/coconut-cake/","name":"Easiest Coconut Cake Recipe - The Big Man's World ®","isPartOf":{"@id":"https://thebigmansworld.com/#website"},"primaryImageOfPage":{"@id":"https://thebigmansworld.com/coconut-cake/#primaryimage"},"image":{"@id":"https://thebigmansworld.com/coconut-cake/#primaryimage"},"thumbnailUrl":"https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","datePublished":"2025-02-04T04:16:24+00:00","dateModified":"2025-02-04T04:16:31+00:00","description":"My easy coconut cake recipe is super moist and fluffy and loaded with coconut flavor. It's ready in minutes and uses pantry staples.","breadcrumb":{"@id":"https://thebigmansworld.com/coconut-cake/#breadcrumb"},"mainEntity":[{"@id":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641911989"},{"@id":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641917866"}],"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https://thebigmansworld.com/coconut-cake/"]}]},{"@type":"ImageObject","inLanguage":"en-US","@id":"https://thebigmansworld.com/coconut-cake/#primaryimage","url":"https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","contentUrl":"https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","width":1200,"height":1200,"caption":"coconut cake recipe."},{"@type":"BreadcrumbList","@id":"https://thebigmansworld.com/coconut-cake/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https://thebigmansworld.com/"},{"@type":"ListItem","position":2,"name":"Dessert Recipes","item":"https://thebigmansworld.com/category/healthy-desserts/"},{"@type":"ListItem","position":3,"name":"Cakes, Muffins, and Quick Breads","item":"https://thebigmansworld.com/category/healthy-desserts/muffins-cakes/"},{"@type":"ListItem","position":4,"name":"Coconut Cake"}]},{"@type":"WebSite","@id":"https://thebigmansworld.com/#website","url":"https://thebigmansworld.com/","name":"The Big Man's World ®","description":"Easy And Healthy Recipes For Everyone","publisher":{"@id":"https://thebigmansworld.com/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https://thebigmansworld.com/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-US"},{"@type":"Organization","@id":"https://thebigmansworld.com/#organization","name":"The Big Man's World","url":"https://thebigmansworld.com/","logo":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://thebigmansworld.com/#/schema/logo/image/","url":"https://thebigmansworld.com/wp-content/uploads/2023/02/favicon.png","contentUrl":"https://thebigmansworld.com/wp-content/uploads/2023/02/favicon.png","width":512,"height":512,"caption":"The Big Man's World"},"image":{"@id":"https://thebigmansworld.com/#/schema/logo/image/"},"sameAs":["https://www.facebook.com/thebigmansworld/","https://x.com/TheBigMansWorld","https://www.youtube.com/thebigmansworld","https://www.pinterest.com/thebigmansworld/the-big-mans-world-blog/","https://www.instagram.com/thebigmansworld","https://www.tiktok.com/@thebigmansworld_official"]},{"@type":"Person","@id":"https://thebigmansworld.com/#/schema/person/e73552975703faa1006fa81f0b076785","name":"Arman Liew","image":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://thebigmansworld.com/#/schema/person/image/","url":"https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=96&d=mm&r=g","contentUrl":"https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=96&d=mm&r=g","caption":"Arman Liew"},"description":"I’m a two time cookbook author, photographer, and writer, and passionate about creating easy and healthier recipes. I believe you don’t need to be experienced in the kitchen to make good food using simple ingredients that most importantly, taste delicious.","sameAs":["https://thebigmansworld.com/arman-liew/"]},{"@type":"Question","@id":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641911989","position":1,"url":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641911989","name":"Why is my cake dry?","answerCount":1,"acceptedAnswer":{"@type":"Answer","text":"The cake may turn out dry if it’s overmixed or if too much flour was added to the cake batter. Try to avoid packing down the flour when scooping it to measure. ","inLanguage":"en-US"},"inLanguage":"en-US"},{"@type":"Question","@id":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641917866","position":2,"url":"https://thebigmansworld.com/coconut-cake/#faq-question-1738641917866","name":"Can I use a different type of flour?","answerCount":1,"acceptedAnswer":{"@type":"Answer","text":"I don’t recommend switching up the flour. This recipe has been designed especially for using regular all-purpose flour, so changing to a different flour will affect the results of the cake.","inLanguage":"en-US"},"inLanguage":"en-US"},{"@type":"Recipe","name":"Coconut Cake Recipe","author":{"@id":"https://thebigmansworld.com/#/schema/person/e73552975703faa1006fa81f0b076785"},"description":"My coconut cake is moist and fluffy in texture and rich in coconut flavor. It's a simple recipe that requires no eggs and very little prep work.","datePublished":"2025-02-03T23:16:24+00:00","image":["https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-500x500.jpg","https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-500x375.jpg","https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-480x270.jpg"],"recipeYield":["12","12 servings"],"prepTime":"PT5M","cookTime":"PT30M","totalTime":"PT35M","recipeIngredient":["2 cups all-purpose flour","1 1/2 cups sugar","2 teaspoons baking soda","1/2 teaspoon salt","1 1/2 cups water","1 tablespoon vinegar","1/2 cup oil","1 tablespoon vanilla extract","1 cup shredded coconut","8 ounces cream cheese (softened)","1 cup confectioners sugar","3/4 cup heavy cream","1 teaspoon coconut extract (or vanilla extract)"],"recipeInstructions":[{"@type":"HowToStep","text":"Preheat the oven to 190C/375F.","name":"Preheat the oven to 190C/375F.","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-0"},{"@type":"HowToStep","text":"In a mixing bowl, whisk together the flour, sugar, baking soda, and salt. Add the water, oil, vanilla, and vinegar and whisk until smooth. Fold through the coconut flakes.","name":"In a mixing bowl, whisk together the flour, sugar, baking soda, and salt. Add the water, oil, vanilla, and vinegar and whisk until smooth. Fold through the coconut flakes.","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-1"},{"@type":"HowToStep","text":"Grease two 8-inch cake pans and divide the batter between the two.","name":"Grease two 8-inch cake pans and divide the batter between the two.","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-2"},{"@type":"HowToStep","text":"Bake the cakes for 30-35 minutes or until a skewer comes out clean.","name":"Bake the cakes for 30-35 minutes or until a skewer comes out clean.","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-3"},{"@type":"HowToStep","text":"Let the cakes cool completely before frosting. ","name":"Let the cakes cool completely before frosting. ","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-4"},{"@type":"HowToStep","text":"To make the frosting, beat the cream cheese until smooth and creamy. Slowly add in the powdered sugar until combined. Add the cream and coconut extract and beat until stiff peaks form. ","name":"To make the frosting, beat the cream cheese until smooth and creamy. Slowly add in the powdered sugar until combined. Add the cream and coconut extract and beat until stiff peaks form. ","url":"https://thebigmansworld.com/coconut-cake/#wprm-recipe-36688-step-0-5"}],"aggregateRating":{"@type":"AggregateRating","ratingValue":"5","ratingCount":"297","reviewCount":"6"},"review":[{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"What an amazing colour. I just think it takes lots of time to make it.","author":{"@type":"Person","name":"Mario"},"datePublished":"2025-02-14"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This really is moist and fluffy! I like it so much.","author":{"@type":"Person","name":"Mario"},"datePublished":"2025-02-08"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"What a nice recipe. How long can it be outside from the fridge?","author":{"@type":"Person","name":"Mario"},"datePublished":"2025-02-06"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Can I use regular milk or coconut milk instead of water and everything else same as per recipe ?","author":{"@type":"Person","name":"Sam"},"datePublished":"2025-02-05"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This coconut cake is truly outstanding! I couldn't believe how good it tastes without eggs.","author":{"@type":"Person","name":"Cher Lloyd"},"datePublished":"2024-09-05"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Great recipe! Found I had enough cake batter for 3 sandwich tins. Recipe method mentions vinegar but no mention of vinegar in the ingredients!?","author":{"@type":"Person","name":"Linda Morris"},"datePublished":"2023-05-06"}],"recipeCategory":["Dessert"],"recipeCuisine":["American"],"keywords":"coconut cake recipe","nutrition":{"@type":"NutritionInformation","servingSize":"1 serving","calories":"295 kcal","carbohydrateContent":"43 g","proteinContent":"3 g","fatContent":"15 g","sodiumContent":"284 mg","fiberContent":"2 g","sugarContent":"12 g"},"@id":"https://thebigmansworld.com/coconut-cake/#recipe","isPartOf":{"@id":"https://thebigmansworld.com/coconut-cake/#article"},"mainEntityOfPage":"https://thebigmansworld.com/coconut-cake/"}]}</script>
<!-- / Yoast SEO Premium plugin. -->
<link rel='dns-prefetch' href='//thebigmansworld.ck.page' />
<link rel='dns-prefetch' href='//stats.wp.com' />
<link rel="alternate" type="application/rss+xml" title="The Big Man's World ® » Feed" href="https://thebigmansworld.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Big Man's World ® » Comments Feed" href="https://thebigmansworld.com/comments/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Big Man's World ® » Coconut Cake Comments Feed" href="https://thebigmansworld.com/coconut-cake/feed/" />
<link rel="alternate" type="application/rss+xml" title="The Big Man's World ® » Stories Feed" href="https://thebigmansworld.com/web-stories/feed/"><link rel='stylesheet' id='wprm-public-css' href='https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.css?ver=9.8.3' media='all' />
<link rel='stylesheet' id='wp-block-library-css' href='https://thebigmansworld.com/wp-includes/css/dist/block-library/style.min.css?ver=6.7.2' media='all' />
<style id='cwp-as-seen-in-style-inline-css'>
.block-seen-in .block-seen-in__title {
font-size: 1.25rem;
font-weight: 900;
line-height: var(--wp--custom--line-height--small);
text-align: center;
margin: 0 0 24px;
text-transform: uppercase;
}
.block-seen-in .block-seen-in__wrap {
display: flex;
flex-wrap: wrap;
align-items: center;
justify-content: center;
gap: 22px;
}
.block-seen-in .block-seen-in__wrap div {
width: 90px;
height: 48px;
}
.block-seen-in .block-seen-in__wrap img {
width: 100%;
height: 100%;
object-fit: contain;
}
@media only screen and (min-width: 768px) {
.block-seen-in .block-seen-in__wrap {
gap: 22px;
}
.block-seen-in .block-seen-in__wrap div {
width: 120px;
flex-grow: 1;
}
.block-seen-in .block-seen-in__title {
margin-bottom: 32px;
}
}
</style>
<link rel="stylesheet" id="block-callout-css" href="https://thebigmansworld.com/wp-content/cache/perfmatters/thebigmansworld.com/minify/4373e65e6172.style.min.css?ver=1710946265" media="all">
<link rel="stylesheet" id="block-icon-heading-css" href="https://thebigmansworld.com/wp-content/cache/perfmatters/thebigmansworld.com/minify/2e3178e38e6a.style.min.css?ver=1710946265" media="all">
<link rel="stylesheet" id="block-post-listing-css" href="https://thebigmansworld.com/wp-content/cache/perfmatters/thebigmansworld.com/minify/4ef38593cbf0.style.min.css?ver=1710946265" media="all">
<style id='jetpack-sharing-buttons-style-inline-css'>
.jetpack-sharing-buttons__services-list{display:flex;flex-direction:row;flex-wrap:wrap;gap:0;list-style-type:none;margin:5px;padding:0}.jetpack-sharing-buttons__services-list.has-small-icon-size{font-size:12px}.jetpack-sharing-buttons__services-list.has-normal-icon-size{font-size:16px}.jetpack-sharing-buttons__services-list.has-large-icon-size{font-size:24px}.jetpack-sharing-buttons__services-list.has-huge-icon-size{font-size:36px}@media print{.jetpack-sharing-buttons__services-list{display:none!important}}.editor-styles-wrapper .wp-block-jetpack-sharing-buttons{gap:0;padding-inline-start:0}ul.jetpack-sharing-buttons__services-list.has-background{padding:1.25em 2.375em}
</style>
<style id='global-styles-inline-css'>
:root{--wp--preset--aspect-ratio--square: 1;--wp--preset--aspect-ratio--4-3: 4/3;--wp--preset--aspect-ratio--3-4: 3/4;--wp--preset--aspect-ratio--3-2: 3/2;--wp--preset--aspect-ratio--2-3: 2/3;--wp--preset--aspect-ratio--16-9: 16/9;--wp--preset--aspect-ratio--9-16: 9/16;--wp--preset--color--black: #000000;--wp--preset--color--cyan-bluish-gray: #abb8c3;--wp--preset--color--white: #ffffff;--wp--preset--color--pale-pink: #f78da7;--wp--preset--color--vivid-red: #cf2e2e;--wp--preset--color--luminous-vivid-orange: #ff6900;--wp--preset--color--luminous-vivid-amber: #fcb900;--wp--preset--color--light-green-cyan: #7bdcb5;--wp--preset--color--vivid-green-cyan: #00d084;--wp--preset--color--pale-cyan-blue: #8ed1fc;--wp--preset--color--vivid-cyan-blue: #0693e3;--wp--preset--color--vivid-purple: #9b51e0;--wp--preset--color--foreground: #000000;--wp--preset--color--background: #ffffff;--wp--preset--color--primary: #79C042;--wp--preset--color--secondary: #549C5D;--wp--preset--color--tertiary: #29717E;--wp--preset--color--quaternary: #135C8E;--wp--preset--color--quinary: #353535;--wp--preset--color--senary: #F0F6E9;--wp--preset--color--septenary: #F4F4F4;--wp--preset--color--octonary: #E8F1F8;--wp--preset--color--nonary: #E7F1E7;--wp--preset--color--denary: #00B1FF;--wp--preset--gradient--vivid-cyan-blue-to-vivid-purple: linear-gradient(135deg,rgba(6,147,227,1) 0%,rgb(155,81,224) 100%);--wp--preset--gradient--light-green-cyan-to-vivid-green-cyan: linear-gradient(135deg,rgb(122,220,180) 0%,rgb(0,208,130) 100%);--wp--preset--gradient--luminous-vivid-amber-to-luminous-vivid-orange: linear-gradient(135deg,rgba(252,185,0,1) 0%,rgba(255,105,0,1) 100%);--wp--preset--gradient--luminous-vivid-orange-to-vivid-red: linear-gradient(135deg,rgba(255,105,0,1) 0%,rgb(207,46,46) 100%);--wp--preset--gradient--very-light-gray-to-cyan-bluish-gray: linear-gradient(135deg,rgb(238,238,238) 0%,rgb(169,184,195) 100%);--wp--preset--gradient--cool-to-warm-spectrum: linear-gradient(135deg,rgb(74,234,220) 0%,rgb(151,120,209) 20%,rgb(207,42,186) 40%,rgb(238,44,130) 60%,rgb(251,105,98) 80%,rgb(254,248,76) 100%);--wp--preset--gradient--blush-light-purple: linear-gradient(135deg,rgb(255,206,236) 0%,rgb(152,150,240) 100%);--wp--preset--gradient--blush-bordeaux: linear-gradient(135deg,rgb(254,205,165) 0%,rgb(254,45,45) 50%,rgb(107,0,62) 100%);--wp--preset--gradient--luminous-dusk: linear-gradient(135deg,rgb(255,203,112) 0%,rgb(199,81,192) 50%,rgb(65,88,208) 100%);--wp--preset--gradient--pale-ocean: linear-gradient(135deg,rgb(255,245,203) 0%,rgb(182,227,212) 50%,rgb(51,167,181) 100%);--wp--preset--gradient--electric-grass: linear-gradient(135deg,rgb(202,248,128) 0%,rgb(113,206,126) 100%);--wp--preset--gradient--midnight: linear-gradient(135deg,rgb(2,3,129) 0%,rgb(40,116,252) 100%);--wp--preset--gradient--diagonal-tertiary-to-primary: linear-gradient(45deg, var(--wp--preset--color--tertiary) 14.64%, var(--wp--preset--color--primary) 85.36%);--wp--preset--font-size--small: 0.9375rem;--wp--preset--font-size--medium: 1.375rem;--wp--preset--font-size--large: clamp(1.25rem, 2.4vw, 1.5rem);--wp--preset--font-size--x-large: clamp(1.5rem, 2.8vw, 1.75rem);--wp--preset--font-size--tiny: 0.8125rem;--wp--preset--font-size--normal: clamp(1.187rem, 1.9vw, 1.1875rem);--wp--preset--font-size--big: clamp(1.75rem, 3.2vw, 2rem);--wp--preset--font-size--huge: clamp(1.875rem, 3.6vw, 2.25rem);--wp--preset--font-size--jumbo: clamp(2rem, 4vw, 2.5rem);--wp--preset--font-size--gigantic: clamp(2.0625rem, 4.4vw, 2.75rem);--wp--preset--font-size--colossal: clamp(2.125rem, 4.8vw, 3rem);--wp--preset--font-size--gargantuan: clamp(2.75rem, 5.2vw, 3.25rem);--wp--preset--font-family--primary: 'Space Grotesk',-apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,Oxygen-Sans,Ubuntu,Cantarell,"Helvetica Neue",sans-serif;--wp--preset--font-family--system-font: -apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,Oxygen-Sans,Ubuntu,Cantarell,"Helvetica Neue",sans-serif;--wp--preset--spacing--20: 0.44rem;--wp--preset--spacing--30: 0.67rem;--wp--preset--spacing--40: 1rem;--wp--preset--spacing--50: 1.5rem;--wp--preset--spacing--60: 2.25rem;--wp--preset--spacing--70: 3.38rem;--wp--preset--spacing--80: 5.06rem;--wp--preset--shadow--natural: 6px 6px 9px rgba(0, 0, 0, 0.2);--wp--preset--shadow--deep: 12px 12px 50px rgba(0, 0, 0, 0.4);--wp--preset--shadow--sharp: 6px 6px 0px rgba(0, 0, 0, 0.2);--wp--preset--shadow--outlined: 6px 6px 0px -3px rgba(255, 255, 255, 1), 6px 6px rgba(0, 0, 0, 1);--wp--preset--shadow--crisp: 6px 6px 0px rgba(0, 0, 0, 1);--wp--custom--border-radius--tiny: 3px;--wp--custom--border-radius--small: 8px;--wp--custom--border-radius--medium: 12px;--wp--custom--border-radius--large: 24px;--wp--custom--border-radius--x-large: 50%;--wp--custom--border-radius--button: var(--wp--custom--border-radius--tiny);--wp--custom--border-width--tiny: 1px;--wp--custom--border-width--small: 2px;--wp--custom--border-width--medium: 3px;--wp--custom--border-width--large: 4px;--wp--custom--box-shadow--1: 0px 0px 8px rgba(0, 0, 0, 0.25);--wp--custom--box-shadow--2: 0px 6px 12px rgba(97, 97, 97, 0.5);--wp--custom--box-shadow--3: 0px 2px 8px rgba(121, 192, 66, 0.15);--wp--custom--box-shadow--4: 0px 2px 8px rgba(121, 192, 66, 0.4);--wp--custom--color--link: var(--wp--preset--color--tertiary);--wp--custom--color--link-hover: #165159;--wp--custom--color--star: var(--wp--preset--color--secondary);--wp--custom--color--senary-rgb: 240, 246, 233;--wp--custom--color--neutral-50: #FAFAFA;--wp--custom--color--neutral-100: #F5F5F5;--wp--custom--color--neutral-200: #EEEEEE;--wp--custom--color--neutral-300: #E0E0E0;--wp--custom--color--neutral-400: #BDBDBD;--wp--custom--color--neutral-500: #9E9E9E;--wp--custom--color--neutral-600: #757575;--wp--custom--color--neutral-700: #616161;--wp--custom--color--neutral-800: #424242;--wp--custom--color--neutral-900: #212121;--wp--custom--layout--content: 760px;--wp--custom--layout--wide: 1168px;--wp--custom--layout--sidebar: 336px;--wp--custom--layout--page: var(--wp--custom--layout--content);--wp--custom--layout--padding: 16px;--wp--custom--layout--block-gap: 20px;--wp--custom--layout--block-gap-large: 40px;--wp--custom--letter-spacing--none: normal;--wp--custom--letter-spacing--small: .05em;--wp--custom--letter-spacing--medium: .1em;--wp--custom--letter-spacing--large: .15em;--wp--custom--line-height--tiny: 1.1;--wp--custom--line-height--small: 1.2;--wp--custom--line-height--medium: 1.4;--wp--custom--line-height--normal: 1.6;}:root { --wp--style--global--content-size: var(--wp--custom--layout--content);--wp--style--global--wide-size: var(--wp--custom--layout--wide); }:where(body) { margin: 0; }.wp-site-blocks > .alignleft { float: left; margin-right: 2em; }.wp-site-blocks > .alignright { float: right; margin-left: 2em; }.wp-site-blocks > .aligncenter { justify-content: center; margin-left: auto; margin-right: auto; }:where(.wp-site-blocks) > * { margin-block-start: var(--wp--custom--layout--block-gap); margin-block-end: 0; }:where(.wp-site-blocks) > :first-child { margin-block-start: 0; }:where(.wp-site-blocks) > :last-child { margin-block-end: 0; }:root { --wp--style--block-gap: var(--wp--custom--layout--block-gap); }:root :where(.is-layout-flow) > :first-child{margin-block-start: 0;}:root :where(.is-layout-flow) > :last-child{margin-block-end: 0;}:root :where(.is-layout-flow) > *{margin-block-start: var(--wp--custom--layout--block-gap);margin-block-end: 0;}:root :where(.is-layout-constrained) > :first-child{margin-block-start: 0;}:root :where(.is-layout-constrained) > :last-child{margin-block-end: 0;}:root :where(.is-layout-constrained) > *{margin-block-start: var(--wp--custom--layout--block-gap);margin-block-end: 0;}:root :where(.is-layout-flex){gap: var(--wp--custom--layout--block-gap);}:root :where(.is-layout-grid){gap: var(--wp--custom--layout--block-gap);}.is-layout-flow > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}.is-layout-flow > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}.is-layout-flow > .aligncenter{margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}.is-layout-constrained > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}.is-layout-constrained > .aligncenter{margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > :where(:not(.alignleft):not(.alignright):not(.alignfull)){max-width: var(--wp--style--global--content-size);margin-left: auto !important;margin-right: auto !important;}.is-layout-constrained > .alignwide{max-width: var(--wp--style--global--wide-size);}body .is-layout-flex{display: flex;}.is-layout-flex{flex-wrap: wrap;align-items: center;}.is-layout-flex > :is(*, div){margin: 0;}body .is-layout-grid{display: grid;}.is-layout-grid > :is(*, div){margin: 0;}body{background-color: var(--wp--preset--color--background);color: var(--wp--preset--color--foreground);font-family: var(--wp--preset--font-family--system-font);font-size: var(--wp--preset--font-size--normal);line-height: var(--wp--custom--line-height--normal);padding-top: 0px;padding-right: 0px;padding-bottom: 0px;padding-left: 0px;}a:where(:not(.wp-element-button)){color: var(--wp--custom--color--link);text-decoration: underline;}h1, h2, h3, h4, h5, h6{font-family: var(--wp--preset--font-family--primary);font-weight: 700;line-height: var(--wp--custom--line-height--small);}h1{font-size: var(--wp--preset--font-size--colossal);line-height: var(--wp--custom--line-height--tiny);}h2{font-size: var(--wp--preset--font-size--jumbo);}h3{font-size: var(--wp--preset--font-size--huge);}h4{font-size: var(--wp--preset--font-size--big);}h5{font-size: var(--wp--preset--font-size--medium);}h6{font-size: var(--wp--preset--font-size--medium);}:root :where(.wp-element-button, .wp-block-button__link){background-color: var(--wp--preset--color--secondary);border-radius: var(--wp--custom--border-radius--button);border-width: 0px;color: var(--wp--preset--color--background);font-family: var(--wp--preset--font-family--primary);font-size: 1.1875rem;font-weight: 700;line-height: 16px;padding: 19px 22px;text-decoration: none;}.has-black-color{color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-color{color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-color{color: var(--wp--preset--color--white) !important;}.has-pale-pink-color{color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-color{color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-color{color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-color{color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-color{color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-color{color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-color{color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-color{color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-color{color: var(--wp--preset--color--vivid-purple) !important;}.has-foreground-color{color: var(--wp--preset--color--foreground) !important;}.has-background-color{color: var(--wp--preset--color--background) !important;}.has-primary-color{color: var(--wp--preset--color--primary) !important;}.has-secondary-color{color: var(--wp--preset--color--secondary) !important;}.has-tertiary-color{color: var(--wp--preset--color--tertiary) !important;}.has-quaternary-color{color: var(--wp--preset--color--quaternary) !important;}.has-quinary-color{color: var(--wp--preset--color--quinary) !important;}.has-senary-color{color: var(--wp--preset--color--senary) !important;}.has-septenary-color{color: var(--wp--preset--color--septenary) !important;}.has-octonary-color{color: var(--wp--preset--color--octonary) !important;}.has-nonary-color{color: var(--wp--preset--color--nonary) !important;}.has-denary-color{color: var(--wp--preset--color--denary) !important;}.has-black-background-color{background-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-background-color{background-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-background-color{background-color: var(--wp--preset--color--white) !important;}.has-pale-pink-background-color{background-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-background-color{background-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-background-color{background-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-background-color{background-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-background-color{background-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-background-color{background-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-background-color{background-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-background-color{background-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-background-color{background-color: var(--wp--preset--color--vivid-purple) !important;}.has-foreground-background-color{background-color: var(--wp--preset--color--foreground) !important;}.has-background-background-color{background-color: var(--wp--preset--color--background) !important;}.has-primary-background-color{background-color: var(--wp--preset--color--primary) !important;}.has-secondary-background-color{background-color: var(--wp--preset--color--secondary) !important;}.has-tertiary-background-color{background-color: var(--wp--preset--color--tertiary) !important;}.has-quaternary-background-color{background-color: var(--wp--preset--color--quaternary) !important;}.has-quinary-background-color{background-color: var(--wp--preset--color--quinary) !important;}.has-senary-background-color{background-color: var(--wp--preset--color--senary) !important;}.has-septenary-background-color{background-color: var(--wp--preset--color--septenary) !important;}.has-octonary-background-color{background-color: var(--wp--preset--color--octonary) !important;}.has-nonary-background-color{background-color: var(--wp--preset--color--nonary) !important;}.has-denary-background-color{background-color: var(--wp--preset--color--denary) !important;}.has-black-border-color{border-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-border-color{border-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-border-color{border-color: var(--wp--preset--color--white) !important;}.has-pale-pink-border-color{border-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-border-color{border-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-border-color{border-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-border-color{border-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-border-color{border-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-border-color{border-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-border-color{border-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-border-color{border-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-border-color{border-color: var(--wp--preset--color--vivid-purple) !important;}.has-foreground-border-color{border-color: var(--wp--preset--color--foreground) !important;}.has-background-border-color{border-color: var(--wp--preset--color--background) !important;}.has-primary-border-color{border-color: var(--wp--preset--color--primary) !important;}.has-secondary-border-color{border-color: var(--wp--preset--color--secondary) !important;}.has-tertiary-border-color{border-color: var(--wp--preset--color--tertiary) !important;}.has-quaternary-border-color{border-color: var(--wp--preset--color--quaternary) !important;}.has-quinary-border-color{border-color: var(--wp--preset--color--quinary) !important;}.has-senary-border-color{border-color: var(--wp--preset--color--senary) !important;}.has-septenary-border-color{border-color: var(--wp--preset--color--septenary) !important;}.has-octonary-border-color{border-color: var(--wp--preset--color--octonary) !important;}.has-nonary-border-color{border-color: var(--wp--preset--color--nonary) !important;}.has-denary-border-color{border-color: var(--wp--preset--color--denary) !important;}.has-vivid-cyan-blue-to-vivid-purple-gradient-background{background: var(--wp--preset--gradient--vivid-cyan-blue-to-vivid-purple) !important;}.has-light-green-cyan-to-vivid-green-cyan-gradient-background{background: var(--wp--preset--gradient--light-green-cyan-to-vivid-green-cyan) !important;}.has-luminous-vivid-amber-to-luminous-vivid-orange-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-amber-to-luminous-vivid-orange) !important;}.has-luminous-vivid-orange-to-vivid-red-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-orange-to-vivid-red) !important;}.has-very-light-gray-to-cyan-bluish-gray-gradient-background{background: var(--wp--preset--gradient--very-light-gray-to-cyan-bluish-gray) !important;}.has-cool-to-warm-spectrum-gradient-background{background: var(--wp--preset--gradient--cool-to-warm-spectrum) !important;}.has-blush-light-purple-gradient-background{background: var(--wp--preset--gradient--blush-light-purple) !important;}.has-blush-bordeaux-gradient-background{background: var(--wp--preset--gradient--blush-bordeaux) !important;}.has-luminous-dusk-gradient-background{background: var(--wp--preset--gradient--luminous-dusk) !important;}.has-pale-ocean-gradient-background{background: var(--wp--preset--gradient--pale-ocean) !important;}.has-electric-grass-gradient-background{background: var(--wp--preset--gradient--electric-grass) !important;}.has-midnight-gradient-background{background: var(--wp--preset--gradient--midnight) !important;}.has-diagonal-tertiary-to-primary-gradient-background{background: var(--wp--preset--gradient--diagonal-tertiary-to-primary) !important;}.has-small-font-size{font-size: var(--wp--preset--font-size--small) !important;}.has-medium-font-size{font-size: var(--wp--preset--font-size--medium) !important;}.has-large-font-size{font-size: var(--wp--preset--font-size--large) !important;}.has-x-large-font-size{font-size: var(--wp--preset--font-size--x-large) !important;}.has-tiny-font-size{font-size: var(--wp--preset--font-size--tiny) !important;}.has-normal-font-size{font-size: var(--wp--preset--font-size--normal) !important;}.has-big-font-size{font-size: var(--wp--preset--font-size--big) !important;}.has-huge-font-size{font-size: var(--wp--preset--font-size--huge) !important;}.has-jumbo-font-size{font-size: var(--wp--preset--font-size--jumbo) !important;}.has-gigantic-font-size{font-size: var(--wp--preset--font-size--gigantic) !important;}.has-colossal-font-size{font-size: var(--wp--preset--font-size--colossal) !important;}.has-gargantuan-font-size{font-size: var(--wp--preset--font-size--gargantuan) !important;}.has-primary-font-family{font-family: var(--wp--preset--font-family--primary) !important;}.has-system-font-font-family{font-family: var(--wp--preset--font-family--system-font) !important;}
:root :where(.wp-block-pullquote){font-size: 1.5em;line-height: 1.6;}
</style>
<link rel='stylesheet' id='dpsp-frontend-style-pro-css' href='https://thebigmansworld.com/wp-content/plugins/social-pug/assets/dist/style-frontend-pro.css?ver=2.25.2' media='all' />
<style id='dpsp-frontend-style-pro-inline-css'>
@media screen and ( max-width : 720px ) {
.dpsp-content-wrapper.dpsp-hide-on-mobile,
.dpsp-share-text.dpsp-hide-on-mobile {
display: none;
}
.dpsp-has-spacing .dpsp-networks-btns-wrapper li {
margin:0 2% 10px 0;
}
.dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count) {
max-height: 40px;
padding: 0;
justify-content: center;
}
.dpsp-content-wrapper.dpsp-size-small .dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count){
max-height: 32px;
}
.dpsp-content-wrapper.dpsp-size-large .dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count){
max-height: 46px;
}
}
</style>
<style id='cwp-font-inline-css'>
/* latin */
@font-face {
font-family: 'Space Grotesk';
font-style: normal;
font-weight: 400;
font-display: swap;
src: url('https://thebigmansworld.com/wp-content/themes/thebigmansworld-2023/assets/fonts/space-grotesk-v13-latin-regular.woff2') format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
/* latin */
@font-face {
font-family: 'Space Grotesk';
font-style: normal;
font-weight: 700;
font-display: swap;
src: url('https://thebigmansworld.com/wp-content/themes/thebigmansworld-2023/assets/fonts/space-grotesk-v13-latin-700.woff2') format('woff2');
unicode-range: U+0000-00FF, U+0131, U+0152-0153, U+02BB-02BC, U+02C6, U+02DA, U+02DC, U+2000-206F, U+2074, U+20AC, U+2122, U+2191, U+2193, U+2212, U+2215, U+FEFF, U+FFFD;
}
</style>
<link rel="stylesheet" id="theme-style-css" href="https://thebigmansworld.com/wp-content/cache/perfmatters/thebigmansworld.com/minify/de40a4dfd8b4.main.min.css?ver=1710946265" media="all">
<style id='akismet-widget-style-inline-css'>
.a-stats {
--akismet-color-mid-green: #357b49;
--akismet-color-white: #fff;
--akismet-color-light-grey: #f6f7f7;
max-width: 350px;
width: auto;
}
.a-stats * {
all: unset;
box-sizing: border-box;
}
.a-stats strong {
font-weight: 600;
}
.a-stats a.a-stats__link,
.a-stats a.a-stats__link:visited,
.a-stats a.a-stats__link:active {
background: var(--akismet-color-mid-green);
border: none;
box-shadow: none;
border-radius: 8px;
color: var(--akismet-color-white);
cursor: pointer;
display: block;
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen-Sans', 'Ubuntu', 'Cantarell', 'Helvetica Neue', sans-serif;
font-weight: 500;
padding: 12px;
text-align: center;
text-decoration: none;
transition: all 0.2s ease;
}
/* Extra specificity to deal with TwentyTwentyOne focus style */
.widget .a-stats a.a-stats__link:focus {
background: var(--akismet-color-mid-green);
color: var(--akismet-color-white);
text-decoration: none;
}
.a-stats a.a-stats__link:hover {
filter: brightness(110%);
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.06), 0 0 2px rgba(0, 0, 0, 0.16);
}
.a-stats .count {
color: var(--akismet-color-white);
display: block;
font-size: 1.5em;
line-height: 1.4;
padding: 0 13px;
white-space: nowrap;
}
</style>
<script src="https://thebigmansworld.com/wp-includes/js/jquery/jquery.min.js?ver=3.7.1" id="jquery-core-js" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<link rel="https://api.w.org/" href="https://thebigmansworld.com/wp-json/" /><link rel="alternate" title="JSON" type="application/json" href="https://thebigmansworld.com/wp-json/wp/v2/posts/36677" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://thebigmansworld.com/xmlrpc.php?rsd" />
<link rel='shortlink' href='https://thebigmansworld.com/?p=36677' />
<link rel="alternate" title="oEmbed (JSON)" type="application/json+oembed" href="https://thebigmansworld.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fthebigmansworld.com%2Fcoconut-cake%2F" />
<link rel="alternate" title="oEmbed (XML)" type="text/xml+oembed" href="https://thebigmansworld.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fthebigmansworld.com%2Fcoconut-cake%2F&format=xml" />
<!-- HFCM by 99 Robots - Snippet # 4: GA4 Script -->
<!-- Global site tag (gtag.js) - Google Analytics -->
<script async src="https://www.googletagmanager.com/gtag/js?id=G-WG9Q3SP29P"></script>
<script>
window.dataLayer = window.dataLayer || [];
function gtag(){dataLayer.push(arguments);}
gtag('js', new Date());
gtag('config', 'G-WG9Q3SP29P');
</script>
<!-- /end HFCM by 99 Robots -->
<!-- [slickstream] Page Generated at: 5/3/2025, 6:06:45 PM EST --> <script>console.info(`[slickstream] Page Generated at: 5/3/2025, 6:06:45 PM EST`);</script>
<script>console.info(`[slickstream] Current timestamp: ${(new Date).toLocaleString('en-US', { timeZone: 'America/New_York' })} EST`);</script>
<!-- [slickstream] Page Boot Data: -->
<script class='slickstream-script'>
(function() {
"slickstream";
const win = window;
win.$slickBoot = win.$slickBoot || {};
win.$slickBoot.d = {"bestBy":1746311392779,"epoch":1745442719662,"siteCode":"TPDSH95N","services":{"engagementCacheableApiDomain":"https:\/\/c04f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c04b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c04f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c04b-wss.app.slickstream.com\/socket?site=TPDSH95N"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/app.js","adminUrl":"","allowList":["thebigmansworld.com"],"abTests":[],"wpPluginTtl":3600,"v2":{"phone":{"placeholders":[],"bootTriggerTimeout":250,"emailCapture":{"mainTitle":"WANT TO SAVE THIS RECIPE?","mainDesc":"Enter your email to receive this recipe, along with weekly food inspiration!","saveButtonText":"GO","confirmTitle":"Success!","confirmDesc":"The email will be in your inbox soon.","optInText":"Send me new recipes from The Big Man's World","optInDefaultOff":false,"cssSelector":".wprm-recipe-container","formIconType":"none"},"bestBy":1746311392779,"epoch":1745442719662,"siteCode":"TPDSH95N","services":{"engagementCacheableApiDomain":"https:\/\/c04f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c04b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c04f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c04b-wss.app.slickstream.com\/socket?site=TPDSH95N"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/app.js","adminUrl":"","allowList":["thebigmansworld.com"],"abTests":[],"wpPluginTtl":3600},"tablet":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1746311392779,"epoch":1745442719662,"siteCode":"TPDSH95N","services":{"engagementCacheableApiDomain":"https:\/\/c04f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c04b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c04f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c04b-wss.app.slickstream.com\/socket?site=TPDSH95N"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/app.js","adminUrl":"","allowList":["thebigmansworld.com"],"abTests":[],"wpPluginTtl":3600},"desktop":{"placeholders":[],"bootTriggerTimeout":250,"emailCapture":{"mainTitle":"WANT TO SAVE THIS RECIPE?","mainDesc":"Enter your email to receive this recipe, along with weekly food inspiration!","saveButtonText":"GO","confirmTitle":"Success!","confirmDesc":"The email will be in your inbox soon.","optInText":"Send me new recipes from The Big Man's World","optInDefaultOff":false,"cssSelector":".wprm-recipe-container","formIconType":"none"},"bestBy":1746311392779,"epoch":1745442719662,"siteCode":"TPDSH95N","services":{"engagementCacheableApiDomain":"https:\/\/c04f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c04b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c04f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c04b-wss.app.slickstream.com\/socket?site=TPDSH95N"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/app.js","adminUrl":"","allowList":["thebigmansworld.com"],"abTests":[],"wpPluginTtl":3600},"unknown":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1746311392779,"epoch":1745442719662,"siteCode":"TPDSH95N","services":{"engagementCacheableApiDomain":"https:\/\/c04f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c04b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c04f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c04b-wss.app.slickstream.com\/socket?site=TPDSH95N"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.14.2\/app.js","adminUrl":"","allowList":["thebigmansworld.com"],"abTests":[],"wpPluginTtl":3600}}};
win.$slickBoot.s = 'plugin';
win.$slickBoot._bd = performance.now();
})();
</script>
<!-- [slickstream] END Page Boot Data -->
<!-- [slickstream] CLS Insertion: -->
<script>
"use strict";(async(e,t,n)=>{const o="slickstream";const i=e?JSON.parse(e):null;const r=t?JSON.parse(t):null;const c=n?JSON.parse(n):null;if(i||r||c){const e=async()=>{if(document.body){if(i){m(i.selector,i.position||"after selector","slick-film-strip",i.minHeight||72,i.margin||i.marginLegacy||"10px auto")}if(r){r.forEach((e=>{if(e.selector){m(e.selector,e.position||"after selector","slick-inline-search-panel",e.minHeight||350,e.margin||e.marginLegacy||"50px 15px",e.id)}}))}if(c){s(c)}return}window.requestAnimationFrame(e)};window.requestAnimationFrame(e)}const s=async e=>{const t="slick-on-page";try{if(document.querySelector(`.${t}`)){return}const n=l()?e.minHeightMobile||220:e.minHeight||200;if(e.cssSelector){m(e.cssSelector,"before selector",t,n,"",undefined)}else{a(e.pLocation||3,t,n)}}catch(e){console.log("plugin","error",o,`Failed to inject ${t}`)}};const a=async(e,t,n)=>{const o=document.createElement("div");o.classList.add(t);o.classList.add("cls-inserted");o.style.minHeight=n+"px";const i=document.querySelectorAll("article p");if((i===null||i===void 0?void 0:i.length)>=e){const t=i[e-1];t.insertAdjacentElement("afterend",o);return o}const r=document.querySelectorAll("section.wp-block-template-part div.entry-content p");if((r===null||r===void 0?void 0:r.length)>=e){const t=r[e-1];t.insertAdjacentElement("afterend",o);return o}return null};const l=()=>{const e=navigator.userAgent;const t=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari/i.test(e);const n=/Mobi|iP(hone|od)|Opera Mini/i.test(e);return n&&!t};const d=async(e,t)=>{const n=Date.now();while(true){const o=document.querySelector(e);if(o){return o}const i=Date.now();if(i-n>=t){throw new Error("Timeout")}await u(200)}};const u=async e=>new Promise((t=>{setTimeout(t,e)}));const m=async(e,t,n,i,r,c)=>{try{const o=await d(e,5e3);const s=c?document.querySelector(`.${n}[data-config="${c}"]`):document.querySelector(`.${n}`);if(o&&!s){const e=document.createElement("div");e.style.minHeight=i+"px";e.style.margin=r;e.classList.add(n);e.classList.add("cls-inserted");if(c){e.dataset.config=c}switch(t){case"after selector":o.insertAdjacentElement("afterend",e);break;case"before selector":o.insertAdjacentElement("beforebegin",e);break;case"first child of selector":o.insertAdjacentElement("afterbegin",e);break;case"last child of selector":o.insertAdjacentElement("beforeend",e);break}return e}}catch(t){console.log("plugin","error",o,`Failed to inject ${n} for selector ${e}`)}return false}})
('','','{\"mainTitle\":\"WANT TO SAVE THIS RECIPE?\",\"mainDesc\":\"Enter your email to receive this recipe, along with weekly food inspiration!\",\"saveButtonText\":\"GO\",\"confirmTitle\":\"Success!\",\"confirmDesc\":\"The email will be in your inbox soon.\",\"optInText\":\"Send me new recipes from The Big Man\'s World\",\"optInDefaultOff\":false,\"cssSelector\":\".wprm-recipe-container\",\"formIconType\":\"none\"}');
</script>
<!-- [slickstream] END CLS Insertion -->
<meta property='slick:wpversion' content='2.0.3' />
<!-- [slickstream] Bootloader: -->
<script class='slickstream-script'>'use strict';
(async(e,t)=>{if(location.search.indexOf("no-slick")>=0){return}let s;const a=()=>performance.now();let c=window.$slickBoot=window.$slickBoot||{};c.rt=e;c._es=a();c.ev="2.0.1";c.l=async(e,t)=>{try{let c=0;if(!s&&"caches"in self){s=await caches.open("slickstream-code")}if(s){let o=await s.match(e);if(!o){c=a();await s.add(e);o=await s.match(e);if(o&&!o.ok){o=undefined;s.delete(e)}}if(o){const e=o.headers.get("x-slickstream-consent");return{t:c,d:t?await o.blob():await o.json(),c:e||"na"}}}}catch(e){console.log(e)}return{}};const o=e=>new Request(e,{cache:"no-store"});if(!c.d||c.d.bestBy<Date.now()){const s=o(`${e}/d/page-boot-data?site=${t}&url=${encodeURIComponent(location.href.split("#")[0])}`);let{t:i,d:n,c:l}=await c.l(s);if(n){if(n.bestBy<Date.now()){n=undefined}else if(i){c._bd=i;c.c=l}}if(!n){c._bd=a();const e=await fetch(s);const t=e.headers.get("x-slickstream-consent");c.c=t||"na";n=await e.json()}if(n){c.d=n;c.s="embed"}}if(c.d){let e=c.d.bootUrl;const{t:t,d:s}=await c.l(o(e),true);if(s){c.bo=e=URL.createObjectURL(s);if(t){c._bf=t}}else{c._bf=a()}const i=document.createElement("script");i.className="slickstream-script";i.src=e;document.head.appendChild(i)}else{console.log("[slickstream] Boot failed")}})
("https://app.slickstream.com","TPDSH95N");
</script>
<!-- [slickstream] END Bootloader -->
<!-- [slickstream] Page Metadata: -->
<meta property="slick:wppostid" content="36677" />
<meta property="slick:featured_image" content="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg" />
<meta property="slick:group" content="post" />
<meta property="slick:category" content="muffins-cakes:Cakes, Muffins, and Quick Breads" />
<meta property=";" content="healthy-desserts:Dessert Recipes" />
<meta property="slick:category" content="healthy-desserts:Dessert Recipes" />
<meta property="slick:category" content="recipe:recipe" />
<script type="application/x-slickstream+json">{"@context":"https://slickstream.com","@graph":[{"@type":"Plugin","version":"2.0.3"},{"@type":"Site","name":"The Big Man's World \u00ae","url":"https://thebigmansworld.com","description":"Easy And Healthy Recipes For Everyone","atomUrl":"https://thebigmansworld.com/feed/atom/","rtl":false},{"@type":"WebPage","@id":36677,"isFront":false,"isHome":false,"isCategory":false,"isTag":false,"isSingular":true,"date":"2025-02-03T23:16:24-05:00","modified":"2025-02-03T23:16:31-05:00","title":"Coconut Cake","pageType":"post","postType":"post","featured_image":"https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg","author":"Arman Liew","categories":[{"@id":1004,"slug":"muffins-cakes","name":"Cakes, Muffins, and Quick Breads","parents":[{"@type":"CategoryParent","@id":975,"slug":"healthy-desserts","name":"Dessert Recipes"}]},{"@id":975,"slug":"healthy-desserts","name":"Dessert Recipes","parents":[]},{"@id":22,"slug":"recipe","name":"recipe","parents":[]}]}]}</script>
<!-- [slickstream] END Page Metadata -->
<script class='slickstream-script'>
(function() {
const slickstreamRocketPluginScripts = document.querySelectorAll('script.slickstream-script[type=rocketlazyloadscript]');
const slickstreamRocketExternalScripts = document.querySelectorAll('script[type=rocketlazyloadscript][src*="app.slickstream.com"]');
if (slickstreamRocketPluginScripts.length > 0 || slickstreamRocketExternalScripts.length > 0) {
console.warn('[slickstream]' + ['Slickstream scripts. This ', 'may cause undesirable behavior, ', 'such as increased CLS scores.',' WP-Rocket is deferring one or more ',].sort().join(''));
}
})();
</script><meta name="hubbub-info" description="Hubbub Pro 2.25.2"><style type="text/css">.wprm-glossary-term {color: #5A822B;text-decoration: underline;cursor: help;}</style><style type="text/css">.wprm-recipe-template-snippet-basic-buttons {
font-family: inherit; /* wprm_font_family type=font */
font-size: 0.9em; /* wprm_font_size type=font_size */
text-align: center; /* wprm_text_align type=align */
margin-top: 0px; /* wprm_margin_top type=size */
margin-bottom: 10px; /* wprm_margin_bottom type=size */
}
.wprm-recipe-template-snippet-basic-buttons a {
margin: 5px; /* wprm_margin_button type=size */
margin: 5px; /* wprm_margin_button type=size */
}
.wprm-recipe-template-snippet-basic-buttons a:first-child {
margin-left: 0;
}
.wprm-recipe-template-snippet-basic-buttons a:last-child {
margin-right: 0;
}.wprm-recipe-template-cwp-food---video-move-edit {
background: white;
border: 2px solid var(--wp--preset--color--secondary);
position: relative;
padding: 0 var(--wp--custom--layout--padding) var(--wp--custom--layout--padding);
margin-bottom: var(--wp--custom--layout--padding);
margin-top: 80px;
overflow: visible;
isolation: isolate;
}
@media only screen and (max-width: 368px) {
.wprm-recipe-template-cwp-food---video-move-edit {
margin-left: calc( -1 * var(--wp--custom--layout--padding) );
margin-right: calc( -1 * var(--wp--custom--layout--padding) );
width: calc( 100% + 2 * var(--wp--custom--layout--padding) );
}
}
@media only screen and (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit {
--wp--custom--layout--padding: 30px;
padding-top: 46px;
}
}
/* HEADINGS :=headings ------------------------------------------------------ */
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header {
font-family: var(--wp--preset--font-family--primary);
font-size: var(--wp--preset--font-size--huge);
line-height: var(--wp--custom--line-height--small);
font-weight: 700;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header + * {
margin-top: 10px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header.wprm-header-has-actions {
gap: 2px; /* for spacing on unit conversion and adjustable servings when they stack vertically */
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container {
font-family: var(--wp--preset--font-family--primary);
line-height: var(--wp--custom--line-height--small);
font-size: 1rem;
font-weight: 700;
border: none;
/* margin-bottom: 10px; */
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container button.wprm-unit-conversion,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings {
border-left: 0 !important;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container button.wprm-unit-conversion {
padding: 9px 12px;
border-radius: var(--wp--custom--border-radius--tiny);
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings {
padding: 9px 12px;
border-radius: var(--wp--custom--border-radius--tiny);
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container button.wprm-unit-conversion.wprmpuc-active,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings.wprm-toggle-active {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container button.wprm-unit-conversion:not(.wprmpuc-active),
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings:not(.wprm-toggle-active) {
color: black !important;
}
@media (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container-buttons button.wprm-unit-conversion {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings {
}
}
@media (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-unit-conversion-container-buttons button.wprm-unit-conversion {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header .wprm-recipe-adjustable-servings-container button.wprm-recipe-adjustable-servings {
}
}
/* Header top ---------------------------------------------------------------- */
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header__icon-container {
box-shadow: var(--wp--custom--box-shadow--1);
background: var(--wp--preset--gradient--diagonal-tertiary-to-primary);
width: 60px;
height: 60px;
line-height: 0;
display: inline-flex;
justify-content: center;
align-items: center;
border-radius: 50%;
position: absolute;
z-index: 1;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header__icon-container svg {
fill: white;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-name {
font-size: var(--wp--preset--font-size--huge);
margin-bottom: 16px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-image {
max-width: 235px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating {
line-height: 0;
display: flex;
flex-flow: row wrap;
align-items: center;
margin-bottom: 16px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating .wprm-rating-star {
line-height: 0;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating svg {
width: 25px;
height: 25px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating-details {
font-family: var(--wp--preset--font-family--primary);
font-size: 0.9375rem;
color: var(--wp--custom--color--neutral-700);
margin-left: 12px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating-details .wprm-recipe-rating-average {
font-weight: 700;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-summary {
margin-bottom: 16px;
}
@media only screen and (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header__icon-container {
left: 50%;
transform: translateX(-50%);
top: -46px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-image {
transform: translateY( calc( -18px ) );
margin: 0 auto;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-name {
text-align: center;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-rating {
justify-content: center;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-summary {
text-align: center;
}
}
@media only screen and (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit {
--wp--custom--layout--padding: 30px;
padding-top: 46px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-image {
float: right;
transform: translateY( calc( -46px + -2px + -30px ) ); /* have to account for top padding and border, plus the actual offset */
margin: 0 0 calc( 16px - 48px ) 24px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-image img {
box-shadow: var(--wp--custom--box-shadow--1);
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header__icon-container {
top: -30px;
}
}
/* Servings & Times ---------------------------------------------------------------- */
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container {
display: flex;
line-height: var(--wp--custom--line-height--small);
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-label {
font-weight: 900;
text-transform: uppercase;
font-size: 0.875rem;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details,
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-unit {
font-size: 0.875rem;
font-family: var(--wp--preset--font-family--primary);
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-servings {
font-size: 0.875rem;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-servings-unit {
display: none;
}
@media (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container {
--cwp-food-times-gap: 14px;
justify-content: center;
gap: var(--cwp-food-times-gap);
flex-wrap: wrap;
margin: 18px auto 20px;
text-align: center;
max-width: 250px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container > div {
flex: 1 1 calc( 50% - var(--cwp-food-times-gap) );
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-servings-container {
width: 100%; /* put servings on a line by themselves */
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-label {
font-size: 0.875rem;
margin-bottom: 4px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details,
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-unit {
font-size: 0.8125rem;
}
}
@media (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container {
gap: 30px;
margin: 16px 0 30px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-label {
font-size: 0.875rem;
margin-bottom: 5px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-servings-label {
margin-bottom: 2px; /* custom margin bottom for servings label */
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details,
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-header .wprm-recipe-meta-container .wprm-recipe-details-unit {
font-size: 0.875rem;
}
}
/* Actions ---------------------------------------------------------------- */
.cwp-food-buttons {
display: flex;
}
.cwp-food-buttons a {
background: var(--wp--preset--color--secondary);
border-radius: var(--wp--custom--border-radius--tiny);
font-family: var(--wp--preset--font-family--primary);
display: inline-block;
text-decoration: none;
color: white;
font-weight: 700;
text-transform: uppercase;
text-align: center;
}
.cwp-food-buttons a:is(:hover,:focus) {
filter: brightness(85%);
}
@media only screen and (max-width: 767px) {
.cwp-food-buttons {
--cwp-food-buttons-gap: 14px;
margin-top: 15px;
justify-content: space-between;
flex-wrap: wrap;
gap: var(--cwp-food-buttons-gap);
}
.cwp-food-buttons a {
flex: 1 1 calc( 50% - var(--cwp-food-buttons-gap) );
font-size: .75rem;
padding: 11px 6px 9px 6px;
}
}
@media only screen and (min-width: 768px) {
.cwp-food-buttons {
margin-top: 28px;
gap: 16px;
}
.cwp-food-buttons a {
font-size: 0.875rem;
padding: 9px 44px;
flex-grow: 1;
}
}
/* Body ---------------------------------------------------------------- */
.wprm-toggle-switch-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-equipment-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredients-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-video-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-notes-container,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-nutrition-header {
margin-top: 32px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header > *:first-child {
margin-left: auto;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-group-name {
font-family: var(--wp--preset--font-family--system-font);
font-size: 1.25rem;
text-transform: uppercase;
font-weight: 900 !important;
margin-top: 0 !important;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredient-group ul,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instruction-group ul {
padding-left: 0;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-equipment-header,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredient-group-name,
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instruction-group-name {
margin-bottom: 12px;
}
.entry-content .wprm-recipe-template-cwp-food---video-move-edit ul {
padding-left: 0;
}
.wprm-recipe-template-cwp-food---video-move-edit h4 {
font-size: var(--wp--preset--font-size--medium);
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions {
counter-reset: li;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions li {
list-style-type: none !important;
margin-left: 0;
padding-left: 29px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions li::before {
background: #000;
color: #fff;
font-size: 12px;
font-weight: 700;
content: counter(li);
counter-increment: li;
width: 21px;
height: 21px;
border-radius: 50%;
display: flex;
align-items: center;
justify-content: center;
position: absolute;
top: 4px;
left: 0;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-video iframe {
max-width: 100%;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-notes {
font-size: var(--wp--preset--font-size--small);
}
@media only screen and (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-header > *:nth-child(2) {
margin-top: 16px;
}
}
/* Ingredients */
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredients-container {
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredients-container li::marker {
color: var(--wp--preset--color--secondary);
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredient-notes {
font-style: italic;
color: var(--wp--custom--color--neutral-800);
}
@media only screen and (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredient-notes {
font-size: 0.9375rem;
}
}
@media only screen and (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-ingredient-notes {
font-size: 1.0625rem;
}
}
/* Instructions */
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions {
counter-reset: li;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions li {
list-style-type: none !important;
margin-left: 0;
padding-left: 29px;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-recipe-instructions li::before {
background: var(--wp--preset--color--secondary);
color: var(--wp--preset--color--white);
font-size: 0.75rem;
font-weight: 700;
content: counter(li);
counter-increment: li;
width: 21px;
height: 21px;
border-radius: 50%;
display: flex;
align-items: center;
justify-content: center;
position: absolute;
top: 4px;
left: 0;
}
/* Nutrition */
.wprm-recipe-template-cwp-food---video-move-edit .wprm-nutrition-label-container {
font-size: var(--wp--preset--font-size--tiny);
}
@media (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .wprm-nutrition-label-container {
flex-basis: 154px !important;
}
}
/* Bottom Meta - course, cuisine, author */
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-bottom-meta .wprm-recipe-meta-container {
margin-top: var(--wp--custom--layout--padding) !important;
margin-left: calc( -1 * var(--wp--custom--layout--padding) ) !important;
margin-right: calc( -1 * var(--wp--custom--layout--padding) ) !important;
width: calc( 100% + 2 * var(--wp--custom--layout--padding) ) !important;
background-color: var(--wp--preset--color--nonary);
font-size: var(--wp--preset--font-size--tiny);
display: flex;
flex-wrap: wrap;
justify-content: center;
gap: 10px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-bottom-meta .wprm-recipe-meta-container > * {
padding: 0 15px 0;
}
@media only screen and (max-width: 767px) {
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-bottom-meta .wprm-recipe-meta-container {
padding: 23px var(--wp--custom--layout--padding) 54px;
}
}
@media only screen and (min-width: 768px) {
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-bottom-meta .wprm-recipe-meta-container {
padding: 28px var(--wp--custom--layout--padding) 58px;
}
}
/* Footer CTA ---------------------------------------------------------------- */
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-cta {
position: relative;
background: var(--wp--preset--color--secondary);
margin-left: calc( -1 * var(--wp--custom--layout--padding) ) !important;
margin-right: calc( -1 * var(--wp--custom--layout--padding) ) !important;
margin-bottom: calc( -1 * var(--wp--custom--layout--padding) ) !important;
width: calc( 100% + 2 * var(--wp--custom--layout--padding) ) !important;
text-align: center;
padding: 46px var(--wp--custom--layout--padding) 30px;
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-cta .cwp-food-cta__icon-container {
box-shadow: var(--wp--custom--box-shadow--1);
background: var(--wp--preset--gradient--diagonal-tertiary-to-primary);
width: 60px;
height: 60px;
line-height: 0;
display: inline-flex;
justify-content: center;
align-items: center;
border-radius: 50%;
position: absolute;
z-index: 1;
top: -30px;
left: 50%;
transform: translateX(-50%);
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-cta .cwp-food-cta__icon-container svg {
fill: white;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-call-to-action.wprm-call-to-action-simple {
/* margin-left: calc( -1 * var(--wp--custom--layout--padding) ) !important;
margin-right: calc( -1 * var(--wp--custom--layout--padding) ) !important;
margin-bottom: calc( -1 * var(--wp--custom--layout--padding) ) !important;
width: calc( 100% + 2 * var(--wp--custom--layout--padding) ) !important;
padding-left: var(--wp--custom--layout--padding);
padding-right: var(--wp--custom--layout--padding); */
/* justify-content: center;;
align-items: center; */
}
.wprm-recipe-template-cwp-food---video-move-edit .cwp-food-cta .wprm-call-to-action-header {
font-size: 1.5rem;
text-transform: uppercase;
font-weight: 900;
line-height: var(--wp--custom--line-height--small);
margin-bottom: 6px;
}
@media only screen and (max-width: 767px) {
/* .wprm-recipe-template-cwp-food---video-move-edit .wprm-call-to-action.wprm-call-to-action-simple {
flex-wrap: nowrap;
}
.wprm-recipe-template-cwp-food---video-move-edit .wprm-call-to-action.wprm-call-to-action-simple .wprm-call-to-action-text-container {
text-align: left;
} */
}
@media only screen and (min-width: 768px) {
}.wprm-recipe-template-cutout-2 {
margin: 20px auto;
background-color: #fafafa; /*wprm_background type=color*/
font-family: Helvetica, sans-serif; /*wprm_main_font_family type=font*/
font-size: 0.9em; /*wprm_main_font_size type=font_size*/
line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
color: #333333; /*wprm_main_text type=color*/
max-width: 650px; /*wprm_max_width type=size*/
}
.wprm-recipe-template-cutout-2 a {
color: #3498db; /*wprm_link type=color*/
}
.wprm-recipe-template-cutout-2 p, .wprm-recipe-template-cutout-2 li {
font-family: Helvetica, sans-serif; /*wprm_main_font_family type=font*/
font-size: 1em !important;
line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
}
.wprm-recipe-template-cutout-2 li {
margin: 0 0 0 32px !important;
padding: 0 !important;
}
.wprm-recipe-template-cutout-2 ol, .wprm-recipe-template-cutout-2 ul {
margin: 0 !important;
padding: 0 !important;
}
.wprm-recipe-template-cutout-2 br {
display: none;
}
.wprm-recipe-template-cutout-2 .wprm-recipe-name,
.wprm-recipe-template-cutout-2 .wprm-recipe-header {
font-family: Helvetica, sans-serif; /*wprm_header_font_family type=font*/
color: #000000; /*wprm_header_text type=color*/
line-height: 1.3em; /*wprm_header_line_height type=font_size*/
}
.wprm-recipe-template-cutout-2 h1,
.wprm-recipe-template-cutout-2 h2,
.wprm-recipe-template-cutout-2 h3,
.wprm-recipe-template-cutout-2 h4,
.wprm-recipe-template-cutout-2 h5,
.wprm-recipe-template-cutout-2 h6 {
font-family: Helvetica, sans-serif; /*wprm_header_font_family type=font*/
color: #000000; /*wprm_header_text type=color*/
line-height: 1.3em; /*wprm_header_line_height type=font_size*/
margin: 0 !important;
padding: 0 !important;
}
.wprm-recipe-template-cutout-2 .wprm-recipe-header {
margin-top: 1.2em !important;
}
.wprm-recipe-template-cutout-2 h1 {
font-size: 2em; /*wprm_h1_size type=font_size*/
}
.wprm-recipe-template-cutout-2 h2 {
font-size: 1.8em; /*wprm_h2_size type=font_size*/
}
.wprm-recipe-template-cutout-2 h3 {
font-size: 1.2em; /*wprm_h3_size type=font_size*/
}
.wprm-recipe-template-cutout-2 h4 {
font-size: 1em; /*wprm_h4_size type=font_size*/
}
.wprm-recipe-template-cutout-2 h5 {
font-size: 1em; /*wprm_h5_size type=font_size*/
}
.wprm-recipe-template-cutout-2 h6 {
font-size: 1em; /*wprm_h6_size type=font_size*/
}.wprm-recipe-template-cutout-2 {
position: relative;
border-style: solid; /*wprm_border_style type=border*/
border-width: 1px; /*wprm_border_width type=size*/
border-color: #aaaaaa; /*wprm_border type=color*/
border-radius: 10px; /*wprm_border_radius type=size*/
margin: 120px auto 20px auto;
overflow: visible;
}
.wprm-recipe-template-cutout-2-container {
overflow: hidden;
padding: 0 10px 10px 10px;
border: 0;
border-radius: 7px; /*wprm_inner_border_radius type=size*/
}
.wprm-recipe-template-cutout-2 .wprm-recipe-image {
position: absolute;
margin-top: -100px;
margin-left: -100px;
left: 50%;
}
.wprm-recipe-template-cutout-2-header {
margin: 0 -10px 10px -10px;
padding: 110px 10px 10px 10px;
text-align: center;
background-color: #053f5e; /*wprm_top_header_background type=color*/
color: #ffffff; /*wprm_top_header_text type=color*/
}
.wprm-recipe-template-cutout-2-header a {
color: #3498db; /*wprm_top_header_link type=color*/
}
.wprm-recipe-template-cutout-2-header .wprm-recipe-name {
color: #ffffff; /*wprm_top_header_text type=color*/
}
/* NerdPress*/
.post .entry-content .wprm-recipe-template-cutout-2 li:before {
background: none;
}
.wprm-recipe-template-cutout-2 li.wprm-recipe-instruction {
list-style: decimal;
}</style> <style>img#wpstats{display:none}</style>
<meta charset="UTF-8"><meta name="viewport" content="width=device-width, initial-scale=1"><link rel="profile" href="http://gmpg.org/xfn/11"><link rel="pingback" href="https://thebigmansworld.com/xmlrpc.php"> <link rel="preload" href="https://thebigmansworld.com/wp-content/themes/thebigmansworld-2023/assets/fonts/space-grotesk-v13-latin-regular.woff2" as="font" type="font/woff2" crossorigin>
<link rel="preload" href="https://thebigmansworld.com/wp-content/themes/thebigmansworld-2023/assets/fonts/space-grotesk-v13-latin-700.woff2" as="font" type="font/woff2" crossorigin>
<link rel="icon" href="https://thebigmansworld.com/wp-content/uploads/2023/02/cropped-favicon-32x32.png" sizes="32x32" />
<link rel="icon" href="https://thebigmansworld.com/wp-content/uploads/2023/02/cropped-favicon-192x192.png" sizes="192x192" />
<link rel="apple-touch-icon" href="https://thebigmansworld.com/wp-content/uploads/2023/02/cropped-favicon-180x180.png" />
<meta name="msapplication-TileImage" content="https://thebigmansworld.com/wp-content/uploads/2023/02/cropped-favicon-270x270.png" />
<script data-no-optimize='1' data-cfasync='false' id='cls-disable-ads-87d8ad6'>var cls_disable_ads=function(t){"use strict";window.adthriveCLS.buildDate="2025-05-02";const e="Content",i="Recipe";const s=new class{info(t,e,...i){this.call(console.info,t,e,...i)}warn(t,e,...i){this.call(console.warn,t,e,...i)}error(t,e,...i){this.call(console.error,t,e,...i),this.sendErrorLogToCommandQueue(t,e,...i)}event(t,e,...i){var s;"debug"===(null==(s=window.adthriveCLS)?void 0:s.bucket)&&this.info(t,e)}sendErrorLogToCommandQueue(t,e,...i){window.adthrive=window.adthrive||{},window.adthrive.cmd=window.adthrive.cmd||[],window.adthrive.cmd.push((()=>{void 0!==window.adthrive.logError&&"function"==typeof window.adthrive.logError&&window.adthrive.logError(t,e,i)}))}call(t,e,i,...s){const o=[`%c${e}::${i} `],a=["color: #999; font-weight: bold;"];s.length>0&&"string"==typeof s[0]&&o.push(s.shift()),a.push(...s);try{Function.prototype.apply.call(t,console,[o.join(""),...a])}catch(t){return void console.error(t)}}},o=t=>{const e=window.location.href;return t.some((t=>new RegExp(t,"i").test(e)))};class a{checkCommandQueue(){this.adthrive&&this.adthrive.cmd&&this.adthrive.cmd.forEach((t=>{const e=t.toString(),i=this.extractAPICall(e,"disableAds");i&&this.disableAllAds(this.extractPatterns(i));const s=this.extractAPICall(e,"disableContentAds");s&&this.disableContentAds(this.extractPatterns(s));const o=this.extractAPICall(e,"disablePlaylistPlayers");o&&this.disablePlaylistPlayers(this.extractPatterns(o))}))}extractPatterns(t){const e=t.match(/["'](.*?)['"]/g);if(null!==e)return e.map((t=>t.replace(/["']/g,"")))}extractAPICall(t,e){const i=new RegExp(e+"\\((.*?)\\)","g"),s=t.match(i);return null!==s&&s[0]}disableAllAds(t){t&&!o(t)||(this.all=!0,this.reasons.add("all_page"))}disableContentAds(t){t&&!o(t)||(this.content=!0,this.recipe=!0,this.locations.add(e),this.locations.add(i),this.reasons.add("content_plugin"))}disablePlaylistPlayers(t){t&&!o(t)||(this.video=!0,this.locations.add("Video"),this.reasons.add("video_page"))}urlHasEmail(t){if(!t)return!1;return null!==/([A-Z0-9._%+-]+(@|%(25)*40)[A-Z0-9.-]+\.[A-Z]{2,})/i.exec(t)}constructor(t){this.adthrive=t,this.all=!1,this.content=!1,this.recipe=!1,this.video=!1,this.locations=new Set,this.reasons=new Set,(this.urlHasEmail(window.location.href)||this.urlHasEmail(window.document.referrer))&&(this.all=!0,this.reasons.add("all_email"));try{this.checkCommandQueue(),null!==document.querySelector(".tag-novideo")&&(this.video=!0,this.locations.add("Video"),this.reasons.add("video_tag"))}catch(t){s.error("ClsDisableAds","checkCommandQueue",t)}}}const n=window.adthriveCLS;return n&&(n.disableAds=new a(window.adthrive)),t.ClsDisableAds=a,t}({});
</script> <style id="wp-custom-css">
/* NerdPress BJM 2-23-23 hiding recaptcha badge perhttps://developers.google.com/recaptcha/docs/faq */
/* CSS to remove the filter effect on mobile for JTR and JTV buttons on single posts to help with INP */
@media screen and (max-width: 768px) {
.post-header .post-header__actions a:hover{
filter:none ;
}
.wprm-recipe-template-cwp-food---video-move-edit{
padding-left:8px;
padding-right:8px;
}
}
.post-header .post-header__actions a {
background: #000;
}
</style>
<script data-no-optimize='1' data-cfasync='false' id='cls-header-insertion-87d8ad6'>var cls_header_insertion=function(e){"use strict";window.adthriveCLS.buildDate="2025-05-02";const t="Content",i="Recipe",s="Footer",a="Header_1",n="Header",o="Sidebar";const r=new class{info(e,t,...i){this.call(console.info,e,t,...i)}warn(e,t,...i){this.call(console.warn,e,t,...i)}error(e,t,...i){this.call(console.error,e,t,...i),this.sendErrorLogToCommandQueue(e,t,...i)}event(e,t,...i){var s;"debug"===(null==(s=window.adthriveCLS)?void 0:s.bucket)&&this.info(e,t)}sendErrorLogToCommandQueue(e,t,...i){window.adthrive=window.adthrive||{},window.adthrive.cmd=window.adthrive.cmd||[],window.adthrive.cmd.push((()=>{void 0!==window.adthrive.logError&&"function"==typeof window.adthrive.logError&&window.adthrive.logError(e,t,i)}))}call(e,t,i,...s){const a=[`%c${t}::${i} `],n=["color: #999; font-weight: bold;"];s.length>0&&"string"==typeof s[0]&&a.push(s.shift()),n.push(...s);try{Function.prototype.apply.call(e,console,[a.join(""),...n])}catch(e){return void console.error(e)}}},l=(e,t)=>null==e||e!=e?t:e,c=(e=>{const t={};return function(...i){const s=JSON.stringify(i);if(t[s])return t[s];const a=e.apply(this,i);return t[s]=a,a}})((()=>{const e=navigator.userAgent,t=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari|CrOS/i.test(e);return/Mobi|iP(hone|od)|Opera Mini/i.test(e)&&!t})),d=["siteId","siteName","adOptions","breakpoints","adUnits"],h=(e,t=d)=>{if(!e)return!1;for(let i=0;i<t.length;i++)if(!e[t[i]])return!1;return!0};class u{}class m extends u{get(){if(this._probability<0||this._probability>1)throw new Error(`Invalid probability: ${this._probability}`);return Math.random()<this._probability}constructor(e){super(),this._probability=e}}class b{get enabled(){return!!this._clsGlobalData&&!!this._clsGlobalData.siteAds&&h(this._clsGlobalData.siteAds)}get error(){return!(!this._clsGlobalData||!this._clsGlobalData.error)}set siteAds(e){this._clsGlobalData.siteAds=e}get siteAds(){return this._clsGlobalData.siteAds}set disableAds(e){this._clsGlobalData.disableAds=e}get disableAds(){return this._clsGlobalData.disableAds}set enabledLocations(e){this._clsGlobalData.enabledLocations=e}get enabledLocations(){return this._clsGlobalData.enabledLocations}get injectedFromPlugin(){return this._clsGlobalData.injectedFromPlugin}set injectedFromPlugin(e){this._clsGlobalData.injectedFromPlugin=e}get injectedFromSiteAds(){return this._clsGlobalData.injectedFromSiteAds}set injectedFromSiteAds(e){this._clsGlobalData.injectedFromSiteAds=e}overwriteInjectedSlots(e){this._clsGlobalData.injectedSlots=e}setInjectedSlots(e){this._clsGlobalData.injectedSlots=this._clsGlobalData.injectedSlots||[],this._clsGlobalData.injectedSlots.push(e)}get injectedSlots(){return this._clsGlobalData.injectedSlots}setInjectedVideoSlots(e){this._clsGlobalData.injectedVideoSlots=this._clsGlobalData.injectedVideoSlots||[],this._clsGlobalData.injectedVideoSlots.push(e)}get injectedVideoSlots(){return this._clsGlobalData.injectedVideoSlots}setInjectedScripts(e){this._clsGlobalData.injectedScripts=this._clsGlobalData.injectedScripts||[],this._clsGlobalData.injectedScripts.push(e)}get getInjectedScripts(){return this._clsGlobalData.injectedScripts}setExperiment(e,t,i=!1){this._clsGlobalData.experiments=this._clsGlobalData.experiments||{},this._clsGlobalData.siteExperiments=this._clsGlobalData.siteExperiments||{};(i?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments)[e]=t}getExperiment(e,t=!1){const i=t?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments;return i&&i[e]}setWeightedChoiceExperiment(e,t,i=!1){this._clsGlobalData.experimentsWeightedChoice=this._clsGlobalData.experimentsWeightedChoice||{},this._clsGlobalData.siteExperimentsWeightedChoice=this._clsGlobalData.siteExperimentsWeightedChoice||{};(i?this._clsGlobalData.siteExperimentsWeightedChoice:this._clsGlobalData.experimentsWeightedChoice)[e]=t}getWeightedChoiceExperiment(e,t=!1){var i,s;const a=t?null==(i=this._clsGlobalData)?void 0:i.siteExperimentsWeightedChoice:null==(s=this._clsGlobalData)?void 0:s.experimentsWeightedChoice;return a&&a[e]}get branch(){return this._clsGlobalData.branch}get bucket(){return this._clsGlobalData.bucket}set videoDisabledFromPlugin(e){this._clsGlobalData.videoDisabledFromPlugin=e}get videoDisabledFromPlugin(){return this._clsGlobalData.videoDisabledFromPlugin}set targetDensityLog(e){this._clsGlobalData.targetDensityLog=e}get targetDensityLog(){return this._clsGlobalData.targetDensityLog}getIOSDensity(e){const t=[{weight:100,adDensityPercent:0},{weight:0,adDensityPercent:25},{weight:0,adDensityPercent:50}],i=t.map((e=>e.weight)),{index:s}=(e=>{const t={index:-1,weight:-1};if(!e||0===e.length)return t;const i=e.reduce(((e,t)=>e+t),0);if(0===i)return t;const s=Math.random()*i;let a=0,n=e[a];for(;s>n;)n+=e[++a];return{index:a,weight:e[a]}})(i),a=e-e*(t[s].adDensityPercent/100);return this.setWeightedChoiceExperiment("iosad",t[s].adDensityPercent),a}getTargetDensity(e){return((e=navigator.userAgent)=>/iP(hone|od|ad)/i.test(e))()?this.getIOSDensity(e):e}get removeVideoTitleWrapper(){return this._clsGlobalData.siteAds.adOptions.removeVideoTitleWrapper}constructor(){this._clsGlobalData=window.adthriveCLS}}class p{setExperimentKey(e=!1){this._clsOptions.setExperiment(this.abgroup,this.result,e)}constructor(){this._clsOptions=new b,this.shouldUseCoreExperimentsConfig=!1}}class g extends p{get result(){return this._result}run(){return new m(this.weight).get()}constructor(e){super(),this._result=!1,this.key="ParallaxAdsExperiment",this.abgroup="parallax",this._choices=[{choice:!0},{choice:!1}],this.weight=0;!!c()&&e.largeFormatsMobile&&(this._result=this.run(),this.setExperimentKey())}}const y=[[728,90],[300,250],[300,600],[320,50],[970,250],[160,600],[300,1050],[336,280],[970,90],[300,50],[320,100],[468,60],[250,250],[120,240],[1,1],[300,300],[552,334],[300,420],[728,250],[320,300],[300,390]],_=[[300,600],[160,600]],D=new Map([[s,1],[n,2],[o,3],[t,4],[i,5],["Sidebar_sticky",6],["Below Post",7]]),v=(e,t)=>{const{location:a,sticky:n}=e;if(a===i&&t){const{recipeMobile:e,recipeDesktop:i}=t;if(c()&&(null==e?void 0:e.enabled))return!0;if(!c()&&(null==i?void 0:i.enabled))return!0}return a===s||n},S=(e,a)=>{const r=a.adUnits,d=(e=>!!e.adTypes&&new g(e.adTypes).result)(a);return r.filter((e=>void 0!==e.dynamic&&e.dynamic.enabled)).map((r=>{const h=r.location.replace(/\s+/g,"_"),u="Sidebar"===h?0:2;return{auctionPriority:D.get(h)||8,location:h,sequence:l(r.sequence,1),sizes:(m=r.adSizes,y.filter((([e,t])=>m.some((([i,s])=>e===i&&t===s))))).filter((t=>((e,[t,a],r)=>{const{location:l,sequence:d}=e;if(l===s)return!("phone"===r&&320===t&&100===a);if(l===n)return!0;if(l===i)return!(c()&&"phone"===r&&(300===t&&390===a||320===t&&300===a));if(l===o){const t=e.adSizes.some((([,e])=>e<=300)),i=a>300;return!(!i||t)||9===d||(d&&d<=5?!i||e.sticky:!i)}return!0})(r,t,e))).concat(d&&r.location===t?_:[]),devices:r.devices,pageSelector:l(r.dynamic.pageSelector,"").trim(),elementSelector:l(r.dynamic.elementSelector,"").trim(),position:l(r.dynamic.position,"beforebegin"),max:Math.floor(l(r.dynamic.max,0)),spacing:l(r.dynamic.spacing,0),skip:Math.floor(l(r.dynamic.skip,0)),every:Math.max(Math.floor(l(r.dynamic.every,1)),1),classNames:r.dynamic.classNames||[],sticky:v(r,a.adOptions.stickyContainerConfig),stickyOverlapSelector:l(r.stickyOverlapSelector,"").trim(),autosize:r.autosize,special:l(r.targeting,[]).filter((e=>"special"===e.key)).reduce(((e,t)=>e.concat(...t.value)),[]),lazy:l(r.dynamic.lazy,!1),lazyMax:l(r.dynamic.lazyMax,u),lazyMaxDefaulted:0!==r.dynamic.lazyMax&&!r.dynamic.lazyMax,name:r.name};var m}))},w=(e,t)=>{const i=(e=>{let t=e.clientWidth;if(getComputedStyle){const i=getComputedStyle(e,null);t-=parseFloat(i.paddingLeft||"0")+parseFloat(i.paddingRight||"0")}return t})(t),s=e.sticky&&e.location===o;return e.sizes.filter((t=>{const a=!e.autosize||(t[0]<=i||t[0]<=320),n=!s||t[1]<=window.innerHeight-100;return a&&n}))},f=e=>`adthrive-${e.location.replace("_","-").toLowerCase()}`;class G{start(){try{const e=S(this._device,this.adthriveCLS.siteAds).filter((e=>this.locationEnabled(e))).filter((e=>{return t=e,i=this._device,t.devices.includes(i);var t,i}));for(let t=0;t<e.length;t++)window.requestAnimationFrame(this.inject.bind(this,e[t],document))}catch(e){r.error("ClsHeaderInjector","start",e)}}inject(e,t=document){if("complete"===document.readyState)return;if(0!==e.pageSelector.length){if(!document.querySelector(e.pageSelector))return void window.requestAnimationFrame(this.inject.bind(this,e,document))}const i=this.getElements(e.elementSelector,t);if(i){const s=this.getDynamicElementId(e),n=f(e),o=(e=>`${f(e)}-${e.sequence}`)(e),r=[n,o,...e.classNames],l=this.addAd(i,s,e.position,r);if(l){const i=w(e,l);if(i.length>0){const s={clsDynamicAd:e,dynamicAd:e,element:l,sizes:i,name:a,infinite:t!==document};this.adthriveCLS.injectedSlots.some((e=>e.name===a))||this.adthriveCLS.injectedSlots.push(s),l.style.minHeight=this.deviceToMinHeight[this._device]}}}else window.requestAnimationFrame(this.inject.bind(this,e,document))}getDynamicElementId(e){return`AdThrive_${e.location}_${e.sequence}_${this._device}`}getElements(e,t=document){return t.querySelector(e)}addAd(e,t,i,s=[]){if(!document.getElementById(t)){const a=`<div id="${t}" class="adthrive-ad ${s.join(" ")}"></div>`;e.insertAdjacentHTML(i,a)}return document.getElementById(t)}locationEnabled(e){return!(this.adthriveCLS.disableAds&&this.adthriveCLS.disableAds.all)&&e.location===n&&1===e.sequence&&1===e.max&&0===e.spacing}constructor(e){this.adthriveCLS=e,this.deviceToMinHeight={desktop:"90px",tablet:"90px",phone:"50px"};const{tablet:t,desktop:i}=this.adthriveCLS.siteAds.breakpoints;this._device=((e,t)=>{const i=window.innerWidth;return i>=t?"desktop":i>=e?"tablet":"phone"})(t,i)}}return(()=>{const e=window.adthriveCLS;e&&e.siteAds&&h(e.siteAds)&&window.requestAnimationFrame&&new G(e).start()})(),e.ClsHeaderInjector=G,e}({});
</script><noscript><style>.perfmatters-lazy[data-src]{display:none !important;}</style></noscript><meta name="generator" content="WP Rocket 3.18.2" data-wpr-features="wpr_defer_js wpr_preload_links wpr_desktop" /></head><body class="single wp-embed-responsive content-sidebar singular postid-36677" id="top"><div class="site-container"><a class="skip-link screen-reader-text" href="#main-content">Skip to content</a><header class="site-header" role="banner"><div class="wrap"><a href="https://thebigmansworld.com" rel="home" class="site-header__logo" aria-label="The Big Man's World ® Home"><svg aria-hidden="true" role="img" focusable="false"><use href="#logo-logo"></use></svg></a><div class="site-header__toggles"><button aria-label="Search" class="search-toggle"><svg class="open" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-search"></use></svg><svg class="close" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-close"></use></svg></button><button aria-label="Menu" class="menu-toggle"><svg class="open" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-menu2"></use></svg><svg class="close" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-close"></use></svg></button></div><nav class="nav-menu" role="navigation"><div class="nav-primary"><ul id="primary-menu" class="menu"><li id="menu-item-126330" class="menu-item"><a href="https://thebigmansworld.com/about/">About</a></li>
<li id="menu-item-78768" class="mega menu-item menu-item-has-children"><a href="https://thebigmansworld.com/recipe-index/">All Recipes</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78769" class="menu-item menu-item-has-children"><a href="#">Course</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78774" class="menu-item"><a href="https://thebigmansworld.com/category/appetisers-and-sides/">Appetizers & Sides</a></li>
<li id="menu-item-78777" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/">Main Dish</a></li>
<li id="menu-item-78775" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-breakfasts/">Breakfast</a></li>
<li id="menu-item-78776" class="menu-item current-post-ancestor current-menu-parent current-post-parent"><a href="https://thebigmansworld.com/category/healthy-desserts/">Dessert</a></li>
<li id="menu-item-78778" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-snacks/">Snacks</a></li>
<li id="menu-item-78780" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/sandwiches/">Sandwiches</a></li>
<li id="menu-item-78781" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/soups-and-stews/">Soups & Stews</a></li>
</ul>
</li>
<li id="menu-item-78770" class="menu-item menu-item-has-children"><a href="#">Diet</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78782" class="menu-item"><a href="https://thebigmansworld.com/category/gluten-free/">Gluten Free</a></li>
<li id="menu-item-78783" class="menu-item"><a href="https://thebigmansworld.com/category/keto/">Keto</a></li>
<li id="menu-item-78784" class="menu-item"><a href="https://thebigmansworld.com/category/low-calorie-recipes/">Low Calorie</a></li>
<li id="menu-item-78785" class="menu-item"><a href="https://thebigmansworld.com/category/paleo/">Paleo</a></li>
<li id="menu-item-78786" class="menu-item"><a href="https://thebigmansworld.com/category/vegan/">Vegan</a></li>
</ul>
</li>
<li id="menu-item-78771" class="menu-item menu-item-has-children"><a href="#">Cuisine</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78788" class="menu-item"><a href="https://thebigmansworld.com/category/asian-recipes/">Asian</a></li>
<li id="menu-item-78789" class="menu-item"><a href="https://thebigmansworld.com/category/japanese-recipes/">Japanese</a></li>
<li id="menu-item-78790" class="menu-item"><a href="https://thebigmansworld.com/category/italian-recipes/">Italian</a></li>
<li id="menu-item-78792" class="menu-item"><a href="https://thebigmansworld.com/category/indian-recipes/">Indian</a></li>
<li id="menu-item-78793" class="menu-item"><a href="https://thebigmansworld.com/category/mexican-recipes/">Mexican</a></li>
</ul>
</li>
<li id="menu-item-78772" class="menu-item menu-item-has-children"><a href="#">Protein</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78794" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/beef/">Beef</a></li>
<li id="menu-item-78795" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/chicken/">Chicken</a></li>
<li id="menu-item-78796" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/lamb/">Lamb</a></li>
<li id="menu-item-78797" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/pork/">Pork</a></li>
<li id="menu-item-78798" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/seafood/">Seafood</a></li>
<li id="menu-item-78799" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/turkey/">Turkey</a></li>
<li id="menu-item-103672" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/vegetarian/">Vegetarian Mains</a></li>
<li id="menu-item-103676" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/game-meat/">Game Meat</a></li>
</ul>
</li>
<li id="menu-item-78773" class="menu-item menu-item-has-children"><a href="#">Method</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78802" class="menu-item"><a href="https://thebigmansworld.com/category/air-fryer-recipes/">Air Fryer</a></li>
<li id="menu-item-78805" class="menu-item"><a href="https://thebigmansworld.com/category/cast-iron-recipes/">Cast Iron</a></li>
<li id="menu-item-78801" class="menu-item"><a href="https://thebigmansworld.com/category/instant-pot-recipes/">Instant Pot</a></li>
<li id="menu-item-78892" class="menu-item"><a href="https://thebigmansworld.com/category/sauteed-recipes/">Saute</a></li>
<li id="menu-item-103673" class="menu-item"><a href="https://thebigmansworld.com/category/sous-vide-recipes/">Sous Vide</a></li>
</ul>
</li>
</ul>
</li>
<li id="menu-item-78806" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/">Main Dishes</a></li>
<li id="menu-item-78818" class="menu-item current-post-ancestor current-menu-parent current-post-parent menu-item-has-children"><a href="https://thebigmansworld.com/category/healthy-desserts/">Dessert</a><button aria-label="Submenu Dropdown" class="submenu-expand" tabindex="-1"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-carat-down"></use></svg></button>
<ul class="sub-menu">
<li id="menu-item-78821" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/healthy-cookies/">Cookies</a></li>
<li id="menu-item-81898" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/cheesecake-recipes/">Cheesecake</a></li>
<li id="menu-item-81899" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/bars-brownies/">Brownie Recipes</a></li>
<li id="menu-item-81900" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/bars-blondie-slice-recipes/">Bars, Blondies, and Slices</a></li>
<li id="menu-item-81544" class="menu-item current-post-ancestor current-menu-parent current-post-parent"><a href="https://thebigmansworld.com/category/healthy-desserts/muffins-cakes/">Cakes, Muffins, and Quick Breads</a></li>
<li id="menu-item-78832" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/pies-tarts-crumbles/">Pies, Tarts, and Crumbles</a></li>
<li id="menu-item-78820" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/healthy-chocolate-recipes/">Chocolate</a></li>
<li id="menu-item-78822" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-breakfasts/donuts/">Donuts</a></li>
<li id="menu-item-78825" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/frozen-desserts/">Frozen Desserts</a></li>
<li id="menu-item-78826" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/high-protein-desserts/">High Protein Desserts</a></li>
<li id="menu-item-78827" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/holiday-desserts/">Holiday</a></li>
<li id="menu-item-78828" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/homemade-candy/">Homemade Candy</a></li>
<li id="menu-item-78829" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/mugcakes/">Mug Cakes</a></li>
<li id="menu-item-78830" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/no-bake-desserts/">No Bake</a></li>
<li id="menu-item-78831" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-desserts/peanut-butter-recipes/">Peanut Butter</a></li>
</ul>
</li>
<li id="menu-item-99853" class="menu-item"><a href="https://thebigmansworld.com/category/air-fryer-recipes/">Air Fryer Recipes</a></li>
<li class="menu-item menu-item-search"><button aria-label="Search" class="search-toggle"><svg class="open" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-search"></use></svg><svg class="close" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-close"></use></svg></button></li></ul></div></nav></div></header><div class="site-inner" id="main-content"><div class="content-area"><main class="site-main" role="main"><article class="type-post grow-content-body"><header class="entry-header"><div class="post-header"><p id="breadcrumbs" class="breadcrumb"><span><span><a href="https://thebigmansworld.com/">Home</a></span> <span class="sep">|</span> <span><a href="https://thebigmansworld.com/category/healthy-desserts/">Dessert Recipes</a></span> <span class="sep">|</span> <span><a href="https://thebigmansworld.com/category/healthy-desserts/muffins-cakes/">Cakes, Muffins, and Quick Breads</a></span> <span class="sep">|</span> <span class="breadcrumb_last" aria-current="page">Coconut Cake</span></span></p><h1 class="entry-title">Coconut Cake</h1><div class="post-header__lower"><div class="post-header__info"><div class="post-header__author-date"><a href="https://thebigmansworld.com/arman-liew/" aria-hidden="true" tabindex="-1" class="entry-avatar"><img alt='' src='https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=50&d=mm&r=g' srcset='https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=100&d=mm&r=g 2x' class='avatar avatar-50 photo' height='50' width='50' decoding='async'/></a> <a href="https://thebigmansworld.com/arman-liew/" class="entry-author"><em>by</em> Arman Liew</a><p class="post-header__date">published on Feb 03, 2025</p></div> <!-- .post-header__author-date --></div> <!-- .post-header__info --><div class="post-header__meta"><p class="entry-comments-link-container"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-chat2-message"></use></svg><strong>21</strong> comments</p><div class="entry-rating"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false" viewBox="0 0 24 24" fill="none" xmlns="http://www.w3.org/2000/svg"><path fill-rule="evenodd" clip-rule="evenodd" d="M8.77901 8.999L2.27746 8.99998L2.16114 9.0056C1.21337 9.09822 0.812797 10.3145 1.57536 10.9468L6.68601 15.184L5.09548 21.4977L5.07275 21.6103C4.93187 22.5394 5.98426 23.2267 6.7876 22.6714L12.005 19.066L17.2125 22.6709L17.3099 22.7317C18.13 23.19 19.1426 22.4461 18.9057 21.4994L17.324 15.184L22.4262 10.9461L22.5121 10.8675C23.1816 10.191 22.7134 8.99998 21.7233 8.99998L15.309 8.999L13.0413 2.45036C12.6971 1.45803 11.2906 1.46627 10.9584 2.46294L8.77901 8.999Z" fill="url(#paint0_linear_3724_6388)"/><defs><linearGradient id="paint0_linear_3724_6388" x1="4.34587" y1="19.7719" x2="19.3042" y2="4.46683" gradientUnits="userSpaceOnUse"><stop stop-color="#29717E"/><stop offset="1" stop-color="#79C042"/></linearGradient></defs></svg><strong>5</strong> from 297 votes</div></div> <!-- .post-header__meta --></div> <!-- .post-header__lower --><div class="post-header__actions"><a class="entry__actions--recipe-jump-link" href="#wprm-recipe-container-36688">Jump to Recipe</a><a class="post-header__print" href="https://thebigmansworld.com/wprm_print/36688/"><span class="screen-reader-text">Print</span>Print Recipe</a></div> <!-- .post-header__actions --></div></header><div class="entry-content"><div class="aff-disc"><p><em>This post may contain affiliate links. See my <a href="https://thebigmansworld.com/privacy-policy/">disclosure policy</a>.</em></p>
</div>
<p><em>My</em><strong><em> coconut cake</em></strong><em> recipe has swiftly become a family favorite. It’s moist, fluffy, and layered with coconut flavor, from the cake to the coconut cream cheese frosting! </em></p>
<figure class="wp-block-image size-full"><img data-perfmatters-preload fetchpriority="high" decoding="async" width="1200" height="1800" src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake.jpg" alt="coconut cake." class="wp-image-124230" srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-150x225.jpg 150w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
<div class="wp-block-group has-nonary-background-color has-background is-content-justification-center is-layout-constrained wp-block-group-is-layout-constrained">
<h2 class="wp-block-heading" id="h-everyone-raves-about-this-coconut-cake-recipe">Everyone raves about this coconut cake recipe. </h2>
<div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-1 wp-block-columns-is-layout-flex">
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow" style="flex-basis:33.33%">
<figure class="wp-block-image size-full"><img data-perfmatters-preload decoding="async" width="938" height="864" src="https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman.jpeg" alt="meet arman" class="wp-image-78861" style="aspect-ratio:16/9;object-fit:cover" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman.jpeg 938w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-800x737.jpeg 800w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-768x707.jpeg 768w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-400x368.jpeg 400w, https://thebigmansworld.com/wp-content/uploads/2023/02/meet-arman-150x138.jpeg 150w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow" style="flex-basis:66.66%">
<p>We don’t shy away from making fancy layered cakes at home, especially when they’re of the coconut variety. </p>
<p>For this recipe, I got inspiration from my <a href="https://thebigmansworld.com/coconut-flour-cake/"><strong>coconut flour cake</strong></a>, but I wanted to take it one step further and let the coconut flavor shine. So, I added shredded coconut to the base and extract to the frosting. According to my family, this is the best coconut cake recipe ever! It uses pantry staple ingredients and bakes in no time at all.</p>
</div>
</div>
<p>If you’re looking for more layer <a href="https://thebigmansworld.com/category/healthy-desserts/muffins-cakes/"><strong>cake recipes</strong></a>, try my <a href="https://thebigmansworld.com/vegan-snickers-cake/"><strong>Snickers cake</strong></a>, <a href="https://thebigmansworld.com/biscoff-cake/"><strong>Biscoff cake</strong></a>, or <strong><a href="https://thebigmansworld.com/chocolate-chip-cookie-dough-cake/">cookie dough cake</a> </strong>next!</p>
</div>
<h2 class="wp-block-heading">Key ingredients</h2>
<ul class="wp-block-list">
<li><strong>All-purpose flour.</strong> I tried this recipe with regular flour and a gluten-free blend, and both worked well. If you use the latter, make sure the blend contains xanthan gum.</li>
<li><strong>Sugar.</strong> I used white sugar. You could also use brown sugar, though the cake will be darker. </li>
<li><strong>Baking soda.</strong> Helps the cake rise. Don’t swap it for baking powder as it won’t have the same effect. </li>
<li><strong>Kosher salt.</strong> Brings out natural sweetness.</li>
<li><strong>Water.</strong> Binds the dry ingredients. I also tested using coconut milk, and I couldn’t really taste a difference. </li>
<li><strong>Oil.</strong> Use any neutral-flavored oil. </li>
<li><strong>Vanilla extract.</strong> A must for any good cake recipe.</li>
<li><strong>Vinegar.</strong> Works with the baking soda to give the cake rise. White vinegar or apple cider vinegar both work. </li>
<li><strong>Shredded coconut.</strong> The key ingredient! I used finely shredded unsweetened coconut and large coconut flakes for varying textures. </li>
<li><strong>Cream cheese frosting. </strong>I made my own with a mix of room temperature cream cheese, powdered sugar, cream, and coconut extract. </li>
</ul>
<h2 class="wp-block-heading">How to make a coconut cake</h2>
<p><em>I’ve included </em><strong><em>step-by-step photos</em></strong><em> below to make this recipe easy to follow at home. For the full printable recipe instructions and ingredient quantities, scroll to the recipe card at the bottom of this post.</em></p>
<p><strong>Step 1- Prep. </strong>Preheat the oven and line 2 round 9-inch cake pans with parchment paper. </p>
<p><strong>Step 2- Mix. </strong>Combine the dry ingredients in a large bowl, then add the wet and whisk until smooth. Stir in the coconut flakes. </p>
<p><strong>Step 3- Bake. </strong>Pour the batter mixture into the pans, spread it into an even layer, and bake until a toothpick comes out mostly clean. </p>
<p><strong>Step 4- Frost.</strong> Using a stand mixer on low speed, beat the frosting ingredients to stiff peaks. Layer the cakes on a serving plate with a sheet of frosting between them, on top, and along the sides. </p>
<figure class="wp-block-image size-full"><img decoding="async" width="1200" height="1800" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='1200'%20height='1800'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="coconut layer cake." class="wp-image-124229 perfmatters-lazy" data-src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-150x225.jpg 150w" data-sizes="(max-width: 800px) 100vw, 800px" /><noscript><img decoding="async" width="1200" height="1800" src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2.jpg" alt="coconut layer cake." class="wp-image-124229" srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake2-150x225.jpg 150w" sizes="(max-width: 800px) 100vw, 800px" /></noscript></figure>
<h2 class="wp-block-heading">Arman’s recipe tips</h2>
<ul class="wp-block-list">
<li><strong>Don’t have coconut extract? </strong>I’ve used almond extract in a pinch, and while the flavor isn’t identical, it is a lovely alternative. </li>
<li><strong>Make a four-layer cake. </strong>Once the cakes have cooled completely, slice each in half with a serrated knife. You may want to double the frosting recipe so you have enough for each cake layer. </li>
<li><strong>Use toasted coconut.</strong> If you don’t mind a more nutty, toasted flavor, you can use toasted coconut flakes, though I recommend you only add them as decoration. I tested baking the cake with toasted coconut, and it tasted burnt. </li>
<li><strong>Don’t overmix. </strong>Mixing too much will make the cake tough and prevent it from rising. </li>
<li><strong>Let the cake cool completely before frosting.</strong> Otherwise, the frosting will melt into the cake. </li>
<li><strong>Decorate the cake.</strong> Cover the sides of the cake with shredded coconut for the perfect finishing touch.</li>
</ul>
<h2 class="wp-block-heading">Frequently asked questions</h2>
<div class="schema-faq wp-block-yoast-faq-block"><div class="schema-faq-section" id="faq-question-1738641911989"><strong class="schema-faq-question">Why is my cake dry?</strong> <p class="schema-faq-answer">The cake may turn out dry if it’s overmixed or if too much flour was added to the cake batter. Try to avoid packing down the flour when scooping it to measure. </p> </div> <div class="schema-faq-section" id="faq-question-1738641917866"><strong class="schema-faq-question">Can I use a different type of flour?</strong> <p class="schema-faq-answer">I don’t recommend switching up the flour. This recipe has been designed especially for using regular all-purpose flour, so changing to a different flour will affect the results of the cake.</p> </div> </div>
<figure class="wp-block-image size-full"><img decoding="async" width="1200" height="1800" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='1200'%20height='1800'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="slice of coconut cake on a plate." class="wp-image-124228 perfmatters-lazy" data-src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-150x225.jpg 150w" data-sizes="(max-width: 800px) 100vw, 800px" /><noscript><img decoding="async" width="1200" height="1800" src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3.jpg" alt="slice of coconut cake on a plate." class="wp-image-124228" srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-800x1200.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-768x1152.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-1024x1536.jpg 1024w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-400x600.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake3-150x225.jpg 150w" sizes="(max-width: 800px) 100vw, 800px" /></noscript></figure>
<h2 class="wp-block-heading">More coconut recipes</h2>
<ul class="wp-block-list">
<li><a href="https://thebigmansworld.com/healthy-vegan-coconut-brownies-paleo-keto-low-carb/"><strong>Coconut brownies</strong></a></li>
<li><a href="https://thebigmansworld.com/coconut-cheesecake/"><strong>Coconut cheesecake</strong></a></li>
<li><strong><a href="https://thebigmansworld.com/3-ingredient-paleo-vegan-no-bake-coconut-cookies-keto-sugar-free/">Coconut cookies</a></strong></li>
<li><a href="https://thebigmansworld.com/4-ingredient-paleo-vegan-chocolate-coconut-cookies-keto-sugar-free-no-bake/"><strong>Chocolate coconut cookies</strong></a></li>
</ul>
<div id="recipe"></div><div id="wprm-recipe-container-36688" class="wprm-recipe-container" data-recipe-id="36688" data-servings="12"><div class="wprm-recipe wprm-recipe-template-cwp-food---video-move-edit"><div class="cwp-food-header">
<div class="cwp-food-header__icon-container"><svg class="cwp-food-header__icon" width="38" height="38" aria-hidden="true" role="img" focusable="false"><use href="#utility-bookmark1"></use></svg></div><!-- .cwp-food-header__icon-container -->
<div class="wprm-recipe-image wprm-block-image-rounded nopin"><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;border-radius: 8px;" width="300" height="300" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='300'%20viewBox='0%200%20300%20300'%3E%3C/svg%3E" class="attachment-300x300 size-300x300 perfmatters-lazy" alt="coconut cake recipe." data-src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg 1200w" data-sizes="(max-width: 300px) 100vw, 300px" /><noscript><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;border-radius: 8px;" width="300" height="300" src="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-378x378.jpg" class="attachment-300x300 size-300x300" alt="coconut cake recipe." srcset="https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake-recipe.jpg 1200w" sizes="(max-width: 300px) 100vw, 300px" /></noscript></div>
<h2 class="wprm-recipe-name wprm-block-text-none">Coconut Cake Recipe</h2>
<style>#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-full svg * { fill: var(--wp--custom--color--star); }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-user-rating-0-33); }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-user-rating-0-50); }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-user-rating-0-66); }linearGradient#wprm-recipe-user-rating-0-33 stop { stop-color: var(--wp--custom--color--star); }linearGradient#wprm-recipe-user-rating-0-50 stop { stop-color: var(--wp--custom--color--star); }linearGradient#wprm-recipe-user-rating-0-66 stop { stop-color: var(--wp--custom--color--star); }</style><svg xmlns="http://www.w3.org/2000/svg" width="0" height="0" style="display:block;width:0px;height:0px"><defs><linearGradient id="wprm-recipe-user-rating-0-33"><stop offset="0%" stop-opacity="1" /><stop offset="33%" stop-opacity="1" /><stop offset="33%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-0-50"><stop offset="0%" stop-opacity="1" /><stop offset="50%" stop-opacity="1" /><stop offset="50%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-0-66"><stop offset="0%" stop-opacity="1" /><stop offset="66%" stop-opacity="1" /><stop offset="66%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs></svg><div id="wprm-recipe-user-rating-0" class="wprm-recipe-rating wprm-recipe-rating-recipe-36688 wprm-user-rating wprm-recipe-rating-separate wprm-user-rating-not-voted wprm-user-rating-allowed" data-recipe="36688" data-average="5" data-count="297" data-total="1485" data-user="0" data-decimals="2"data-modal-uid="user-rating"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="var(--wp--custom--color--star)" role="button" tabindex="0" aria-label="Rate this recipe 1 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="var(--wp--custom--color--star)" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="var(--wp--custom--color--star)" role="button" tabindex="0" aria-label="Rate this recipe 2 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="var(--wp--custom--color--star)" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="var(--wp--custom--color--star)" role="button" tabindex="0" aria-label="Rate this recipe 3 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="var(--wp--custom--color--star)" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="var(--wp--custom--color--star)" role="button" tabindex="0" aria-label="Rate this recipe 4 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="var(--wp--custom--color--star)" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="var(--wp--custom--color--star)" role="button" tabindex="0" aria-label="Rate this recipe 5 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="var(--wp--custom--color--star)" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><div class="wprm-recipe-rating-details wprm-block-text-normal"><span class="wprm-recipe-rating-average">5</span> from <span class="wprm-recipe-rating-count">297</span> votes</div></div>
<div class="wprm-recipe-summary wprm-block-text-normal"><span style="display: block;">My coconut cake is moist and fluffy in texture and rich in coconut flavor. It's a simple recipe that requires no eggs and very little prep work. </span></div>
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-separated wprm-block-text-light" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-separated wprm-block-text-light wprm-recipe-servings-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-servings-label">Servings: </span><span class="wprm-recipe-servings-with-unit"><span class="wprm-recipe-servings wprm-recipe-details wprm-recipe-servings-36688 wprm-recipe-servings-adjustable-text wprm-block-text-light" data-recipe="36688" aria-label="Adjust recipe servings">12</span> <span class="wprm-recipe-servings-unit wprm-recipe-details-unit wprm-block-text-light">servings</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-separated wprm-block-text-light wprm-recipe-time-container wprm-recipe-prep-time-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-prep-time-label">Prep: </span><span class="wprm-recipe-time wprm-block-text-light"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-prep_time wprm-recipe-prep_time-minutes">5<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-prep_time-unit wprm-recipe-prep_timeunit-minutes" aria-hidden="true">mins</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-separated wprm-block-text-light wprm-recipe-time-container wprm-recipe-cook-time-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-cook-time-label">Cook: </span><span class="wprm-recipe-time wprm-block-text-light"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-cook_time wprm-recipe-cook_time-minutes">30<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-cook_time-unit wprm-recipe-cook_timeunit-minutes" aria-hidden="true">mins</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-separated wprm-block-text-light wprm-recipe-time-container wprm-recipe-total-time-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-total-time-label">Total: </span><span class="wprm-recipe-time wprm-block-text-light"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-total_time wprm-recipe-total_time-minutes">35<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-total_time-unit wprm-recipe-total_timeunit-minutes" aria-hidden="true">mins</span></span></div></div>
</div>
<div class="cwp-food-buttons">
<a href="#commentform" style="color: #ffffff;" class="wprm-recipe-jump-to-comments wprm-recipe-link wprm-block-text-normal">Rate This Recipe</a>
<!-- [wprm-recipe-pin style="text" icon="" text_color="#ffffff" text="Pin Recipe"] -->
<a href="https://pinterest.com/pin/create/button/?url=https://thebigmansworld.com/coconut-cake/&media=https://thebigmansworld.com/wp-content/uploads/2025/02/coconut-cake.jpg&description=Coconut Cake" title="Share on Pinterest" target="_blank" rel="nofollow noopener noreferrer" class="social-share" data-postid="36677" data-pin-do="none" data-social-network="Pinterest" data-social-action="Pin" data-social-target="https://thebigmansworld.com/coconut-cake/">Pin</a>
<a href="https://thebigmansworld.com/wprm_print/coconut-cake-recipe" style="color: #ffffff;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal" data-recipe-id="36688" data-template="" target="_blank" rel="nofollow">Print</a>
</div>
<div id="recipe-video"></div>
<div class="wprm-recipe-ingredients-container wprm-recipe-ingredients-no-images wprm-recipe-36688-ingredients-container wprm-block-text-normal wprm-ingredient-style-regular wprm-recipe-images-before" data-recipe="36688" data-servings="12"><h3 class="wprm-recipe-header wprm-recipe-ingredients-header wprm-block-text-none wprm-align-left wprm-header-decoration-none wprm-header-has-actions wprm-header-has-actions" style="">Ingredients <div class="wprm-recipe-adjustable-servings-container wprm-recipe-adjustable-servings-36688-container wprm-toggle-container wprm-block-text-normal" style="background-color: #ffffff;border-color: var(--wp--preset--color--tertiary);color: var(--wp--preset--color--tertiary);border-radius: 3px;"><button class="wprm-recipe-adjustable-servings wprm-toggle wprm-toggle-active" data-multiplier="1" data-servings="12" data-recipe="36688" style="background-color: var(--wp--preset--color--tertiary);color: #ffffff;" aria-label="Adjust servings by 1x">1x</button><button class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="2" data-servings="12" data-recipe="36688" style="background-color: var(--wp--preset--color--tertiary);color: #ffffff;border-left: 1px solid var(--wp--preset--color--tertiary);" aria-label="Adjust servings by 2x">2x</button><button class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="3" data-servings="12" data-recipe="36688" style="background-color: var(--wp--preset--color--tertiary);color: #ffffff;border-left: 1px solid var(--wp--preset--color--tertiary);" aria-label="Adjust servings by 3x">3x</button></div></h3><div class="wprm-recipe-ingredient-group"><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="0"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-0" class="wprm-checkbox" aria-label=" 2 cups all-purpose flour"><label for="wprm-checkbox-0" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">cups</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3INHQxU" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">all-purpose flour</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="1"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-1" class="wprm-checkbox" aria-label=" 1 1/2 cups sugar"><label for="wprm-checkbox-1" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1 1/2</span> <span class="wprm-recipe-ingredient-unit">cups</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3g5Znpd" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">sugar</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="2"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-2" class="wprm-checkbox" aria-label=" 2 teaspoons baking soda"><label for="wprm-checkbox-2" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">teaspoons</span> <span class="wprm-recipe-ingredient-name"><a href="https://www.amazon.com/gp/product/B00HNSJSX2/ref=as_li_qf_asin_il_tl?ie=UTF8&tag=thbimaswo02-20&creative=9325&linkCode=as2&creativeASIN=B00HNSJSX2&linkId=a40e522ee97c57ca40c398826d43c19d" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">baking soda</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="3"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-3" class="wprm-checkbox" aria-label=" 1/2 teaspoon salt"><label for="wprm-checkbox-3" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1/2</span> <span class="wprm-recipe-ingredient-unit">teaspoon</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3WHWzjG" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">salt</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="4"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-4" class="wprm-checkbox" aria-label=" 1 1/2 cups water"><label for="wprm-checkbox-4" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1 1/2</span> <span class="wprm-recipe-ingredient-unit">cups</span> <span class="wprm-recipe-ingredient-name">water</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="13"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-5" class="wprm-checkbox" aria-label=" 1 tablespoon vinegar"><label for="wprm-checkbox-5" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3A7Z7NR" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">vinegar</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="5"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-6" class="wprm-checkbox" aria-label=" 1/2 cup oil"><label for="wprm-checkbox-6" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1/2</span> <span class="wprm-recipe-ingredient-unit">cup</span> <span class="wprm-recipe-ingredient-name">oil</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="6"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-7" class="wprm-checkbox" aria-label=" 1 tablespoon vanilla extract"><label for="wprm-checkbox-7" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name"><a href="https://www.amazon.com/gp/product/B0002UN7PI/ref=as_li_qf_sp_asin_il_tl?ie=UTF8&tag=thbimaswo02-20&camp=1789&creative=9325&linkCode=as2&creativeASIN=B0002UN7PI&linkId=eb82da07e579bf7772b4be1d5b036339" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">vanilla extract</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="7"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-8" class="wprm-checkbox" aria-label=" 1 cup shredded coconut"><label for="wprm-checkbox-8" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">cup</span> <span class="wprm-recipe-ingredient-name"><a href="https://www.amazon.com/gp/product/B002YR7A9Q/ref=as_li_qf_sp_asin_il_tl?ie=UTF8&tag=thbimaswo02-20&camp=1789&creative=9325&linkCode=as2&creativeASIN=B002YR7A9Q&linkId=237ce76de68d13d33cfe3b4e85a366af" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow">shredded coconut</a></span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-bold">Frosting</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="9"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-9" class="wprm-checkbox" aria-label=" 8 ounces cream cheese softened"><label for="wprm-checkbox-9" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">8</span> <span class="wprm-recipe-ingredient-unit">ounces</span> <span class="wprm-recipe-ingredient-name"><a href="https://www.target.com/p/philadelphia-original-cream-cheese-16oz-2ct/-/A-16964029" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow">cream cheese</a></span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">softened</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="10"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-10" class="wprm-checkbox" aria-label=" 1 cup confectioners sugar"><label for="wprm-checkbox-10" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">cup</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3N1BRrt" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">confectioners sugar</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="11"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-11" class="wprm-checkbox" aria-label=" 3/4 cup heavy cream"><label for="wprm-checkbox-11" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">3/4</span> <span class="wprm-recipe-ingredient-unit">cup</span> <span class="wprm-recipe-ingredient-name">heavy cream</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="12"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-12" class="wprm-checkbox" aria-label=" 1 teaspoon coconut extract or vanilla extract"><label for="wprm-checkbox-12" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">▢ </span></label></span><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">teaspoon</span> <span class="wprm-recipe-ingredient-name">coconut extract</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">or vanilla extract</span></li></ul></div></div>
<div class="wprm-recipe-instructions-container wprm-recipe-36688-instructions-container wprm-block-text-normal" data-recipe="36688"><h3 class="wprm-recipe-header wprm-recipe-instructions-header wprm-block-text-none wprm-align-left wprm-header-decoration-none wprm-header-has-actions" style="">Instructions </h3><div class="wprm-recipe-instruction-group"><ul class="wprm-recipe-instructions"><li id="wprm-recipe-36688-step-0-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">Preheat the oven to 190C/375F.</span></div></li><li id="wprm-recipe-36688-step-0-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">In a mixing bowl, whisk together the flour, sugar, baking soda, and salt. Add the water, oil, vanilla, and vinegar and whisk until smooth. Fold through the coconut flakes.</span></div></li><li id="wprm-recipe-36688-step-0-2" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">Grease two 8-inch cake pans and divide the batter between the two.</span></div></li><li id="wprm-recipe-36688-step-0-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">Bake the cakes for 30-35 minutes or until a skewer comes out clean.</span></div></li><li id="wprm-recipe-36688-step-0-4" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">Let the cakes cool completely before frosting. </span></div></li><li id="wprm-recipe-36688-step-0-5" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">To make the frosting, beat the cream cheese until smooth and creamy. Slowly add in the powdered sugar until combined. Add the cream and coconut extract and beat until stiff peaks form. </span></div></li></ul></div></div>
<div class="wprm-recipe-notes-container wprm-block-text-normal"><h3 class="wprm-recipe-header wprm-recipe-notes-header wprm-block-text-none wprm-align-left wprm-header-decoration-none" style="">Notes</h3><div class="wprm-recipe-notes"><span style="display: block;"><b>TO STORE: </b><span style="font-weight: 400;">Place the cake in an airtight container in the refrigerator for up to 2 weeks. </span></span><div class="wprm-spacer"></div>
<span style="display: block;"><b>TO FREEZE: </b><span style="font-weight: 400;">Wrap unfrosted cake slices in plastic wrap, store them in a freezer-safe container, and freeze for up to 6 months. </span></span><div class="wprm-spacer"></div>
<span style="display: block;"><strong>Variations</strong></span><div class="wprm-spacer"></div>
<ul>
<li><b>Make it vegan. </b><span style="font-weight: 400;">Use dairy-free cream cheese. </span></li>
<li><b>Coconut buttercream frosting.</b><span style="font-weight: 400;"> Swap the cream cheese for unsalted butter.</span></li>
<li><b>Coconut sheet cake. </b><span style="font-weight: 400;">Bake the cake in a 9×13-inch pan and bake for 40 minutes. </span></li>
<li><b>Coconut cupcakes. </b><span style="font-weight: 400;">Pour the batter into lined cupcake tins and bake for 18-20 minutes.</span></li>
<li><b>Coconut bundt cake. </b>Bake the cake in a 10-cup bundt cake pan and bake for 50 minutes or until a toothpick inserted comes out clean.</li>
</ul></div></div>
<h3 class="wprm-recipe-header wprm-recipe-nutrition-header wprm-block-text-none wprm-align-left wprm-header-decoration-none" style="">Nutrition</h3><div class="wprm-nutrition-label-container wprm-nutrition-label-container-grouped wprm-block-text-normal" style="text-align: left;"><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-serving_size"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Serving: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">1</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">serving</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calories"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Calories: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">295</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">kcal</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-carbohydrates"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Carbohydrates: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">43</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-protein"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Protein: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">3</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fat"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">15</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sodium"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Sodium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">284</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-potassium"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Potassium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">66</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fiber"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Fiber: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">2</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sugar"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Sugar: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">12</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-vitamin_c"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Vitamin C: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">0.1</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calcium"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Calcium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">6</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-iron"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">Iron: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">1</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-net_carbs"style="flex-basis: 230px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-bold" style="color: var(--wp--preset--color--foreground)">NET CARBS: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: var(--wp--preset--color--foreground)">41</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: var(--wp--preset--color--foreground)">g</span></span></div>
<div class="cwp-food-bottom-meta">
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-separate wprm-block-text-normal" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-separate wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-course-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-course-label">Course: </span><span class="wprm-recipe-course wprm-block-text-normal">Dessert</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-separate wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-cuisine-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-cuisine-label">Cuisine: </span><span class="wprm-recipe-cuisine wprm-block-text-normal">American</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-separate wprm-block-text-normal wprm-recipe-author-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-author-label">Author: </span><span class="wprm-recipe-details wprm-recipe-author wprm-block-text-normal"><a href="https://thebigmansworld.com/arman-liew" target="_self">Arman Liew</a></span></div></div>
</div>
<div class="cwp-food-cta"><div class="cwp-food-cta__icon-container"><svg class="cwp-food-cta__icon" width="38" height="38" aria-hidden="true" role="img" focusable="false"><use href="#utility-instagram"></use></svg></div><!-- .cwp-food-cta__icon-container --><div class="wprm-call-to-action wprm-call-to-action-simple" style="color: #ffffff;background-color: #549c5d;margin: 0px;padding-top: 0px;padding-bottom: 0px;"><span class="wprm-call-to-action-text-container"><span class="wprm-call-to-action-header" style="color: #ffffff;">Tried this recipe?</span><span class="wprm-call-to-action-text">Give us a shout at <a href="https://www.instagram.com/thebigmansworld" target="_blank" rel="noreferrer noopener" style="color: #ffffff">@thebigmansworld</a> or tag <a href="https://www.instagram.com/explore/tags/thebigmansworld" target="_blank" rel="noreferrer noopener" style="color: #ffffff">#thebigmansworld</a>!</span></span></div></div><!-- .cwp-food-cta --></div></div><div class="block-area block-area-after-recipe">
<!-- Raptive DO NOT DELETE - This site is converting visitors into subscribers and customers with OptinMonster - https://optinmonster.com :: Campaign Title: BMW - FORM - 10 Healthy Recipe Makeovers 2023 - INL -->
<div id="om-ta44xwk6jnktlzdrjtub-holder"></div>
<script>(function(d,u,ac){var s=d.createElement('script');s.type='text/javascript';s.src='https://a.omappapi.com/app/js/api.min.js';s.async=true;s.dataset.user=u;s.dataset.campaign=ac;d.getElementsByTagName('head')[0].appendChild(s);})(document,123324,'ta44xwk6jnktlzdrjtub');</script>
<!-- / https://optinmonster.com -->
<!-- Raptive DO NOT DELETE - This site is converting visitors into subscribers and customers with OptinMonster - https://optinmonster.com :: Campaign Title: BMW - FORM - Easy Healthy Classics Ebook 2024 Horizontal - INL -->
<div id="om-k84tjsztqtn51i8odgan-holder"></div>
<script>(function(d,u,ac){var s=d.createElement('script');s.type='text/javascript';s.src='https://a.omappapi.com/app/js/api.min.js';s.async=true;s.dataset.user=u;s.dataset.campaign=ac;d.getElementsByTagName('head')[0].appendChild(s);})(document,123324,'k84tjsztqtn51i8odgan');</script>
<!-- / https://optinmonster.com -->
</div>
<p><em>Originally published May 2023, updated and republished February 2025</em></p>
</div></article><div class="block-area block-area-after-post"><div class="block-author-box cwp-large"><div class="block-author-box__photo"><a href="https://thebigmansworld.com/arman-liew/" tabindex="-1" aria-hidden="true"><img alt src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='120'%20height='120'%20viewBox='0%200%20120%20120'%3E%3C/svg%3E" class="avatar avatar-120 photo perfmatters-lazy" height="120" width="120" data-src="https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=120&d=mm&r=g" data-srcset="https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=240&d=mm&r=g 2x" /><noscript><img alt='' src='https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=120&d=mm&r=g' srcset='https://secure.gravatar.com/avatar/977a498ef308c4600885d65156c0fd0a?s=240&d=mm&r=g 2x' class='avatar avatar-120 photo' height='120' width='120' /></noscript></a></div><div class="block-author-box__content cwp-inner"><p class="block-author-box__title">Arman Liew</p><p>I’m a two time cookbook author, photographer, and writer, and passionate about creating easy and healthier recipes. I believe you don’t need to be experienced in the kitchen to make good food using simple ingredients that most importantly, taste delicious.</p>
</div></div>
<section class="block-post-listing cwp-large layout-4up-grid-tight"><header><div class="block-post-listing__title">
<h2 class="wp-block-heading" id="h-you-may-also-like">You May Also Like</h2>
</div></header><div class="block-post-listing__inner"><!--fwp-loop-->
<article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/biscoff-cake/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="Biscoff cake recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe.jpg 1200w" data-sizes="(max-width: 767px) 50vw, 168px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="Biscoff cake recipe." data-pin-nopin="1" sizes="(max-width: 767px) 50vw, 168px" srcset="https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/04/biscoff-cake-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/biscoff-cake/">Biscoff Cake</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/cottage-cheese-banana-bread/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="cottage cheese banana bread recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe.jpg 1200w" data-sizes="(max-width: 767px) 50vw, 168px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="cottage cheese banana bread recipe." data-pin-nopin="1" sizes="(max-width: 767px) 50vw, 168px" srcset="https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2025/04/cottage-cheese-banana-bread-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/cottage-cheese-banana-bread/">Cottage Cheese Banana Bread</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/healthy-breakfast-muffins/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="healthy breakfast muffins recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe.jpg 1200w" data-sizes="(max-width: 767px) 50vw, 168px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="healthy breakfast muffins recipe." data-pin-nopin="1" sizes="(max-width: 767px) 50vw, 168px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/01/healthy-breakfast-muffins-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/healthy-breakfast-muffins/">Healthy Breakfast Muffins</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/healthy-zucchini-muffins/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="healthy zucchini muffins recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe.jpg 1200w" data-sizes="(max-width: 767px) 50vw, 168px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="healthy zucchini muffins recipe." data-pin-nopin="1" sizes="(max-width: 767px) 50vw, 168px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/04/healthy-zucchini-muffins-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/healthy-zucchini-muffins/">Healthy Zucchini Muffins</a></h3></div></article></div></section></div>
<div id="comments" class="entry-comments">
<div class="wprm-user-rating-summary">
<div class="wprm-user-rating-summary-stars"><style>#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-full svg * { fill: #343434; }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-user-rating-1-33); }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-user-rating-1-50); }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-user-rating-1-66); }linearGradient#wprm-recipe-user-rating-1-33 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-1-50 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-1-66 stop { stop-color: #343434; }</style><svg xmlns="http://www.w3.org/2000/svg" width="0" height="0" style="display:block;width:0px;height:0px"><defs><linearGradient id="wprm-recipe-user-rating-1-33"><stop offset="0%" stop-opacity="1" /><stop offset="33%" stop-opacity="1" /><stop offset="33%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-1-50"><stop offset="0%" stop-opacity="1" /><stop offset="50%" stop-opacity="1" /><stop offset="50%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-1-66"><stop offset="0%" stop-opacity="1" /><stop offset="66%" stop-opacity="1" /><stop offset="66%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs></svg><div id="wprm-recipe-user-rating-1" class="wprm-recipe-rating wprm-recipe-rating-recipe-summary wprm-user-rating"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span></div></div>
<div class="wprm-user-rating-summary-details">
5 from 297 votes (<a href="#" role="button" class="wprm-user-rating-summary-details-no-comments" data-modal-uid="2" data-recipe-id="36688" data-post-id="36677">291 ratings without comment</a>)
</div>
</div>
<div id="respond" class="comment-respond">
<h3 id="reply-title" class="comment-reply-title"><div class="comment-reply-title__icon-container"><svg class="comments-title__icon" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-chat2"></use></svg></div> Leave a Comment <small><a rel="nofollow" id="cancel-comment-reply-link" href="/coconut-cake/#respond" style="display:none;">Cancel reply</a></small></h3><form action="https://thebigmansworld.com/wp-comments-post.php" method="post" id="commentform" class="comment-form" novalidate><p class="comment-notes"><span id="email-notes">Your email address will not be published.</span> <span class="required-field-message">Required fields are marked <span class="required">*</span></span></p><div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-3917094864">Recipe Rating</label> <span class="wprm-rating-stars">
<fieldset class="wprm-comment-ratings-container" data-original-rating="0" data-current-rating="0">
<legend>Recipe Rating</legend>
<input aria-label="Don't rate this recipe" name="wprm-comment-rating" value="0" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="margin-left: -19px !important; width: 22px !important; height: 22px !important;" checked="checked"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-0" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
</defs>
<use xlink:href="#wprm-star-empty-0" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-empty-0" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-empty-0" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-empty-0" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-empty-0" x="136.5" y="4.5" />
</svg></span><br><input aria-label="Rate this recipe 1 out of 5 stars" name="wprm-comment-rating" value="1" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 22px !important; height: 22px !important;"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-1" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-1" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-1" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-empty-1" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-empty-1" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-empty-1" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-empty-1" x="136.5" y="4.5" />
</svg></span><br><input aria-label="Rate this recipe 2 out of 5 stars" name="wprm-comment-rating" value="2" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 22px !important; height: 22px !important;"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-2" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-2" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-2" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-full-2" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-empty-2" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-empty-2" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-empty-2" x="136.5" y="4.5" />
</svg></span><br><input aria-label="Rate this recipe 3 out of 5 stars" name="wprm-comment-rating" value="3" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 22px !important; height: 22px !important;"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-3" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-3" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-3" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-full-3" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-full-3" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-empty-3" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-empty-3" x="136.5" y="4.5" />
</svg></span><br><input aria-label="Rate this recipe 4 out of 5 stars" name="wprm-comment-rating" value="4" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 22px !important; height: 22px !important;"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-4" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-4" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-4" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-full-4" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-full-4" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-full-4" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-empty-4" x="136.5" y="4.5" />
</svg></span><br><input aria-label="Rate this recipe 5 out of 5 stars" name="wprm-comment-rating" value="5" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" id="wprm-comment-rating-3917094864" style="width: 22px !important; height: 22px !important;"><span aria-hidden="true" style="width: 110px !important; height: 22px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="110px" height="16px" viewBox="0 0 165 33">
<defs>
<path class="wprm-star-full" id="wprm-star-full-5" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-5" x="4.5" y="4.5" />
<use xlink:href="#wprm-star-full-5" x="37.5" y="4.5" />
<use xlink:href="#wprm-star-full-5" x="70.5" y="4.5" />
<use xlink:href="#wprm-star-full-5" x="103.5" y="4.5" />
<use xlink:href="#wprm-star-full-5" x="136.5" y="4.5" />
</svg></span> </fieldset>
</span>
</div>
<p class="comment-form-comment"><label for="comment">Comment <span class="required">*</span></label> <textarea id="comment" name="comment" cols="45" rows="8" maxlength="65525" required></textarea></p><p class="comment-form-author"><label for="author">Name <span class="required">*</span></label> <input id="author" name="author" type="text" value="" size="30" maxlength="245" autocomplete="name" required /></p>
<p class="comment-form-email"><label for="email">Email <span class="required">*</span></label> <input id="email" name="email" type="email" value="" size="30" maxlength="100" aria-describedby="email-notes" autocomplete="email" required /></p>
<p class="comment-subscription-form"><input type="checkbox" name="subscribe_blog" id="subscribe_blog" value="subscribe" style="width: auto; -moz-appearance: checkbox; -webkit-appearance: checkbox;" /> <label class="subscribe-label" id="subscribe-blog-label" for="subscribe_blog">Notify me of new posts by email.</label></p><p class="form-submit"><input name="submit" type="submit" id="submit" class="submit wp-block-button__link has-tertiary-background-color" value="Submit Comment" /> <input type='hidden' name='comment_post_ID' value='36677' id='comment_post_ID' />
<input type='hidden' name='comment_parent' id='comment_parent' value='0' />
</p><p style="display: none;"><input type="hidden" id="akismet_comment_nonce" name="akismet_comment_nonce" value="8d0ceb3af1" /></p><p style="display: none !important;" class="akismet-fields-container" data-prefix="ak_"><label>Δ<textarea name="ak_hp_textarea" cols="45" rows="8" maxlength="100"></textarea></label><input type="hidden" id="ak_js_1" name="ak_js" value="199"/><script type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">document.getElementById( "ak_js_1" ).setAttribute( "value", ( new Date() ).getTime() );</script></p></form> </div><!-- #respond -->
<h3 class="comments-title">
<div class="comments-title__icon-container">
<svg class="comments-title__icon" width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-chat2-message"></use></svg> </div><!-- .comments-title__icon-container -->
Comments </h3>
<ol class="comment-list">
<li id="comment-430833" class="comment even thread-even depth-1">
<article id="div-comment-430833" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Mario</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-430833"><time datetime="2025-02-14T05:20:12-05:00">February 14, 2025 at 5:20 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
What an amazing colour. I just think it takes lots of time to make it.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-430833" data-commentid="430833" data-postid="36677" data-belowelement="div-comment-430833" data-respondelement="respond" data-replyto="Reply to Mario" aria-label="Reply to Mario">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-430243" class="comment odd alt thread-odd thread-alt depth-1">
<article id="div-comment-430243" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Mario</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-430243"><time datetime="2025-02-08T05:59:53-05:00">February 8, 2025 at 5:59 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
This really is moist and fluffy! I like it so much.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-430243" data-commentid="430243" data-postid="36677" data-belowelement="div-comment-430243" data-respondelement="respond" data-replyto="Reply to Mario" aria-label="Reply to Mario">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-430061" class="comment even thread-even depth-1">
<article id="div-comment-430061" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Mario</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-430061"><time datetime="2025-02-06T03:17:01-05:00">February 6, 2025 at 3:17 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
What a nice recipe. How long can it be outside from the fridge?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-430061" data-commentid="430061" data-postid="36677" data-belowelement="div-comment-430061" data-respondelement="respond" data-replyto="Reply to Mario" aria-label="Reply to Mario">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-414517" class="comment odd alt thread-odd thread-alt depth-1">
<article id="div-comment-414517" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Cher Lloyd</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-414517"><time datetime="2024-09-05T11:18:38-04:00">September 5, 2024 at 11:18 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
This coconut cake is truly outstanding! I couldn’t believe how good it tastes without eggs. </p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-414517" data-commentid="414517" data-postid="36677" data-belowelement="div-comment-414517" data-respondelement="respond" data-replyto="Reply to Cher Lloyd" aria-label="Reply to Cher Lloyd">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-361001" class="comment even thread-even depth-1">
<article id="div-comment-361001" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Sereisa Milford</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-361001"><time datetime="2023-02-04T13:56:01-05:00">February 4, 2023 at 1:56 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>I like your recipes.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-361001" data-commentid="361001" data-postid="36677" data-belowelement="div-comment-361001" data-respondelement="respond" data-replyto="Reply to Sereisa Milford" aria-label="Reply to Sereisa Milford">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-356728" class="comment odd alt thread-odd thread-alt depth-1 parent">
<article id="div-comment-356728" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Janet Mintzer</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-356728"><time datetime="2022-12-30T19:13:06-05:00">December 30, 2022 at 7:13 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>Just made this cake and it is delicious. But glad I picked up that the instructions left out adding the coconut extract. Be sure to add it. I did at the last minute….</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-356728" data-commentid="356728" data-postid="36677" data-belowelement="div-comment-356728" data-respondelement="respond" data-replyto="Reply to Janet Mintzer" aria-label="Reply to Janet Mintzer">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-377507" class="comment even depth-2 parent">
<article id="div-comment-377507" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Gauri Puri</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-377507"><time datetime="2023-09-17T00:55:45-04:00">September 17, 2023 at 12:55 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>I am about to make this delicious looking cake . I can’t seem to find coconut extract or essence . Will replacing it with vanilla extract deter from the flavour much ?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-377507" data-commentid="377507" data-postid="36677" data-belowelement="div-comment-377507" data-respondelement="respond" data-replyto="Reply to Gauri Puri" aria-label="Reply to Gauri Puri">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-377542" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor odd alt depth-3 staff">
<article id="div-comment-377542" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman Liew</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-377542"><time datetime="2023-09-17T18:09:06-04:00">September 17, 2023 at 6:09 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>It should be okay.</p>
</div><!-- .comment-content -->
</article><!-- .comment-body -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
<li id="comment-334015" class="comment even thread-even depth-1 parent">
<article id="div-comment-334015" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Gwen</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-334015"><time datetime="2022-04-30T21:54:30-04:00">April 30, 2022 at 9:54 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>The picture of the cake shows 3 layers but the recipe says 1 8” pan. Does this recipe make 1 or 3 layers?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-334015" data-commentid="334015" data-postid="36677" data-belowelement="div-comment-334015" data-respondelement="respond" data-replyto="Reply to Gwen" aria-label="Reply to Gwen">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-369269" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor odd alt depth-2 parent staff">
<article id="div-comment-369269" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman Liew</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-369269"><time datetime="2023-05-06T16:30:35-04:00">May 6, 2023 at 4:30 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>one layer.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-369269" data-commentid="369269" data-postid="36677" data-belowelement="div-comment-369269" data-respondelement="respond" data-replyto="Reply to Arman Liew" aria-label="Reply to Arman Liew">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-429969" class="comment even depth-3 parent">
<article id="div-comment-429969" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Sam</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-429969"><time datetime="2025-02-05T07:41:25-05:00">February 5, 2025 at 7:41 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
Can I use regular milk or coconut milk instead of water and everything else same as per recipe ?</p>
</div><!-- .comment-content -->
</article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-430098" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor odd alt depth-3 staff">
<article id="div-comment-430098" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman Liew</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-430098"><time datetime="2025-02-06T15:52:46-05:00">February 6, 2025 at 3:52 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>Absolutely!</p>
</div><!-- .comment-content -->
</article><!-- .comment-body -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
<li id="comment-271823" class="comment even thread-odd thread-alt depth-1 parent">
<article id="div-comment-271823" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Karen</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-271823"><time datetime="2021-07-26T18:50:52-04:00">July 26, 2021 at 6:50 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>This looks so good and can’t wait to try. Is there any world where this recipe could be cooked as a muffin to make more portable/single serving for covid-times?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-271823" data-commentid="271823" data-postid="36677" data-belowelement="div-comment-271823" data-respondelement="respond" data-replyto="Reply to Karen" aria-label="Reply to Karen">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-271830" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor odd alt depth-2 staff">
<article id="div-comment-271830" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-271830"><time datetime="2021-07-26T19:29:23-04:00">July 26, 2021 at 7:29 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>I haven’t tried but feel free to experiment and see!</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-271830" data-commentid="271830" data-postid="36677" data-belowelement="div-comment-271830" data-respondelement="respond" data-replyto="Reply to Arman" aria-label="Reply to Arman">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
<li id="comment-369253" class="comment even depth-2 parent">
<article id="div-comment-369253" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Linda Morris</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-369253"><time datetime="2023-05-06T13:43:16-04:00">May 6, 2023 at 1:43 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p><img class="wprm-comment-rating perfmatters-lazy" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='80'%20height='16'%20viewBox='0%200%2080%2016'%3E%3C/svg%3E" alt="5 stars" width="80" height="16" data-src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" /><noscript><img class="wprm-comment-rating" src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></noscript><br />
Great recipe! Found I had enough cake batter for 3 sandwich tins. Recipe method mentions vinegar but no mention of vinegar in the ingredients!?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-369253" data-commentid="369253" data-postid="36677" data-belowelement="div-comment-369253" data-respondelement="respond" data-replyto="Reply to Linda Morris" aria-label="Reply to Linda Morris">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-369267" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor odd alt depth-3 staff">
<article id="div-comment-369267" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman Liew</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-369267"><time datetime="2023-05-06T16:29:11-04:00">May 6, 2023 at 4:29 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>Yes! 1 tablespoon vinegar.</p>
</div><!-- .comment-content -->
</article><!-- .comment-body -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
<li id="comment-239211" class="comment even thread-even depth-1 parent">
<article id="div-comment-239211" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">monika</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-239211"><time datetime="2020-11-25T18:29:15-05:00">November 25, 2020 at 6:29 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>A few questions:<br />
1) If you replace the coconut extract with vanilla, will it still taste overwhelmingly like coconut?; and<br />
2) Is it EGGY?</p>
<p>Thanks!</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-239211" data-commentid="239211" data-postid="36677" data-belowelement="div-comment-239211" data-respondelement="respond" data-replyto="Reply to monika" aria-label="Reply to monika">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-369220" class="comment odd alt depth-2 parent">
<article id="div-comment-369220" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">M</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-369220"><time datetime="2023-05-05T20:38:15-04:00">May 5, 2023 at 8:38 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>Vinegar and it’s quantity is not mentioned under the ingredients list in the recipe, while it is mentioned in the method as well as earlier in the recipe. Could you mention the quantity of vinegar to add please? Thank you.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-369220" data-commentid="369220" data-postid="36677" data-belowelement="div-comment-369220" data-respondelement="respond" data-replyto="Reply to M" aria-label="Reply to M">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-369268" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor even depth-3 staff">
<article id="div-comment-369268" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman Liew</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-369268"><time datetime="2023-05-06T16:30:21-04:00">May 6, 2023 at 4:30 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>Yes it is fixed now- 1 tablespoon</p>
</div><!-- .comment-content -->
</article><!-- .comment-body -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
<li id="comment-234528" class="comment odd alt thread-odd thread-alt depth-1 parent">
<article id="div-comment-234528" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Maureen Doyle</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-234528"><time datetime="2020-09-25T20:12:42-04:00">September 25, 2020 at 8:12 pm</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>If you only use one eight inch pan how do you get the layers?</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-234528" data-commentid="234528" data-postid="36677" data-belowelement="div-comment-234528" data-respondelement="respond" data-replyto="Reply to Maureen Doyle" aria-label="Reply to Maureen Doyle">Reply</a></div> </article><!-- .comment-body -->
<ol class="children">
<li id="comment-234538" class="comment byuser comment-author-armanthebigmansworldgmail-com bypostauthor even depth-2 staff">
<article id="div-comment-234538" class="comment-body">
<footer class="comment-meta">
<div class="comment-author vcard">
<b class="fn">Arman</b> <span class="says">says:</span> </div><!-- .comment-author -->
<div class="comment-metadata">
<a href="https://thebigmansworld.com/coconut-cake/#comment-234538"><time datetime="2020-09-26T01:25:29-04:00">September 26, 2020 at 1:25 am</time></a> </div><!-- .comment-metadata -->
</footer><!-- .comment-meta -->
<div class="comment-content">
<p>The recipe is for a single layer cake. for 2 layers, double the recipe. For 3 layers, triple the recipe.</p>
</div><!-- .comment-content -->
<div class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-234538" data-commentid="234538" data-postid="36677" data-belowelement="div-comment-234538" data-respondelement="respond" data-replyto="Reply to Arman" aria-label="Reply to Arman">Reply</a></div> </article><!-- .comment-body -->
</li><!-- #comment-## -->
</ol><!-- .children -->
</li><!-- #comment-## -->
</ol><!-- .comment-list -->
</div><!-- #comments -->
</main><aside class="sidebar-primary" role="complementary"><div class="block-area block-area-sidebar"><div class="block-about has-background has-senary-background-color">
<div class="wp-block-group block-about__inner is-content-justification-space-between is-nowrap is-layout-flex wp-container-core-group-is-layout-4 wp-block-group-is-layout-flex">
<div class="wp-block-group block-about__image is-layout-flow wp-block-group-is-layout-flow">
<figure class="wp-block-gallery has-nested-images columns-default is-cropped wp-block-gallery-1 is-layout-flex wp-block-gallery-is-layout-flex">
<figure class="wp-block-image size-large"><img decoding="async" width="1200" height="1200" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='1200'%20height='1200'%20viewBox='0%200%201200%201200'%3E%3C/svg%3E" alt class="wp-image-84747 perfmatters-lazy" data-src="https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-1200x1200.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-378x378.jpg 378w" data-sizes="(max-width: 800px) 100vw, 800px" /><noscript><img decoding="async" width="1200" height="1200" src="https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-1200x1200.jpg" alt="" class="wp-image-84747" srcset="https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world.jpg 1200w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/05/the-big-mans-world-378x378.jpg 378w" sizes="(max-width: 800px) 100vw, 800px" /></noscript></figure>
</figure>
</div>
<div class="wp-block-group block-about__content is-layout-flow wp-block-group-is-layout-flow">
<p class="is-style-heading has-huge-font-size">WELCOME TO THE BIG MAN’S WORLD!</p>
<p class="has-normal-font-size">My name is Arman Liew, and I’m a two-time cooking author and food blogger. Here, you’ll find delicious, HEALTHY, and easy recipes that cater to the beginner or seasoned cook.</p>
<div class="wp-block-buttons is-layout-flex wp-block-buttons-is-layout-flex">
<div class="wp-block-button"><a class="wp-block-button__link wp-element-button" href="https://thebigmansworld.com/about/">More About Us</a></div>
</div>
</div>
</div>
</div>
<div class="wp-block-group has-octonary-background-color has-background is-layout-constrained wp-block-group-is-layout-constrained"><section class="block-post-listing cwp-large layout-sidebar-grid block-post-listing--sidebar"><header><div class="block-post-listing__title">
<h2 class="wp-block-heading" id="h-popular-recipes">Popular Recipes</h2>
</div></header><div class="block-post-listing__inner"><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/stuffed-chicken-breast-recipe/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="stuffed chicken breast recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="stuffed chicken breast recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2022/10/stuffed-chicken-breast-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/stuffed-chicken-breast-recipe/">Stuffed Chicken Breast</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/almond-flour-cookies/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="almond flour cookies recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="almond flour cookies recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/11/almond-flour-cookies-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/almond-flour-cookies/">Almond Flour Cookies</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/vegan-brownies/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="vegan brownies recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-378x378.jpeg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-378x378.jpeg 378w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-276x276.jpeg 276w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-128x128.jpeg 128w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-468x468.jpeg 468w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-150x150.jpeg 150w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-768x768.jpeg 768w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-500x500.jpeg 500w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-200x200.jpeg 200w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-96x96.jpeg 96w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe.jpeg 800w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-378x378.jpeg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="vegan brownies recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-378x378.jpeg 378w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-276x276.jpeg 276w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-128x128.jpeg 128w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-468x468.jpeg 468w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-150x150.jpeg 150w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-768x768.jpeg 768w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-500x500.jpeg 500w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-200x200.jpeg 200w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe-96x96.jpeg 96w, https://thebigmansworld.com/wp-content/uploads/2022/05/vegan-brownie-recipe.jpeg 800w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/vegan-brownies/">Vegan Brownies</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-chicken-thighs/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer chicken thighs recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer chicken thighs recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/06/air-fryer-chicken-thighs-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-chicken-thighs/">Air Fryer Chicken Thighs</a></h3></div></article></div></section></div>
<div class="wp-block-group has-nonary-background-color has-background is-layout-constrained wp-block-group-is-layout-constrained"><section class="block-post-listing cwp-large layout-sidebar-grid block-post-listing--sidebar"><header><div class="block-post-listing__title">
<h2 class="wp-block-heading" id="h-air-fryer-favorites">Air Fryer Favorites</h2>
</div></header><div class="block-post-listing__inner"><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-chicken-breast/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer chicken breast recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer chicken breast recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/09/air-fryer-chicken-breast-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-chicken-breast/">Air Fryer Chicken Breast</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-shrimp/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer shrimp recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer shrimp recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/11/air-fryer-shrimp-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-shrimp/">Air Fryer Shrimp</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-tilapia/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer tilapia recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer tilapia recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/10/air-fryer-tilapia-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-tilapia/">Air Fryer Tilapia</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-meatballs/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer meatballs recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer meatballs recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2023/01/air-fryer-meatballs-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-meatballs/">Air Fryer Meatballs</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-chicken-tenderloins/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fry chicken tenderloins." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fry chicken tenderloins." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-200x200.jpg 200w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2022/08/air-fryer-chicken-tenderloins-recipe.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-chicken-tenderloins/">Air Fryer Chicken Tenderloins</a></h3></div></article><article class="post-summary"><div class="post-summary__image"><a href="https://thebigmansworld.com/air-fryer-salmon/" tabindex="-1" aria-hidden="true"><img decoding="async" width="378" height="378" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='378'%20height='378'%20viewBox='0%200%20378%20378'%3E%3C/svg%3E" class="attachment-cwp_archive_lg size-cwp_archive_lg perfmatters-lazy" alt="air fryer salmon recipe." data-pin-nopin="1" data-src="https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-378x378.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1.jpg 1200w" data-sizes="(max-width: 767px) 120px, 120px" /><noscript><img decoding="async" width="378" height="378" src="https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-378x378.jpg" class="attachment-cwp_archive_lg size-cwp_archive_lg" alt="air fryer salmon recipe." data-pin-nopin="1" sizes="(max-width: 767px) 120px, 120px" srcset="https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-378x378.jpg 378w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-800x800.jpg 800w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-150x150.jpg 150w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-768x768.jpg 768w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-500x500.jpg 500w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-400x400.jpg 400w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-468x468.jpg 468w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-96x96.jpg 96w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-276x276.jpg 276w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1-128x128.jpg 128w, https://thebigmansworld.com/wp-content/uploads/2024/03/air-fryer-salmon-recipe-1.jpg 1200w" /></noscript></a></div><div class="post-summary__content"><h3 class="post-summary__title"><a href="https://thebigmansworld.com/air-fryer-salmon/">Air Fryer Salmon</a></h3></div></article></div></section></div>
</div></aside></div></div><div class="block-area block-area-before-footer"><div class="block-seen-in"><p class="block-seen-in__title">As Seen In</p><div class="block-seen-in__wrap"><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/buzzfeed-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/huffpost-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/greatest.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/greatest.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/greatest-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/greatest.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/greatest.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/greatest-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/forbes.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/forbes.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/forbes-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/forbes.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/forbes.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/forbes-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/goodmorningamerica-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian.jpg" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian.jpg 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian-150x72.jpg 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian.jpg" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian.jpg 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/theguardian-150x72.jpg 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/today.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/today.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/today-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/today.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/today.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/today-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/betterhomesgardens-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/yahoo-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/people.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/people.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/people-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/people.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/people.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/people-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/vogue.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/vogue.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/vogue-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/vogue.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/vogue.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/vogue-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/conde-nast-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/bonappetit-150x72.png 150w" /></noscript></div><div><img decoding="async" width="300" height="144" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20width='300'%20height='144'%20viewBox='0%200%20300%20144'%3E%3C/svg%3E" class="attachment-medium size-medium perfmatters-lazy" alt data-src="https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest.png" data-srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest-150x72.png 150w" data-sizes="100px" /><noscript><img decoding="async" width="300" height="144" src="https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest.png" class="attachment-medium size-medium" alt="" sizes="100px" srcset="https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest.png 300w, https://thebigmansworld.com/wp-content/uploads/2023/02/readers-digest-150x72.png 150w" /></noscript></div></div></div></div><footer class="site-footer" role="contentinfo"><div class="wrap"><div class="site-footer__inner"><div class="site-footer__left"><a href="https://thebigmansworld.com/" class="site-footer__badge"><span class="screen-reader-text">The Big Man's World ®</span><svg width="150" height="150" aria-hidden="true" role="img" focusable="false"><use href="#logo-logo-icon-white"></use></svg></a></div><!-- .site-footer__left --><div class="site-footer__middle"><div class="nav-footer-left"><ul id="menu-footer-left-menu" class="menu"><li id="menu-item-78753" class="menu-item"><a href="https://thebigmansworld.com/category/appetisers-and-sides/">Appetizers & Sides</a></li>
<li id="menu-item-78754" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/">Easy Dinners</a></li>
<li id="menu-item-78755" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-breakfasts/">Breakfast</a></li>
<li id="menu-item-78756" class="menu-item current-post-ancestor current-menu-parent current-post-parent"><a href="https://thebigmansworld.com/category/healthy-desserts/">Dessert</a></li>
<li id="menu-item-78757" class="menu-item"><a href="https://thebigmansworld.com/category/healthy-snacks/">Snacks</a></li>
<li id="menu-item-96823" class="menu-item"><a href="https://thebigmansworld.com/category/air-fryer-recipes/">Air Fryer Recipes</a></li>
<li id="menu-item-96824" class="menu-item"><a href="https://thebigmansworld.com/category/main-dishes/chicken/">Chicken Recipes</a></li>
</ul></div></div><!-- .site-footer__middle --><div class="site-footer__right"><div class="nav-footer-right"><ul id="menu-footer-right-menu" class="menu"><li id="menu-item-78761" class="menu-item"><a href="https://thebigmansworld.com/about/">About</a></li>
<li id="menu-item-78762" class="menu-item"><a href="https://thebigmansworld.com/category/cooking-resources/">Cooking Resources</a></li>
<li id="menu-item-78763" class="menu-item"><a href="https://thebigmansworld.com/contact-2/">Contact</a></li>
</ul></div><ul class="site-footer__socials"><li><a href="https://www.instagram.com/thebigmansworld" target="_blank" rel="noopener noreferrer" aria-label="Instagram"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-instagram"></use></svg>Instagram</a></li>
<li><a href="https://www.youtube.com/thebigmansworld" target="_blank" rel="noopener noreferrer" aria-label="YouTube"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-youtube-play"></use></svg>YouTube</a></li>
<li><a href="https://www.facebook.com/thebigmansworld/" target="_blank" rel="noopener noreferrer" aria-label="Facebook"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-facebook"></use></svg>Facebook</a></li>
<li><a href="https://twitter.com/TheBigMansWorld" target="_blank" rel="noopener noreferrer" aria-label="Twitter"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-twitter"></use></svg>Twitter</a></li>
<li><a href="https://www.pinterest.com/thebigmansworld/the-big-mans-world-blog/" target="_blank" rel="noopener noreferrer" aria-label="Pinterest"><svg width="24" height="24" aria-hidden="true" role="img" focusable="false"><use href="#utility-pinterest"></use></svg>Pinterest</a></li></ul></div><!-- .site-footer__right --></div><!-- .site-footer__inner --></div></footer><div class="site-footer__copyright"><div class="wrap"><div class="site-footer__copyright-inner"><div class="site-footer__copyright-text"><p>©2025 The Big Man's World ®. All rights reserved.</p>
</div><!-- .site-footer__copyright-text --><div class="site-footer__copyright-links"> <a href="https://thebigmansworld.com/privacy-policy/">Privacy Policy</a></div><!-- .site-footer__copyright-links --></div><!-- .site-footer__copyright-inner --></div><!-- .wrap --></div></div><script data-no-optimize='1' data-cfasync='false' id='cls-insertion-87d8ad6'>!function(){"use strict";function e(){return e=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var i=arguments[t];for(var n in i)Object.prototype.hasOwnProperty.call(i,n)&&(e[n]=i[n])}return e},e.apply(this,arguments)}window.adthriveCLS.buildDate="2025-05-02";const t={AdDensity:"addensity",AdLayout:"adlayout",Interstitial:"interstitial",StickyOutstream:"stickyoutstream"},i="Below_Post",n="Content",s="Recipe",o="Footer",r="Header",a="Sidebar",l="desktop",c="mobile",d="Video_Collapse_Autoplay_SoundOff",h="Video_Individual_Autoplay_SOff",u="Video_Coll_SOff_Smartphone",p="Video_In-Post_ClicktoPlay_SoundOn",m=e=>{const t={};return function(...i){const n=JSON.stringify(i);if(t[n])return t[n];const s=e.apply(this,i);return t[n]=s,s}},g=navigator.userAgent,y=m((e=>/Chrom|Applechromium/.test(e||g))),_=m((()=>/WebKit/.test(g))),f=m((()=>y()?"chromium":_()?"webkit":"other"));const v=new class{info(e,t,...i){this.call(console.info,e,t,...i)}warn(e,t,...i){this.call(console.warn,e,t,...i)}error(e,t,...i){this.call(console.error,e,t,...i),this.sendErrorLogToCommandQueue(e,t,...i)}event(e,t,...i){var n;"debug"===(null==(n=window.adthriveCLS)?void 0:n.bucket)&&this.info(e,t)}sendErrorLogToCommandQueue(e,t,...i){window.adthrive=window.adthrive||{},window.adthrive.cmd=window.adthrive.cmd||[],window.adthrive.cmd.push((()=>{void 0!==window.adthrive.logError&&"function"==typeof window.adthrive.logError&&window.adthrive.logError(e,t,i)}))}call(e,t,i,...n){const s=[`%c${t}::${i} `],o=["color: #999; font-weight: bold;"];n.length>0&&"string"==typeof n[0]&&s.push(n.shift()),o.push(...n);try{Function.prototype.apply.call(e,console,[s.join(""),...o])}catch(e){return void console.error(e)}}},b=(e,t)=>null==e||e!=e?t:e,S=e=>{const t=e.offsetHeight,i=e.offsetWidth,n=e.getBoundingClientRect(),s=document.body,o=document.documentElement,r=window.pageYOffset||o.scrollTop||s.scrollTop,a=window.pageXOffset||o.scrollLeft||s.scrollLeft,l=o.clientTop||s.clientTop||0,c=o.clientLeft||s.clientLeft||0,d=Math.round(n.top+r-l),h=Math.round(n.left+a-c);return{top:d,left:h,bottom:d+t,right:h+i,width:i,height:t}},E=e=>{let t={};const i=((e=window.location.search)=>{const t=0===e.indexOf("?")?1:0;return e.slice(t).split("&").reduce(((e,t)=>{const[i,n]=t.split("=");return e.set(i,n),e}),new Map)})().get(e);if(i)try{const n=decodeURIComponent(i).replace(/\+/g,"");t=JSON.parse(n),v.event("ExperimentOverridesUtil","getExperimentOverrides",e,t)}catch(e){}return t},x=m(((e=navigator.userAgent)=>/Windows NT|Macintosh/i.test(e))),w=m((()=>{const e=navigator.userAgent,t=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari|CrOS/i.test(e);return/Mobi|iP(hone|od)|Opera Mini/i.test(e)&&!t})),A=(e,t,i=document)=>{const n=((e=document)=>{const t=e.querySelectorAll("article");if(0===t.length)return null;const i=Array.from(t).reduce(((e,t)=>t.offsetHeight>e.offsetHeight?t:e));return i&&i.offsetHeight>1.5*window.innerHeight?i:null})(i),s=n?[n]:[],o=[];e.forEach((e=>{const n=Array.from(i.querySelectorAll(e.elementSelector)).slice(0,e.skip);var r;(r=e.elementSelector,r.includes(",")?r.split(","):[r]).forEach((r=>{const a=i.querySelectorAll(r);for(let i=0;i<a.length;i++){const r=a[i];if(t.map.some((({el:e})=>e.isEqualNode(r))))continue;const l=r&&r.parentElement;l&&l!==document.body?s.push(l):s.push(r),-1===n.indexOf(r)&&o.push({dynamicAd:e,element:r})}}))}));const r=((e=document)=>(e===document?document.body:e).getBoundingClientRect().top)(i),a=o.sort(((e,t)=>e.element.getBoundingClientRect().top-r-(t.element.getBoundingClientRect().top-r)));return[s,a]};class C{}const D=["mcmpfreqrec"];const P=new class extends C{init(e){this._gdpr="true"===e.gdpr,this._shouldQueue=this._gdpr}clearQueue(e){e&&(this._shouldQueue=!1,this._sessionStorageHandlerQueue.forEach((e=>{this.setSessionStorage(e.key,e.value)})),this._localStorageHandlerQueue.forEach((e=>{if("adthrive_abgroup"===e.key){const t=Object.keys(e.value)[0],i=e.value[t],n=e.value[`${t}_weight`];this.getOrSetABGroupLocalStorageValue(t,i,n,{value:24,unit:"hours"})}else e.expiry?"internal"===e.type?this.setExpirableInternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):this.setExpirableExternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):"internal"===e.type?this.setInternalLocalStorage(e.key,e.value):this.setExternalLocalStorage(e.key,e.value)})),this._cookieHandlerQueue.forEach((e=>{"internal"===e.type?this.setInternalCookie(e.key,e.value):this.setExternalCookie(e.key,e.value)}))),this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[]}readInternalCookie(e){return this._verifyInternalKey(e),this._readCookie(e)}readExternalCookie(e){return this._readCookie(e)}readInternalLocalStorage(e){return this._verifyInternalKey(e),this._readFromLocalStorage(e)}readExternalLocalStorage(e){return this._readFromLocalStorage(e)}readSessionStorage(e){const t=window.sessionStorage.getItem(e);if(!t)return null;try{return JSON.parse(t)}catch(e){return t}}deleteCookie(e){document.cookie=`${e}=; SameSite=None; Secure; expires=Thu, 01 Jan 1970 00:00:00 UTC; path=/`}deleteLocalStorage(e){window.localStorage.removeItem(e)}deleteSessionStorage(e){window.sessionStorage.removeItem(e)}setInternalCookie(e,t,i){this._verifyInternalKey(e),this._setCookieValue("internal",e,t,i)}setExternalCookie(e,t,i){this._setCookieValue("external",e,t,i)}setInternalLocalStorage(e,t){if(this._verifyInternalKey(e),this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExternalLocalStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"external"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExpirableInternalLocalStorage(e,t,i){this._verifyInternalKey(e);try{var n;const o=null!=(n=null==i?void 0:i.expiry)?n:{value:400,unit:"days"};var s;const r=null!=(s=null==i?void 0:i.resetOnRead)&&s;if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"internal",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setExpirableExternalLocalStorage(e,t,i){try{var n;const o=null!=(n=null==i?void 0:i.expiry)?n:{value:400,unit:"days"};var s;const r=null!=(s=null==i?void 0:i.resetOnRead)&&s;if(this._gdpr&&this._shouldQueue){const i={key:e,value:JSON.stringify(t),type:"external",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"external",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setSessionStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t};this._sessionStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.sessionStorage.setItem(e,i)}}getOrSetABGroupLocalStorageValue(t,i,n,s,o=!0){const r="adthrive_abgroup",a=this.readInternalLocalStorage(r);if(null!==a){const e=a[t];var l;const i=null!=(l=a[`${t}_weight`])?l:null;if(this._isValidABGroupLocalStorageValue(e))return[e,i]}const c=e({},a,{[t]:i,[`${t}_weight`]:n});return s?this.setExpirableInternalLocalStorage(r,c,{expiry:s,resetOnRead:o}):this.setInternalLocalStorage(r,c),[i,n]}_isValidABGroupLocalStorageValue(e){return null!=e&&!("number"==typeof e&&isNaN(e))}_getExpiryDate({value:e,unit:t}){const i=new Date;return"milliseconds"===t?i.setTime(i.getTime()+e):"seconds"==t?i.setTime(i.getTime()+1e3*e):"minutes"===t?i.setTime(i.getTime()+60*e*1e3):"hours"===t?i.setTime(i.getTime()+60*e*60*1e3):"days"===t?i.setTime(i.getTime()+24*e*60*60*1e3):"months"===t&&i.setTime(i.getTime()+30*e*24*60*60*1e3),i.toUTCString()}_resetExpiry(e){return e.expires=this._getExpiryDate(e.expiry),e}_readCookie(e){const t=document.cookie.split("; ").find((t=>t.split("=")[0]===e));if(!t)return null;const i=t.split("=")[1];if(i)try{return JSON.parse(decodeURIComponent(i))}catch(e){return decodeURIComponent(i)}return null}_readFromLocalStorage(e){const t=window.localStorage.getItem(e);if(!t)return null;try{const n=JSON.parse(t),s=n.expires&&(new Date).getTime()>=new Date(n.expires).getTime();if("adthrive_abgroup"===e&&n.created)return window.localStorage.removeItem(e),null;if(n.resetOnRead&&n.expires&&!s){const t=this._resetExpiry(n);var i;return window.localStorage.setItem(e,JSON.stringify(n)),null!=(i=t.value)?i:t}if(s)return window.localStorage.removeItem(e),null;if(!n.hasOwnProperty("value"))return n;try{return JSON.parse(n.value)}catch(e){return n.value}}catch(e){return t}}_setCookieValue(e,t,i,n){try{if(this._gdpr&&this._shouldQueue){const n={key:t,value:i,type:e};this._cookieHandlerQueue.push(n)}else{var s;const e=this._getExpiryDate(null!=(s=null==n?void 0:n.expiry)?s:{value:400,unit:"days"});var o;const a=null!=(o=null==n?void 0:n.sameSite)?o:"None";var r;const l=null==(r=null==n?void 0:n.secure)||r,c="object"==typeof i?JSON.stringify(i):i;document.cookie=`${t}=${c}; SameSite=${a}; ${l?"Secure;":""} expires=${e}; path=/`}}catch(e){}}_verifyInternalKey(e){const t=e.startsWith("adthrive_"),i=e.startsWith("adt_");if(!t&&!i&&!D.includes(e))throw new Error('When reading an internal cookie, the key must start with "adthrive_" or "adt_" or be part of the allowed legacy keys.')}constructor(...e){super(...e),this.name="BrowserStorage",this.disable=!1,this.gdprPurposes=[1],this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[],this._shouldQueue=!1}},k=(e,i,n)=>{switch(i){case t.AdDensity:return((e,t)=>{const i=e.adDensityEnabled,n=e.adDensityLayout.pageOverrides.find((e=>!!document.querySelector(e.pageSelector)&&(e[t].onePerViewport||"number"==typeof e[t].adDensity)));return!i||!n})(e,n);case t.StickyOutstream:return(e=>{var t,i,n;const s=null==(n=e.videoPlayers)||null==(i=n.partners)||null==(t=i.stickyOutstream)?void 0:t.blockedPageSelectors;return!s||!document.querySelector(s)})(e);case t.Interstitial:return(e=>{const t=e.adOptions.interstitialBlockedPageSelectors;return!t||!document.querySelector(t)})(e);default:return!0}},O=t=>{try{return{valid:!0,elements:document.querySelectorAll(t)}}catch(t){return e({valid:!1},t)}},I=e=>""===e?{valid:!0}:O(e),M=(e,t)=>{if(!e)return!1;const i=!!e.enabled,n=null==e.dateStart||Date.now()>=e.dateStart,s=null==e.dateEnd||Date.now()<=e.dateEnd,o=null===e.selector||""!==e.selector&&!!document.querySelector(e.selector),r="mobile"===e.platform&&"mobile"===t,a="desktop"===e.platform&&"desktop"===t,l=null===e.platform||"all"===e.platform||r||a,c="bernoulliTrial"===e.experimentType?1===e.variants.length:(e=>{const t=e.reduce(((e,t)=>t.weight?t.weight+e:e),0);return e.length>0&&e.every((e=>{const t=e.value,i=e.weight;return!(null==t||"number"==typeof t&&isNaN(t)||!i)}))&&100===t})(e.variants);return c||v.error("SiteTest","validateSiteExperiment","experiment presented invalid choices for key:",e.key,e.variants),i&&n&&s&&o&&l&&c},L=["siteId","siteName","adOptions","breakpoints","adUnits"];class R{get enabled(){return!!this._clsGlobalData&&!!this._clsGlobalData.siteAds&&((e,t=L)=>{if(!e)return!1;for(let i=0;i<t.length;i++)if(!e[t[i]])return!1;return!0})(this._clsGlobalData.siteAds)}get error(){return!(!this._clsGlobalData||!this._clsGlobalData.error)}set siteAds(e){this._clsGlobalData.siteAds=e}get siteAds(){return this._clsGlobalData.siteAds}set disableAds(e){this._clsGlobalData.disableAds=e}get disableAds(){return this._clsGlobalData.disableAds}set enabledLocations(e){this._clsGlobalData.enabledLocations=e}get enabledLocations(){return this._clsGlobalData.enabledLocations}get injectedFromPlugin(){return this._clsGlobalData.injectedFromPlugin}set injectedFromPlugin(e){this._clsGlobalData.injectedFromPlugin=e}get injectedFromSiteAds(){return this._clsGlobalData.injectedFromSiteAds}set injectedFromSiteAds(e){this._clsGlobalData.injectedFromSiteAds=e}overwriteInjectedSlots(e){this._clsGlobalData.injectedSlots=e}setInjectedSlots(e){this._clsGlobalData.injectedSlots=this._clsGlobalData.injectedSlots||[],this._clsGlobalData.injectedSlots.push(e)}get injectedSlots(){return this._clsGlobalData.injectedSlots}setInjectedVideoSlots(e){this._clsGlobalData.injectedVideoSlots=this._clsGlobalData.injectedVideoSlots||[],this._clsGlobalData.injectedVideoSlots.push(e)}get injectedVideoSlots(){return this._clsGlobalData.injectedVideoSlots}setInjectedScripts(e){this._clsGlobalData.injectedScripts=this._clsGlobalData.injectedScripts||[],this._clsGlobalData.injectedScripts.push(e)}get getInjectedScripts(){return this._clsGlobalData.injectedScripts}setExperiment(e,t,i=!1){this._clsGlobalData.experiments=this._clsGlobalData.experiments||{},this._clsGlobalData.siteExperiments=this._clsGlobalData.siteExperiments||{};(i?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments)[e]=t}getExperiment(e,t=!1){const i=t?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments;return i&&i[e]}setWeightedChoiceExperiment(e,t,i=!1){this._clsGlobalData.experimentsWeightedChoice=this._clsGlobalData.experimentsWeightedChoice||{},this._clsGlobalData.siteExperimentsWeightedChoice=this._clsGlobalData.siteExperimentsWeightedChoice||{};(i?this._clsGlobalData.siteExperimentsWeightedChoice:this._clsGlobalData.experimentsWeightedChoice)[e]=t}getWeightedChoiceExperiment(e,t=!1){var i,n;const s=t?null==(i=this._clsGlobalData)?void 0:i.siteExperimentsWeightedChoice:null==(n=this._clsGlobalData)?void 0:n.experimentsWeightedChoice;return s&&s[e]}get branch(){return this._clsGlobalData.branch}get bucket(){return this._clsGlobalData.bucket}set videoDisabledFromPlugin(e){this._clsGlobalData.videoDisabledFromPlugin=e}get videoDisabledFromPlugin(){return this._clsGlobalData.videoDisabledFromPlugin}set targetDensityLog(e){this._clsGlobalData.targetDensityLog=e}get targetDensityLog(){return this._clsGlobalData.targetDensityLog}getIOSDensity(e){const t=[{weight:100,adDensityPercent:0},{weight:0,adDensityPercent:25},{weight:0,adDensityPercent:50}],i=t.map((e=>e.weight)),{index:n}=(e=>{const t={index:-1,weight:-1};if(!e||0===e.length)return t;const i=e.reduce(((e,t)=>e+t),0);if(0===i)return t;const n=Math.random()*i;let s=0,o=e[s];for(;n>o;)o+=e[++s];return{index:s,weight:e[s]}})(i),s=e-e*(t[n].adDensityPercent/100);return this.setWeightedChoiceExperiment("iosad",t[n].adDensityPercent),s}getTargetDensity(e){return((e=navigator.userAgent)=>/iP(hone|od|ad)/i.test(e))()?this.getIOSDensity(e):e}get removeVideoTitleWrapper(){return this._clsGlobalData.siteAds.adOptions.removeVideoTitleWrapper}constructor(){this._clsGlobalData=window.adthriveCLS}}class T{static getScrollTop(){return(window.pageYOffset||document.documentElement.scrollTop)-(document.documentElement.clientTop||0)}static getScrollBottom(){return this.getScrollTop()+(document.documentElement.clientHeight||0)}static shufflePlaylist(e){let t,i,n=e.length;for(;0!==n;)i=Math.floor(Math.random()*e.length),n-=1,t=e[n],e[n]=e[i],e[i]=t;return e}static isMobileLandscape(){return window.matchMedia("(orientation: landscape) and (max-height: 480px)").matches}static playerViewable(e){const t=e.getBoundingClientRect();return this.isMobileLandscape()?window.innerHeight>t.top+t.height/2&&t.top+t.height/2>0:window.innerHeight>t.top+t.height/2}static createQueryString(e){return Object.keys(e).map((t=>`${t}=${e[t]}`)).join("&")}static createEncodedQueryString(e){return Object.keys(e).map((t=>`${t}=${encodeURIComponent(e[t])}`)).join("&")}static setMobileLocation(e){return"top-left"===(e=e||"bottom-right")?e="adthrive-collapse-top-left":"top-right"===e?e="adthrive-collapse-top-right":"bottom-left"===e?e="adthrive-collapse-bottom-left":"bottom-right"===e?e="adthrive-collapse-bottom-right":"top-center"===e&&(e=w()?"adthrive-collapse-top-center":"adthrive-collapse-bottom-right"),e}static addMaxResolutionQueryParam(e){const t=`max_resolution=${w()?"320":"1280"}`,[i,n]=String(e).split("?");return`${i}?${n?n+`&${t}`:t}`}}class j{constructor(e){this._clsOptions=e,this.removeVideoTitleWrapper=b(this._clsOptions.siteAds.adOptions.removeVideoTitleWrapper,!1);const t=this._clsOptions.siteAds.videoPlayers;this.footerSelector=b(t&&t.footerSelector,""),this.players=b(t&&t.players.map((e=>(e.mobileLocation=T.setMobileLocation(e.mobileLocation),e))),[]),this.relatedSettings=t&&t.contextual}}class H{constructor(e){this.mobileStickyPlayerOnPage=!1,this.playlistPlayerAdded=!1,this.relatedPlayerAdded=!1,this.footerSelector="",this.removeVideoTitleWrapper=!1,this.videoAdOptions=new j(e),this.players=this.videoAdOptions.players,this.relatedSettings=this.videoAdOptions.relatedSettings,this.removeVideoTitleWrapper=this.videoAdOptions.removeVideoTitleWrapper,this.footerSelector=this.videoAdOptions.footerSelector}}class V{}class N extends V{get(){if(this._probability<0||this._probability>1)throw new Error(`Invalid probability: ${this._probability}`);return Math.random()<this._probability}constructor(e){super(),this._probability=e}}class G{setExperimentKey(e=!1){this._clsOptions.setExperiment(this.abgroup,this.result,e)}constructor(){this._clsOptions=new R,this.shouldUseCoreExperimentsConfig=!1}}class W extends G{get result(){return this._result}run(){return new N(this.weight).get()}constructor(e){super(),this._result=!1,this.key="ParallaxAdsExperiment",this.abgroup="parallax",this._choices=[{choice:!0},{choice:!1}],this.weight=0;!!w()&&e.largeFormatsMobile&&(this._result=this.run(),this.setExperimentKey())}}const B=[[728,90],[300,250],[300,600],[320,50],[970,250],[160,600],[300,1050],[336,280],[970,90],[300,50],[320,100],[468,60],[250,250],[120,240],[1,1],[300,300],[552,334],[300,420],[728,250],[320,300],[300,390]],F=[[300,600],[160,600]],z=new Map([[o,1],[r,2],[a,3],[n,4],[s,5],["Sidebar_sticky",6],["Below Post",7]]),q=(e,t)=>{const{location:i,sticky:n}=e;if(i===s&&t){const{recipeMobile:e,recipeDesktop:i}=t;if(w()&&(null==e?void 0:e.enabled))return!0;if(!w()&&(null==i?void 0:i.enabled))return!0}return i===o||n},U=(e,t)=>{const i=t.adUnits,l=(e=>!!e.adTypes&&new W(e.adTypes).result)(t);return i.filter((e=>void 0!==e.dynamic&&e.dynamic.enabled)).map((i=>{const c=i.location.replace(/\s+/g,"_"),d="Sidebar"===c?0:2;return{auctionPriority:z.get(c)||8,location:c,sequence:b(i.sequence,1),sizes:(h=i.adSizes,B.filter((([e,t])=>h.some((([i,n])=>e===i&&t===n))))).filter((t=>((e,[t,i],n)=>{const{location:l,sequence:c}=e;if(l===o)return!("phone"===n&&320===t&&100===i);if(l===r)return!0;if(l===s)return!(w()&&"phone"===n&&(300===t&&390===i||320===t&&300===i));if(l===a){const t=e.adSizes.some((([,e])=>e<=300)),n=i>300;return!(!n||t)||9===c||(c&&c<=5?!n||e.sticky:!n)}return!0})(i,t,e))).concat(l&&i.location===n?F:[]),devices:i.devices,pageSelector:b(i.dynamic.pageSelector,"").trim(),elementSelector:b(i.dynamic.elementSelector,"").trim(),position:b(i.dynamic.position,"beforebegin"),max:Math.floor(b(i.dynamic.max,0)),spacing:b(i.dynamic.spacing,0),skip:Math.floor(b(i.dynamic.skip,0)),every:Math.max(Math.floor(b(i.dynamic.every,1)),1),classNames:i.dynamic.classNames||[],sticky:q(i,t.adOptions.stickyContainerConfig),stickyOverlapSelector:b(i.stickyOverlapSelector,"").trim(),autosize:i.autosize,special:b(i.targeting,[]).filter((e=>"special"===e.key)).reduce(((e,t)=>e.concat(...t.value)),[]),lazy:b(i.dynamic.lazy,!1),lazyMax:b(i.dynamic.lazyMax,d),lazyMaxDefaulted:0!==i.dynamic.lazyMax&&!i.dynamic.lazyMax,name:i.name};var h}))},Q=(e,t)=>{const i=(e=>{let t=e.clientWidth;if(getComputedStyle){const i=getComputedStyle(e,null);t-=parseFloat(i.paddingLeft||"0")+parseFloat(i.paddingRight||"0")}return t})(t),n=e.sticky&&e.location===a;return e.sizes.filter((t=>{const s=!e.autosize||(t[0]<=i||t[0]<=320),o=!n||t[1]<=window.innerHeight-100;return s&&o}))};class J{constructor(e){this.clsOptions=e,this.enabledLocations=[i,n,s,a]}}const K=e=>`adthrive-${e.location.replace("_","-").toLowerCase()}`,Z=e=>`${K(e)}-${e.sequence}`;function Y(e,t){void 0===t&&(t={});var i=t.insertAt;if(e&&"undefined"!=typeof document){var n=document.head||document.getElementsByTagName("head")[0],s=document.createElement("style");s.type="text/css","top"===i&&n.firstChild?n.insertBefore(s,n.firstChild):n.appendChild(s),s.styleSheet?s.styleSheet.cssText=e:s.appendChild(document.createTextNode(e))}}const X=e=>e.some((e=>null!==document.querySelector(e)));function ee(e,t,i,n){var s,o=arguments.length,r=o<3?t:null===n?n=Object.getOwnPropertyDescriptor(t,i):n;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)r=Reflect.decorate(e,t,i,n);else for(var a=e.length-1;a>=0;a--)(s=e[a])&&(r=(o<3?s(r):o>3?s(t,i,r):s(t,i))||r);return o>3&&r&&Object.defineProperty(t,i,r),r}function te(e,t){if("object"==typeof Reflect&&"function"==typeof Reflect.metadata)return Reflect.metadata(e,t)}"function"==typeof SuppressedError&&SuppressedError;class ie extends V{static fromArray(e,t){return new ie(e.map((([e,t])=>({choice:e,weight:t}))),t)}addChoice(e,t){this._choices.push({choice:e,weight:t})}get(){const e=(t=0,i=100,Math.random()*(i-t)+t);var t,i;let n=0;for(const{choice:t,weight:i}of this._choices)if(n+=i,n>=e)return t;return this._default}get totalWeight(){return this._choices.reduce(((e,{weight:t})=>e+t),0)}constructor(e=[],t){super(),this._choices=e,this._default=t}}const ne={"Europe/Brussels":"gdpr","Europe/Sofia":"gdpr","Europe/Prague":"gdpr","Europe/Copenhagen":"gdpr","Europe/Berlin":"gdpr","Europe/Tallinn":"gdpr","Europe/Dublin":"gdpr","Europe/Athens":"gdpr","Europe/Madrid":"gdpr","Africa/Ceuta":"gdpr","Europe/Paris":"gdpr","Europe/Zagreb":"gdpr","Europe/Rome":"gdpr","Asia/Nicosia":"gdpr","Europe/Nicosia":"gdpr","Europe/Riga":"gdpr","Europe/Vilnius":"gdpr","Europe/Luxembourg":"gdpr","Europe/Budapest":"gdpr","Europe/Malta":"gdpr","Europe/Amsterdam":"gdpr","Europe/Vienna":"gdpr","Europe/Warsaw":"gdpr","Europe/Lisbon":"gdpr","Atlantic/Madeira":"gdpr","Europe/Bucharest":"gdpr","Europe/Ljubljana":"gdpr","Europe/Bratislava":"gdpr","Europe/Helsinki":"gdpr","Europe/Stockholm":"gdpr","Europe/London":"gdpr","Europe/Vaduz":"gdpr","Atlantic/Reykjavik":"gdpr","Europe/Oslo":"gdpr","Europe/Istanbul":"gdpr","Europe/Zurich":"gdpr"},se=()=>(e,i,n)=>{const s=n.value;s&&(n.value=function(...e){const i=(e=>{if(null===e)return null;const t=e.map((({choice:e})=>e));return(e=>{let t=5381,i=e.length;for(;i;)t=33*t^e.charCodeAt(--i);return t>>>0})(JSON.stringify(t)).toString(16)})(this._choices),n=this._expConfigABGroup?this._expConfigABGroup:this.abgroup,o=n?n.toLowerCase():this.key?this.key.toLowerCase():"",r=i?`${o}_${i}`:o,a=this.localStoragePrefix?`${this.localStoragePrefix}-${r}`:r;if([t.AdLayout,t.AdDensity].includes(o)&&"gdpr"===(()=>{const e=Intl.DateTimeFormat().resolvedOptions().timeZone,t=ne[e];return null!=t?t:null})()){return s.apply(this,e)}const l=P.readInternalLocalStorage("adthrive_branch");!1===(l&&l.enabled)&&P.deleteLocalStorage(a);const c=(()=>s.apply(this,e))(),d=(h=this._choices,u=c,null!=(m=null==(p=h.find((({choice:e})=>e===u)))?void 0:p.weight)?m:null);var h,u,p,m;const[g,y]=P.getOrSetABGroupLocalStorageValue(a,c,d,{value:24,unit:"hours"});return this._stickyResult=g,this._stickyWeight=y,g})};class oe{get enabled(){return void 0!==this.experimentConfig}_isValidResult(e,t=()=>!0){return t()&&(e=>null!=e&&!("number"==typeof e&&isNaN(e)))(e)}}class re extends oe{_isValidResult(e){return super._isValidResult(e,(()=>this._resultValidator(e)||"control"===e))}run(){if(!this.enabled)return v.error("CLSWeightedChoiceSiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";if(!this._mappedChoices||0===this._mappedChoices.length)return v.error("CLSWeightedChoiceSiteExperiment","run","() => %o","No experiment variants found. Defaulting to control."),"control";const e=new ie(this._mappedChoices).get();return this._isValidResult(e)?e:(v.error("CLSWeightedChoiceSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control."),"control")}constructor(...e){super(...e),this._resultValidator=()=>!0}}class ae{getSiteExperimentByKey(e){const t=this.siteExperiments.filter((t=>t.key.toLowerCase()===e.toLowerCase()))[0],i=E("at_site_features"),n=(s=(null==t?void 0:t.variants[1])?null==t?void 0:t.variants[1].value:null==t?void 0:t.variants[0].value,o=i[e],typeof s==typeof o);var s,o;return t&&i[e]&&n&&(t.variants=[{displayName:"test",value:i[e],weight:100,id:0}]),t}constructor(e){var t,i;this.siteExperiments=[],this._clsOptions=e,this._device=w()?"mobile":"desktop",this.siteExperiments=null!=(i=null==(t=this._clsOptions.siteAds.siteExperiments)?void 0:t.filter((e=>{const t=e.key,i=M(e,this._device),n=k(this._clsOptions.siteAds,t,this._device);return i&&n})))?i:[]}}class le extends re{get result(){return this._result}run(){if(!this.enabled)return v.error("CLSAdLayoutSiteExperiment","run","() => %o","No experiment config found. Defaulting to empty class name."),"";const e=new ie(this._mappedChoices).get();return this._isValidResult(e)?e:(v.error("CLSAdLayoutSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to empty class name."),"")}_mapChoices(){return this._choices.map((({weight:e,value:t})=>({weight:e,choice:t})))}constructor(e){super(),this._choices=[],this._mappedChoices=[],this._result="",this._resultValidator=e=>"string"==typeof e,this.key=t.AdLayout,this.abgroup=t.AdLayout,this._clsSiteExperiments=new ae(e),this.experimentConfig=this._clsSiteExperiments.getSiteExperimentByKey(this.key),this.enabled&&this.experimentConfig&&(this._choices=this.experimentConfig.variants,this._mappedChoices=this._mapChoices(),this._result=this.run(),e.setWeightedChoiceExperiment(this.abgroup,this._result,!0))}}ee([se(),te("design:type",Function),te("design:paramtypes",[]),te("design:returntype",void 0)],le.prototype,"run",null);class ce extends re{get result(){return this._result}run(){if(!this.enabled)return v.error("CLSTargetAdDensitySiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";const e=new ie(this._mappedChoices).get();return this._isValidResult(e)?e:(v.error("CLSTargetAdDensitySiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control."),"control")}_mapChoices(){return this._choices.map((({weight:e,value:t})=>({weight:e,choice:"number"==typeof t?(t||0)/100:"control"})))}constructor(e){super(),this._choices=[],this._mappedChoices=[],this._result="control",this._resultValidator=e=>"number"==typeof e,this.key=t.AdDensity,this.abgroup=t.AdDensity,this._clsSiteExperiments=new ae(e),this.experimentConfig=this._clsSiteExperiments.getSiteExperimentByKey(this.key),this.enabled&&this.experimentConfig&&(this._choices=this.experimentConfig.variants,this._mappedChoices=this._mapChoices(),this._result=this.run(),e.setWeightedChoiceExperiment(this.abgroup,this._result,!0))}}ee([se(),te("design:type",Function),te("design:paramtypes",[]),te("design:returntype",void 0)],ce.prototype,"run",null);const de="250px";class he{start(){try{var e,t;(e=>{const t=document.body,i=`adthrive-device-${e}`;if(!t.classList.contains(i))try{t.classList.add(i)}catch(e){v.error("BodyDeviceClassComponent","init",{message:e.message});const t="classList"in document.createElement("_");v.error("BodyDeviceClassComponent","init.support",{support:t})}})(this._device);const s=new le(this._clsOptions);if(s.enabled){const e=s.result,t=e.startsWith(".")?e.substring(1):e;if((e=>/^[-_a-zA-Z]+[-_a-zA-Z0-9]*$/.test(e))(t))try{document.body.classList.add(t)}catch(e){v.error("ClsDynamicAdsInjector","start",`Uncaught CSS Class error: ${e}`)}else v.error("ClsDynamicAdsInjector","start",`Invalid class name: ${t}`)}const o=U(this._device,this._clsOptions.siteAds).filter((e=>this._locationEnabled(e))).filter((e=>{return t=e,i=this._device,t.devices.includes(i);var t,i})).filter((e=>{return 0===(t=e).pageSelector.length||null!==document.querySelector(t.pageSelector);var t})),r=this.inject(o);var i,n;if(null==(t=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(e=t.content)?void 0:e.enabled)if(!X(this._clsOptions.siteAds.adOptions.stickyContainerConfig.blockedSelectors||[]))Y(`\n .adthrive-device-phone .adthrive-sticky-content {\n height: 450px !important;\n margin-bottom: 100px !important;\n }\n .adthrive-content.adthrive-sticky {\n position: -webkit-sticky;\n position: sticky !important;\n top: 42px !important;\n margin-top: 42px !important;\n }\n .adthrive-content.adthrive-sticky:after {\n content: "— Advertisement. Scroll down to continue. —";\n font-size: 10pt;\n margin-top: 5px;\n margin-bottom: 5px;\n display:block;\n color: #888;\n }\n .adthrive-sticky-container {\n position: relative;\n display: flex;\n flex-direction: column;\n justify-content: flex-start;\n align-items: center;\n min-height:${(null==(n=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(i=n.content)?void 0:i.minHeight)||400}px !important;\n margin: 10px 0 10px 0;\n background-color: #FAFAFA;\n padding-bottom:0px;\n }\n `);r.forEach((e=>this._clsOptions.setInjectedSlots(e)))}catch(e){v.error("ClsDynamicAdsInjector","start",e)}}inject(e,t=document){this._densityDevice="desktop"===this._device?l:c,this._overrideDefaultAdDensitySettingsWithSiteExperiment();const i=this._clsOptions.siteAds,s=b(i.adDensityEnabled,!0),o=i.adDensityLayout&&s,r=e.filter((e=>o?e.location!==n:e)),a=e.filter((e=>o?e.location===n:null));return[...r.length?this._injectNonDensitySlots(r,t):[],...a.length?this._injectDensitySlots(a,t):[]]}_injectNonDensitySlots(e,t=document){var i;const n=[],o=[];if(e.some((e=>e.location===s&&e.sticky))&&!X((null==(i=this._clsOptions.siteAds.adOptions.stickyContainerConfig)?void 0:i.blockedSelectors)||[])){var r,a;const e=this._clsOptions.siteAds.adOptions.stickyContainerConfig;(e=>{Y(`\n .adthrive-recipe.adthrive-sticky {\n position: -webkit-sticky;\n position: sticky !important;\n top: 42px !important;\n margin-top: 42px !important;\n }\n .adthrive-recipe-sticky-container {\n position: relative;\n display: flex;\n flex-direction: column;\n justify-content: flex-start;\n align-items: center;\n min-height:${e||400}px !important;\n margin: 10px 0 10px 0;\n background-color: #FAFAFA;\n padding-bottom:0px;\n }\n `)})("phone"===this._device?null==e||null==(r=e.recipeMobile)?void 0:r.minHeight:null==e||null==(a=e.recipeDesktop)?void 0:a.minHeight)}for(const i of e)this._insertNonDensityAds(i,n,o,t);return o.forEach((({location:e,element:t})=>{t.style.minHeight=this.locationToMinHeight[e]})),n}_injectDensitySlots(e,t=document){try{this._calculateMainContentHeightAndAllElements(e,t)}catch(e){return[]}const{onePerViewport:i,targetAll:n,targetDensityUnits:s,combinedMax:o,numberOfUnits:r}=this._getDensitySettings(e,t);return this._absoluteMinimumSpacingByDevice=i?window.innerHeight:this._absoluteMinimumSpacingByDevice,r?(this._adInjectionMap.filterUsed(),this._findElementsForAds(r,i,n,o,s,t),this._insertAds()):[]}_overrideDefaultAdDensitySettingsWithSiteExperiment(){var e;if(null==(e=this._clsTargetAdDensitySiteExperiment)?void 0:e.enabled){const e=this._clsTargetAdDensitySiteExperiment.result;"number"==typeof e&&(this._clsOptions.siteAds.adDensityEnabled=!0,this._clsOptions.siteAds.adDensityLayout[this._densityDevice].adDensity=e)}}_getDensitySettings(e,t=document){const i=this._clsOptions.siteAds.adDensityLayout,n=this._determineOverrides(i.pageOverrides),s=n.length?n[0]:i[this._densityDevice],o=this._clsOptions.getTargetDensity(s.adDensity),r=s.onePerViewport,a=this._shouldTargetAllEligible(o);let l=this._getTargetDensityUnits(o,a);const c=this._clsOptions.getWeightedChoiceExperiment("iosad");l<1&&c&&(l=1);const d=this._getCombinedMax(e,t),h=Math.min(this._totalAvailableElements.length,l,...d>0?[d]:[]);return this._pubLog={onePerViewport:r,targetDensity:o,targetDensityUnits:l,combinedMax:d},{onePerViewport:r,targetAll:a,targetDensityUnits:l,combinedMax:d,numberOfUnits:h}}_determineOverrides(e){return e.filter((e=>{const t=I(e.pageSelector);return""===e.pageSelector||t.elements&&t.elements.length})).map((e=>e[this._densityDevice]))}_shouldTargetAllEligible(e){return e===this._densityMax}_getTargetDensityUnits(e,t){return t?this._totalAvailableElements.length:Math.floor(e*this._mainContentHeight/(1-e)/this._minDivHeight)-this._recipeCount}_getCombinedMax(e,t=document){return b(e.filter((e=>{let i;try{i=t.querySelector(e.elementSelector)}catch(e){}return i})).map((e=>Number(e.max)+Number(e.lazyMaxDefaulted?0:e.lazyMax))).sort(((e,t)=>t-e))[0],0)}_elementLargerThanMainContent(e){return e.offsetHeight>=this._mainContentHeight&&this._totalAvailableElements.length>1}_elementDisplayNone(e){const t=window.getComputedStyle(e,null).display;return t&&"none"===t||"none"===e.style.display}_isBelowMaxes(e,t){return this._adInjectionMap.map.length<e&&this._adInjectionMap.map.length<t}_findElementsForAds(e,t,i,n,s,o=document){this._clsOptions.targetDensityLog={onePerViewport:t,combinedMax:n,targetDensityUnits:s,targetDensityPercentage:this._pubLog.targetDensity,mainContentHeight:this._mainContentHeight,recipeCount:this._recipeCount,numberOfEls:this._totalAvailableElements.length};const r=e=>{for(const{dynamicAd:t,element:r}of this._totalAvailableElements)if(this._logDensityInfo(r,t.elementSelector,e),!(!i&&this._elementLargerThanMainContent(r)||this._elementDisplayNone(r))){if(!this._isBelowMaxes(n,s))break;this._checkElementSpacing({dynamicAd:t,element:r,insertEvery:e,targetAll:i,target:o})}!this._usedAbsoluteMinimum&&this._smallerIncrementAttempts<5&&(++this._smallerIncrementAttempts,r(this._getSmallerIncrement(e)))},a=this._getInsertEvery(e,t,s);r(a)}_getSmallerIncrement(e){let t=.6*e;return t<=this._absoluteMinimumSpacingByDevice&&(t=this._absoluteMinimumSpacingByDevice,this._usedAbsoluteMinimum=!0),t}_insertNonDensityAds(e,t,i,n=document){let o=0,r=0,l=0;e.spacing>0&&(o=window.innerHeight*e.spacing,r=o);const c=this._repeatDynamicAds(e),d=this.getElements(e.elementSelector,n);e.skip;for(let h=e.skip;h<d.length&&!(l+1>c.length);h+=e.every){let u=d[h];if(o>0){const{bottom:e}=S(u);if(e<=r)continue;r=e+o}const p=c[l],m=`${p.location}_${p.sequence}`;t.some((e=>e.name===m))&&(l+=1);const g=this.getDynamicElementId(p),y=K(e),_=Z(e),f=[e.location===a&&e.sticky&&e.sequence&&e.sequence<=5?"adthrive-sticky-sidebar":"",e.location===s&&e.sticky?"adthrive-recipe-sticky-container":"",y,_,...e.classNames],v=this.addAd(u,g,e.position,f);if(v){const o=Q(p,v);if(o.length){const r={clsDynamicAd:e,dynamicAd:p,element:v,sizes:o,name:m,infinite:n!==document};t.push(r),i.push({location:p.location,element:v}),e.location===s&&++this._recipeCount,l+=1}u=v}}}_insertAds(){const e=[];return this._adInjectionMap.filterUsed(),this._adInjectionMap.map.forEach((({el:t,dynamicAd:i,target:n},s)=>{const o=Number(i.sequence)+s,r=i.max,a=i.lazy&&o>r;i.sequence=o,i.lazy=a;const l=this._addContentAd(t,i,n);l&&(i.used=!0,e.push(l))})),e}_getInsertEvery(e,t,i){let n=this._absoluteMinimumSpacingByDevice;return this._moreAvailableElementsThanUnitsToInject(i,e)?(this._usedAbsoluteMinimum=!1,n=this._useWiderSpacing(i,e)):(this._usedAbsoluteMinimum=!0,n=this._useSmallestSpacing(t)),t&&window.innerHeight>n?window.innerHeight:n}_useWiderSpacing(e,t){return this._mainContentHeight/Math.min(e,t)}_useSmallestSpacing(e){return e&&window.innerHeight>this._absoluteMinimumSpacingByDevice?window.innerHeight:this._absoluteMinimumSpacingByDevice}_moreAvailableElementsThanUnitsToInject(e,t){return this._totalAvailableElements.length>e||this._totalAvailableElements.length>t}_logDensityInfo(e,t,i){const{onePerViewport:n,targetDensity:s,targetDensityUnits:o,combinedMax:r}=this._pubLog;this._totalAvailableElements.length}_checkElementSpacing({dynamicAd:t,element:i,insertEvery:n,targetAll:s,target:o=document}){(this._isFirstAdInjected()||this._hasProperSpacing(i,t,s,n))&&this._markSpotForContentAd(i,e({},t),o)}_isFirstAdInjected(){return!this._adInjectionMap.map.length}_markSpotForContentAd(e,t,i=document){const n="beforebegin"===t.position||"afterbegin"===t.position;this._adInjectionMap.add(e,this._getElementCoords(e,n),t,i),this._adInjectionMap.sort()}_hasProperSpacing(e,t,n,s){const o="beforebegin"===t.position||"afterbegin"===t.position,r="beforeend"===t.position||"afterbegin"===t.position,a=n||this._isElementFarEnoughFromOtherAdElements(e,s,o),l=r||this._isElementNotInRow(e,o),c=-1===e.id.indexOf(`AdThrive_${i}`);return a&&l&&c}_isElementFarEnoughFromOtherAdElements(e,t,i){const n=this._getElementCoords(e,i);let s=!1;for(let e=0;e<this._adInjectionMap.map.length;e++){const i=this._adInjectionMap.map[e].coords,o=this._adInjectionMap.map[e+1]&&this._adInjectionMap.map[e+1].coords;if(s=n-t>i&&(!o||n+t<o),s)break}return s}_isElementNotInRow(e,t){const i=e.previousElementSibling,n=e.nextElementSibling,s=t?!i&&n||i&&e.tagName!==i.tagName?n:i:n;return!(!s||0!==e.getBoundingClientRect().height)||(!s||e.getBoundingClientRect().top!==s.getBoundingClientRect().top)}_calculateMainContentHeightAndAllElements(e,t=document){const[i,n]=((e,t,i=document)=>{const[n,s]=A(e,t,i);if(0===n.length)throw Error("No Main Content Elements Found");return[Array.from(n).reduce(((e,t)=>t.offsetHeight>e.offsetHeight?t:e))||document.body,s]})(e,this._adInjectionMap,t);this._mainContentDiv=i,this._totalAvailableElements=n,this._mainContentHeight=((e,t="div #comments, section .comments")=>{const i=e.querySelector(t);return i?e.offsetHeight-i.offsetHeight:e.offsetHeight})(this._mainContentDiv)}_getElementCoords(e,t=!1){const i=e.getBoundingClientRect();return(t?i.top:i.bottom)+window.scrollY}_addContentAd(e,t,i=document){var n,s;let o=null;const r=K(t),a=Z(t),l=(null==(s=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(n=s.content)?void 0:n.enabled)?"adthrive-sticky-container":"",c=this.addAd(e,this.getDynamicElementId(t),t.position,[l,r,a,...t.classNames]);if(c){const e=Q(t,c);if(e.length){c.style.minHeight=this.locationToMinHeight[t.location];o={clsDynamicAd:t,dynamicAd:t,element:c,sizes:e,name:`${t.location}_${t.sequence}`,infinite:i!==document}}}return o}getDynamicElementId(e){return`AdThrive_${e.location}_${e.sequence}_${this._device}`}getElements(e,t=document){return t.querySelectorAll(e)}addAd(e,t,i,n=[]){if(!document.getElementById(t)){const s=`<div id="${t}" class="adthrive-ad ${n.join(" ")}"></div>`;e.insertAdjacentHTML(i,s)}return document.getElementById(t)}_repeatDynamicAds(t){const i=[],n=t.location===s?99:this.locationMaxLazySequence.get(t.location),o=t.lazy?b(n,0):0,r=t.max,a=t.lazyMax,l=0===o&&t.lazy?r+a:Math.min(Math.max(o-t.sequence+1,0),r+a),c=Math.max(r,l);for(let n=0;n<c;n++){const s=Number(t.sequence)+n;if("Recipe_1"!==t.name||5!==s){const o=t.lazy&&n>=r;i.push(e({},t,{sequence:s,lazy:o}))}}return i}_locationEnabled(e){const t=this._clsOptions.enabledLocations.includes(e.location),i=this._clsOptions.disableAds&&this._clsOptions.disableAds.all||document.body.classList.contains("adthrive-disable-all"),n=!document.body.classList.contains("adthrive-disable-content")&&!this._clsOptions.disableAds.reasons.has("content_plugin");return t&&!i&&n}constructor(e,t){this._clsOptions=e,this._adInjectionMap=t,this._recipeCount=0,this._mainContentHeight=0,this._mainContentDiv=null,this._totalAvailableElements=[],this._minDivHeight=250,this._densityDevice=l,this._pubLog={onePerViewport:!1,targetDensity:0,targetDensityUnits:0,combinedMax:0},this._densityMax=.99,this._smallerIncrementAttempts=0,this._absoluteMinimumSpacingByDevice=250,this._usedAbsoluteMinimum=!1,this._infPageEndOffset=0,this.locationMaxLazySequence=new Map([[s,5]]),this.locationToMinHeight={Below_Post:de,Content:de,Recipe:de,Sidebar:de};const{tablet:i,desktop:n}=this._clsOptions.siteAds.breakpoints;this._device=((e,t)=>{const i=window.innerWidth;return i>=t?"desktop":i>=e?"tablet":"phone"})(i,n),this._config=new J(e),this._clsOptions.enabledLocations=this._config.enabledLocations,this._clsTargetAdDensitySiteExperiment=this._clsOptions.siteAds.siteExperiments?new ce(this._clsOptions):null}}function ue(e,t){if(null==e)return{};var i,n,s={},o=Object.keys(e);for(n=0;n<o.length;n++)i=o[n],t.indexOf(i)>=0||(s[i]=e[i]);return s}class pe{get enabled(){return!0}}class me extends pe{setPotentialPlayersMap(){const e=this._videoConfig.players||[],t=this._filterPlayerMap(),i=e.filter((e=>"stationaryRelated"===e.type&&e.enabled));return t.stationaryRelated=i,this._potentialPlayerMap=t,this._potentialPlayerMap}_filterPlayerMap(){const e=this._videoConfig.players,t={stickyRelated:[],stickyPlaylist:[],stationaryRelated:[]};return e&&e.length?e.filter((e=>{var t;return null==(t=e.devices)?void 0:t.includes(this._device)})).reduce(((e,t)=>(e[t.type]||(v.event(this._component,"constructor","Unknown Video Player Type detected",t.type),e[t.type]=[]),t.enabled&&e[t.type].push(t),e)),t):t}_checkPlayerSelectorOnPage(e){const t=this._potentialPlayerMap[e].map((e=>({player:e,playerElement:this._getPlacementElement(e)})));return t.length?t[0]:{player:null,playerElement:null}}_getOverrideElement(e,t,i){if(e&&t){const n=document.createElement("div");t.insertAdjacentElement(e.position,n),i=n}else{const{player:e,playerElement:t}=this._checkPlayerSelectorOnPage("stickyPlaylist");if(e&&t){const n=document.createElement("div");t.insertAdjacentElement(e.position,n),i=n}}return i}_shouldOverrideElement(e){const t=e.getAttribute("override-embed");return"true"===t||"false"===t?"true"===t:!!this._videoConfig.relatedSettings&&this._videoConfig.relatedSettings.overrideEmbedLocation}_checkPageSelector(e,t,i=[]){if(e&&t&&0===i.length){return!("/"===window.location.pathname)&&v.event("VideoUtils","getPlacementElement",new Error(`PSNF: ${e} does not exist on the page`)),!1}return!0}_getElementSelector(e,t,i){return t&&t.length>i?t[i]:(v.event("VideoUtils","getPlacementElement",new Error(`ESNF: ${e} does not exist on the page`)),null)}_getPlacementElement(e){const{pageSelector:t,elementSelector:i,skip:n}=e,s=I(t),{valid:o,elements:r}=s,a=ue(s,["valid","elements"]),l=O(i),{valid:c,elements:d}=l,h=ue(l,["valid","elements"]);if(""!==t&&!o)return v.error("VideoUtils","getPlacementElement",new Error(`${t} is not a valid selector`),a),null;if(!c)return v.error("VideoUtils","getPlacementElement",new Error(`${i} is not a valid selector`),h),null;if(!this._checkPageSelector(t,o,r))return null;return this._getElementSelector(i,d,n)||null}_getEmbeddedPlayerType(e){let t=e.getAttribute("data-player-type");return t&&"default"!==t||(t=this._videoConfig.relatedSettings?this._videoConfig.relatedSettings.defaultPlayerType:"static"),this._stickyRelatedOnPage&&(t="static"),t}_getMediaId(e){const t=e.getAttribute("data-video-id");return!!t&&(this._relatedMediaIds.push(t),t)}_createRelatedPlayer(e,t,i,n){"collapse"===t?this._createCollapsePlayer(e,i):"static"===t&&this._createStaticPlayer(e,i,n)}_createCollapsePlayer(t,i){const{player:n,playerElement:s}=this._checkPlayerSelectorOnPage("stickyRelated"),o=n||this._potentialPlayerMap.stationaryRelated[0];if(o&&o.playerId){this._shouldOverrideElement(i)&&(i=this._getOverrideElement(n,s,i)),i=document.querySelector(`#cls-video-container-${t} > div`)||i,this._createStickyRelatedPlayer(e({},o,{mediaId:t}),i)}else v.error(this._component,"_createCollapsePlayer","No video player found")}_createStaticPlayer(t,i,n){if(this._potentialPlayerMap.stationaryRelated.length&&this._potentialPlayerMap.stationaryRelated[0].playerId){const s=this._potentialPlayerMap.stationaryRelated[0];this._createStationaryRelatedPlayer(e({},s,{mediaOrPlaylistId:t}),i,n)}else v.error(this._component,"_createStaticPlayer","No video player found")}_shouldRunAutoplayPlayers(){return!(!this._isVideoAllowedOnPage()||!this._potentialPlayerMap.stickyRelated.length&&!this._potentialPlayerMap.stickyPlaylist.length)}_setPlaylistMediaIdWhenStationaryOnPage(t,i){if(this._potentialPlayerMap.stationaryRelated.length&&this._potentialPlayerMap.stationaryRelated[0].playerId&&t&&t.length){const n=t[0].getAttribute("data-video-id");return n?e({},i,{mediaId:n}):i}return i}_determineAutoplayPlayers(e){const t=this._component,i="VideoManagerComponent"===t,n=this._context;if(this._stickyRelatedOnPage)return void v.event(t,"stickyRelatedOnPage",i&&{device:n&&n.device,isDesktop:this._device}||{});const{playerElement:s}=this._checkPlayerSelectorOnPage("stickyPlaylist");let{player:o}=this._checkPlayerSelectorOnPage("stickyPlaylist");o&&o.playerId&&s?(o=this._setPlaylistMediaIdWhenStationaryOnPage(e,o),this._createPlaylistPlayer(o,s)):Math.random()<.01&&setTimeout((()=>{v.event(t,"noStickyPlaylist",i&&{vendor:"none",device:n&&n.device,isDesktop:this._device}||{})}),1e3)}_initializeRelatedPlayers(e){const t=new Map;for(let i=0;i<e.length;i++){const n=e[i],s=n.offsetParent,o=this._getEmbeddedPlayerType(n),r=this._getMediaId(n);if(s&&r){const e=(t.get(r)||0)+1;t.set(r,e),this._createRelatedPlayer(r,o,n,e)}}}constructor(e,t,i){super(),this._videoConfig=e,this._component=t,this._context=i,this._stickyRelatedOnPage=!1,this._relatedMediaIds=[],this._device=x()?"desktop":"mobile",this._potentialPlayerMap=this.setPotentialPlayersMap()}}class ge extends me{init(){this._initializePlayers()}_wrapVideoPlayerWithCLS(e,t,i=0){if(e.parentNode){const n=e.offsetWidth*(9/16),s=this._createGenericCLSWrapper(n,t,i);return e.parentNode.insertBefore(s,e),s.appendChild(e),s}return null}_createGenericCLSWrapper(e,t,i){const n=document.createElement("div");return n.id=`cls-video-container-${t}`,n.className="adthrive",n.style.minHeight=`${e+i}px`,n}_getTitleHeight(){const e=document.createElement("h3");e.style.margin="10px 0",e.innerText="Title",e.style.visibility="hidden",document.body.appendChild(e);const t=window.getComputedStyle(e),i=parseInt(t.height,10),n=parseInt(t.marginTop,10),s=parseInt(t.marginBottom,10);return document.body.removeChild(e),Math.min(i+s+n,50)}_initializePlayers(){const e=document.querySelectorAll(this._IN_POST_SELECTOR);e.length&&this._initializeRelatedPlayers(e),this._shouldRunAutoplayPlayers()&&this._determineAutoplayPlayers(e)}_createStationaryRelatedPlayer(e,t,i){const n="mobile"===this._device?[400,225]:[640,360],s=p;if(t&&e.mediaOrPlaylistId){const o=`${e.mediaOrPlaylistId}_${i}`,r=this._wrapVideoPlayerWithCLS(t,o);this._playersAddedFromPlugin.push(e.mediaOrPlaylistId),r&&this._clsOptions.setInjectedVideoSlots({playerId:e.playerId,playerName:s,playerSize:n,element:r,type:"stationaryRelated"})}}_createStickyRelatedPlayer(e,t){const i="mobile"===this._device?[400,225]:[640,360],n=h;if(this._stickyRelatedOnPage=!0,this._videoConfig.mobileStickyPlayerOnPage="mobile"===this._device,t&&e.position&&e.mediaId){const s=document.createElement("div");t.insertAdjacentElement(e.position,s);const o=this._getTitleHeight(),r=this._wrapVideoPlayerWithCLS(s,e.mediaId,this._WRAPPER_BAR_HEIGHT+o);this._playersAddedFromPlugin.push(e.mediaId),r&&this._clsOptions.setInjectedVideoSlots({playlistId:e.playlistId,playerId:e.playerId,playerSize:i,playerName:n,element:s,type:"stickyRelated"})}}_createPlaylistPlayer(e,t){const i=e.playlistId,n="mobile"===this._device?u:d,s="mobile"===this._device?[400,225]:[640,360];this._videoConfig.mobileStickyPlayerOnPage=!0;const o=document.createElement("div");t.insertAdjacentElement(e.position,o);let r=this._WRAPPER_BAR_HEIGHT;e.title&&(r+=this._getTitleHeight());const a=this._wrapVideoPlayerWithCLS(o,i,r);this._playersAddedFromPlugin.push(`playlist-${i}`),a&&this._clsOptions.setInjectedVideoSlots({playlistId:e.playlistId,playerId:e.playerId,playerSize:s,playerName:n,element:o,type:"stickyPlaylist"})}_isVideoAllowedOnPage(){const e=this._clsOptions.disableAds;if(e&&e.video){let t="";e.reasons.has("video_tag")?t="video tag":e.reasons.has("video_plugin")?t="video plugin":e.reasons.has("video_page")&&(t="command queue");const i=t?"ClsVideoInsertionMigrated":"ClsVideoInsertion";return v.error(i,"isVideoAllowedOnPage",new Error(`DBP: Disabled by publisher via ${t||"other"}`)),!1}return!this._clsOptions.videoDisabledFromPlugin}constructor(e,t){super(e,"ClsVideoInsertion"),this._videoConfig=e,this._clsOptions=t,this._IN_POST_SELECTOR=".adthrive-video-player",this._WRAPPER_BAR_HEIGHT=36,this._playersAddedFromPlugin=[],t.removeVideoTitleWrapper&&(this._WRAPPER_BAR_HEIGHT=0)}}class ye{add(e,t,i,n=document){this._map.push({el:e,coords:t,dynamicAd:i,target:n})}get map(){return this._map}sort(){this._map.sort((({coords:e},{coords:t})=>e-t))}filterUsed(){this._map=this._map.filter((({dynamicAd:e})=>!e.used))}reset(){this._map=[]}constructor(){this._map=[]}}class _e extends ye{}const fe=e=>{const t=f(),i=(()=>{const e=w()?"mobile":"tablet";return x(g)?"desktop":e})(),n=e.siteAdsProfiles;let s=null;if(n&&n.length)for(const e of n){const n=e.targeting.device,o=e.targeting.browserEngine,r=n&&n.length&&n.includes(i),a=o&&o.length&&o.includes(t);r&&a&&(s=e)}return s};try{(()=>{const e=new R;e&&e.enabled&&(e.siteAds&&(e=>{const t=fe(e);if(t){const e=t.profileId;document.body.classList.add(`raptive-profile-${e}`)}})(e.siteAds),new he(e,new _e).start(),new ge(new H(e),e).init())})()}catch(e){v.error("CLS","pluginsertion-iife",e),window.adthriveCLS&&(window.adthriveCLS.injectedFromPlugin=!1)}}();
</script><script data-no-optimize="1" data-cfasync="false">(function () {var clsElements = document.querySelectorAll("script[id^='cls-']"); window.adthriveCLS && clsElements && clsElements.length === 0 ? window.adthriveCLS.injectedFromPlugin = false : ""; })();</script><div id="mv-grow-data" data-settings='{"general":{"contentSelector":false,"show_count":{"content":false,"sidebar":false,"pop_up":false,"sticky_bar":false},"isTrellis":false,"license_last4":"4b47"},"post":{"ID":36677,"categories":[{"ID":1004},{"ID":975},{"ID":22}]},"shareCounts":{"pinterest":13400},"shouldRun":true,"buttonSVG":{"share":{"height":32,"width":26,"paths":["M20.8 20.8q1.984 0 3.392 1.376t1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408-3.392-1.408-1.408-3.392q0-0.192 0.032-0.448t0.032-0.384l-8.32-4.992q-1.344 1.024-2.944 1.024-1.984 0-3.392-1.408t-1.408-3.392 1.408-3.392 3.392-1.408q1.728 0 2.944 0.96l8.32-4.992q0-0.128-0.032-0.384t-0.032-0.384q0-1.984 1.408-3.392t3.392-1.408 3.392 1.376 1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408q-1.664 0-2.88-1.024l-8.384 4.992q0.064 0.256 0.064 0.832 0 0.512-0.064 0.768l8.384 4.992q1.152-0.96 2.88-0.96z"]},"pinterest":{"height":32,"width":23,"paths":["M0 10.656q0-1.92 0.672-3.616t1.856-2.976 2.72-2.208 3.296-1.408 3.616-0.448q2.816 0 5.248 1.184t3.936 3.456 1.504 5.12q0 1.728-0.32 3.36t-1.088 3.168-1.792 2.656-2.56 1.856-3.392 0.672q-1.216 0-2.4-0.576t-1.728-1.568q-0.16 0.704-0.48 2.016t-0.448 1.696-0.352 1.28-0.48 1.248-0.544 1.12-0.832 1.408-1.12 1.536l-0.224 0.096-0.16-0.192q-0.288-2.816-0.288-3.36 0-1.632 0.384-3.68t1.184-5.152 0.928-3.616q-0.576-1.152-0.576-3.008 0-1.504 0.928-2.784t2.368-1.312q1.088 0 1.696 0.736t0.608 1.824q0 1.184-0.768 3.392t-0.8 3.36q0 1.12 0.8 1.856t1.952 0.736q0.992 0 1.824-0.448t1.408-1.216 0.992-1.696 0.672-1.952 0.352-1.984 0.128-1.792q0-3.072-1.952-4.8t-5.12-1.728q-3.552 0-5.952 2.304t-2.4 5.856q0 0.8 0.224 1.536t0.48 1.152 0.48 0.832 0.224 0.544q0 0.48-0.256 1.28t-0.672 0.8q-0.032 0-0.288-0.032-0.928-0.288-1.632-0.992t-1.088-1.696-0.576-1.92-0.192-1.92z"]},"facebook":{"height":32,"width":18,"paths":["M17.12 0.224v4.704h-2.784q-1.536 0-2.080 0.64t-0.544 1.92v3.392h5.248l-0.704 5.28h-4.544v13.568h-5.472v-13.568h-4.544v-5.28h4.544v-3.904q0-3.328 1.856-5.152t4.96-1.824q2.624 0 4.064 0.224z"]}},"saveThis":{"spotlight":"","successMessage":"","consent":"","consentForMailingList":"","position":"","mailingListService":""},"utmParams":[],"pinterest":{"pinDescriptionSource":"image_alt_tag","pinDescription":null,"pinTitle":null,"pinImageURL":null,"pinnableImages":"all_images","postImageHidden":null,"postImageHiddenMultiple":null,"lazyLoadCompatibility":null,"buttonPosition":"top-left","buttonShape":"rectangular","showButtonLabel":"yes","buttonLabelText":"","buttonShareBehavior":"all_images","hoverButtonShareBehavior":"hover_image","minimumImageWidth":"205","minimumImageHeight":"205","showImageOverlay":"yes","alwaysShowMobile":null,"alwaysShowDesktop":null,"postTypeDisplay":["post"],"imagePinIt":"1","hasContent":"1","shareURL":"https:\/\/thebigmansworld.com\/coconut-cake\/","bypassClasses":["mv-grow-bypass","no_pin"],"bypassDenyClasses":["dpsp-post-pinterest-image-hidden-inner","mv-create-pinterest"],"ignoreSelectors":[],"hoverButtonIgnoreClasses":["lazyloaded","lazyload","lazy","loading","loaded","td-animation-stack","ezlazyloaded","penci-lazy","ut-lazy","ut-image-loaded","ut-animated-image","skip-lazy"],"disableIframes":null}}'></div><script type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">window.wprm_recipes = {"recipe-36688":{"type":"food","name":"Coconut Cake Recipe","slug":"wprm-coconut-cake-recipe","image_url":"https:\/\/thebigmansworld.com\/wp-content\/uploads\/2025\/02\/coconut-cake-recipe.jpg","rating":{"count":297,"total":1485,"average":5,"type":{"comment":6,"no_comment":0,"user":291},"user":0},"ingredients":[{"uid":0,"amount":"2","unit":"cups","name":"all-purpose flour","notes":"","unit_id":4854,"id":2068,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"cups","unitParsed":"cups"}}},{"uid":1,"amount":"1 1\/2","unit":"cups","name":"sugar","notes":"","unit_id":4854,"id":2066,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1 1\/2","unit":"cups","unitParsed":"cups"}}},{"uid":2,"amount":"2","unit":"teaspoons","name":"baking soda","notes":"","unit_id":4990,"id":440,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"teaspoons","unitParsed":"teaspoons"}}},{"uid":3,"amount":"1\/2","unit":"teaspoon","name":"salt","notes":"","unit_id":4907,"id":494,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/2","unit":"teaspoon","unitParsed":"teaspoon"}}},{"uid":4,"amount":"1 1\/2","unit":"cups","name":"water","notes":"","unit_id":4854,"id":700,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1 1\/2","unit":"cups","unitParsed":"cups"}}},{"uid":13,"amount":"1","unit":"tablespoon","name":"vinegar","notes":"","unit_id":4942,"id":1577,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"}}},{"uid":5,"amount":"1\/2","unit":"cup","name":"oil","notes":"","unit_id":4855,"id":638,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/2","unit":"cup","unitParsed":"cup"}}},{"uid":6,"amount":"1","unit":"tablespoon","name":"vanilla extract","notes":"","unit_id":4942,"id":381,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"}}},{"uid":7,"amount":"1","unit":"cup","name":"shredded coconut","notes":"","unit_id":4855,"id":608,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"cup","unitParsed":"cup"}}},{"uid":9,"amount":"8","unit":"ounces","name":"cream cheese","notes":"softened","unit_id":4892,"id":854,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"8","unit":"ounces","unitParsed":"ounces"}}},{"uid":10,"amount":"1","unit":"cup","name":"confectioners sugar","notes":"","unit_id":4855,"id":3053,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"cup","unitParsed":"cup"}}},{"uid":11,"amount":"3\/4","unit":"cup","name":"heavy cream","notes":"","unit_id":4855,"id":2974,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"3\/4","unit":"cup","unitParsed":"cup"}}},{"uid":12,"amount":"1","unit":"teaspoon","name":"coconut extract","notes":"or vanilla extract","unit_id":4907,"id":1227,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"teaspoon","unitParsed":"teaspoon"}}}],"originalServings":"12","originalServingsParsed":12,"currentServings":"12","currentServingsParsed":12,"currentServingsFormatted":"12","currentServingsMultiplier":1,"originalSystem":1,"currentSystem":1,"unitSystems":[1],"originalAdvancedServings":{"shape":"round","unit":"inch","diameter":0,"width":0,"length":0,"height":0},"currentAdvancedServings":{"shape":"round","unit":"inch","diameter":0,"width":0,"length":0,"height":0}}}</script><style id='core-block-supports-inline-css'>
.wp-container-core-columns-is-layout-1{flex-wrap:nowrap;}.wp-block-gallery.wp-block-gallery-1{--wp--style--unstable-gallery-gap:var( --wp--style--gallery-gap-default, var( --gallery-block--gutter-size, var( --wp--style--block-gap, 0.5em ) ) );gap:var( --wp--style--gallery-gap-default, var( --gallery-block--gutter-size, var( --wp--style--block-gap, 0.5em ) ) );}.wp-container-core-group-is-layout-4{flex-wrap:nowrap;justify-content:space-between;align-items:flex-start;}
</style>
<script id="wprm-public-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var wprm_public = {"user":"0","endpoints":{"analytics":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/analytics","integrations":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/integrations","manage":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/manage","utilities":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/utilities"},"settings":{"jump_output_hash":true,"features_comment_ratings":true,"template_color_comment_rating":"#3d7a03","instruction_media_toggle_default":"off","video_force_ratio":true,"analytics_enabled":false,"google_analytics_enabled":false,"print_new_tab":true,"print_recipe_identifier":"slug"},"post_id":"36677","home_url":"https:\/\/thebigmansworld.com\/","print_slug":"wprm_print","permalinks":"\/%postname%\/","ajax_url":"https:\/\/thebigmansworld.com\/wp-admin\/admin-ajax.php","nonce":"76c44e8c31","api_nonce":"17359cdb69","translations":[],"version":{"free":"9.8.3","pro":"9.8.2"}};
</script>
<script src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.js?ver=9.8.3" id="wprm-public-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script id="convertkit-broadcasts-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var convertkit_broadcasts = {"ajax_url":"https:\/\/thebigmansworld.com\/wp-admin\/admin-ajax.php","action":"convertkit_broadcasts_render","debug":""};
</script>
<script src="https://thebigmansworld.com/wp-content/plugins/convertkit/resources/frontend/js/broadcasts.js?ver=2.8.0" id="convertkit-broadcasts-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script src="https://thebigmansworld.ck.page/commerce.js?ver=6.7.2" id="convertkit-commerce-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script src="https://thebigmansworld.com/wp-content/plugins/cultivate-load-more-comments//load-more-comments-min.js?ver=1.0" id="cwp-load-more-comments-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script id="dpsp-frontend-js-pro-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var dpsp_ajax_send_save_this_email = {"ajax_url":"https:\/\/thebigmansworld.com\/wp-admin\/admin-ajax.php","dpsp_token":"3b43044993"};
</script>
<script id="dpsp-frontend-js-pro-js-before" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var dpsp_pin_button_data = {"pin_description_source":"image_alt_tag","pinterest_pinnable_images":"all_images","pinterest_button_share_behavior":"all_images","button_position":"top_left","button_shape":"rectangular","minimum_image_width":"205","minimum_image_height":"205","show_button_text_label":"yes","button_text_label":"","show_image_overlay":"yes","button_share_behavior":"hover_image","post_type_display":["post"]}
</script>
<script async data-noptimize data-cfasync="false" src="https://thebigmansworld.com/wp-content/plugins/social-pug/assets/dist/front-end-pro.js?ver=2.25.2" id="dpsp-frontend-js-pro-js"></script>
<script id="wprmp-public-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var wprmp_public = {"user":"0","endpoints":{"private_notes":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/private-notes","user_rating":"https:\/\/thebigmansworld.com\/wp-json\/wp-recipe-maker\/v1\/user-rating"},"settings":{"recipe_template_mode":"modern","features_adjustable_servings":true,"adjustable_servings_url":false,"adjustable_servings_url_param":"servings","adjustable_servings_round_to_decimals":"2","unit_conversion_remember":true,"unit_conversion_temperature":"none","unit_conversion_temperature_precision":"round_5","unit_conversion_system_1_temperature":"F","unit_conversion_system_2_temperature":"C","unit_conversion_advanced_servings_conversion":false,"unit_conversion_system_1_length_unit":"inch","unit_conversion_system_2_length_unit":"cm","fractions_enabled":false,"fractions_use_mixed":true,"fractions_use_symbols":true,"fractions_max_denominator":"8","unit_conversion_system_1_fractions":true,"unit_conversion_system_2_fractions":true,"unit_conversion_enabled":true,"decimal_separator":"point","features_comment_ratings":true,"features_user_ratings":true,"user_ratings_type":"modal","user_ratings_force_comment_scroll_to_smooth":true,"user_ratings_modal_title":"Rate This Recipe","user_ratings_thank_you_title":"Rate This Recipe","user_ratings_thank_you_message_with_comment":"<p>Thank you for voting!<\/p>","user_ratings_problem_message":"<p>There was a problem rating this recipe. Please try again later.<\/p>","user_ratings_force_comment_scroll_to":"","user_ratings_open_url_parameter":"rate","user_ratings_require_comment":true,"user_ratings_require_name":true,"user_ratings_require_email":true,"user_ratings_comment_suggestions_enabled":"never","rating_details_zero":"No ratings yet","rating_details_one":"%average% from 1 vote","rating_details_multiple":"%average% from %votes% votes","rating_details_user_voted":"(Your vote: %user%)","rating_details_user_not_voted":"(Click on the stars to vote!)","servings_changer_display":"tooltip_slider","template_ingredient_list_style":"disc","template_instruction_list_style":"decimal","template_color_icon":"#333333"},"timer":{"sound_file":"https:\/\/thebigmansworld.com\/wp-content\/plugins\/wp-recipe-maker-premium\/assets\/sounds\/alarm.mp3","text":{"start_timer":"Click to Start Timer"},"icons":{"pause":"<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" xmlns:xlink=\"http:\/\/www.w3.org\/1999\/xlink\" x=\"0px\" y=\"0px\" width=\"24px\" height=\"24px\" viewBox=\"0 0 24 24\"><g ><path fill=\"#fffefe\" d=\"M9,2H4C3.4,2,3,2.4,3,3v18c0,0.6,0.4,1,1,1h5c0.6,0,1-0.4,1-1V3C10,2.4,9.6,2,9,2z\"\/><path fill=\"#fffefe\" d=\"M20,2h-5c-0.6,0-1,0.4-1,1v18c0,0.6,0.4,1,1,1h5c0.6,0,1-0.4,1-1V3C21,2.4,20.6,2,20,2z\"\/><\/g><\/svg>","play":"<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" xmlns:xlink=\"http:\/\/www.w3.org\/1999\/xlink\" x=\"0px\" y=\"0px\" width=\"24px\" height=\"24px\" viewBox=\"0 0 24 24\"><g ><path fill=\"#fffefe\" d=\"M6.6,2.2C6.3,2,5.9,1.9,5.6,2.1C5.2,2.3,5,2.6,5,3v18c0,0.4,0.2,0.7,0.6,0.9C5.7,22,5.8,22,6,22c0.2,0,0.4-0.1,0.6-0.2l12-9c0.3-0.2,0.4-0.5,0.4-0.8s-0.1-0.6-0.4-0.8L6.6,2.2z\"\/><\/g><\/svg>","close":"<svg xmlns=\"http:\/\/www.w3.org\/2000\/svg\" xmlns:xlink=\"http:\/\/www.w3.org\/1999\/xlink\" x=\"0px\" y=\"0px\" width=\"24px\" height=\"24px\" viewBox=\"0 0 24 24\"><g ><path fill=\"#fffefe\" d=\"M22.7,4.3l-3-3c-0.4-0.4-1-0.4-1.4,0L12,7.6L5.7,1.3c-0.4-0.4-1-0.4-1.4,0l-3,3c-0.4,0.4-0.4,1,0,1.4L7.6,12l-6.3,6.3c-0.4,0.4-0.4,1,0,1.4l3,3c0.4,0.4,1,0.4,1.4,0l6.3-6.3l6.3,6.3c0.2,0.2,0.5,0.3,0.7,0.3s0.5-0.1,0.7-0.3l3-3c0.4-0.4,0.4-1,0-1.4L16.4,12l6.3-6.3C23.1,5.3,23.1,4.7,22.7,4.3z\"\/><\/g><\/svg>"}},"recipe_submission":{"max_file_size":838860800,"text":{"image_size":"The file is too large. Maximum size:"}}};
</script>
<script src="https://thebigmansworld.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.js?ver=9.8.2" id="wprmp-public-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script id="rocket-browser-checker-js-after" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
"use strict";var _createClass=function(){function defineProperties(target,props){for(var i=0;i<props.length;i++){var descriptor=props[i];descriptor.enumerable=descriptor.enumerable||!1,descriptor.configurable=!0,"value"in descriptor&&(descriptor.writable=!0),Object.defineProperty(target,descriptor.key,descriptor)}}return function(Constructor,protoProps,staticProps){return protoProps&&defineProperties(Constructor.prototype,protoProps),staticProps&&defineProperties(Constructor,staticProps),Constructor}}();function _classCallCheck(instance,Constructor){if(!(instance instanceof Constructor))throw new TypeError("Cannot call a class as a function")}var RocketBrowserCompatibilityChecker=function(){function RocketBrowserCompatibilityChecker(options){_classCallCheck(this,RocketBrowserCompatibilityChecker),this.passiveSupported=!1,this._checkPassiveOption(this),this.options=!!this.passiveSupported&&options}return _createClass(RocketBrowserCompatibilityChecker,[{key:"_checkPassiveOption",value:function(self){try{var options={get passive(){return!(self.passiveSupported=!0)}};window.addEventListener("test",null,options),window.removeEventListener("test",null,options)}catch(err){self.passiveSupported=!1}}},{key:"initRequestIdleCallback",value:function(){!1 in window&&(window.requestIdleCallback=function(cb){var start=Date.now();return setTimeout(function(){cb({didTimeout:!1,timeRemaining:function(){return Math.max(0,50-(Date.now()-start))}})},1)}),!1 in window&&(window.cancelIdleCallback=function(id){return clearTimeout(id)})}},{key:"isDataSaverModeOn",value:function(){return"connection"in navigator&&!0===navigator.connection.saveData}},{key:"supportsLinkPrefetch",value:function(){var elem=document.createElement("link");return elem.relList&&elem.relList.supports&&elem.relList.supports("prefetch")&&window.IntersectionObserver&&"isIntersecting"in IntersectionObserverEntry.prototype}},{key:"isSlowConnection",value:function(){return"connection"in navigator&&"effectiveType"in navigator.connection&&("2g"===navigator.connection.effectiveType||"slow-2g"===navigator.connection.effectiveType)}}]),RocketBrowserCompatibilityChecker}();
</script>
<script id="rocket-preload-links-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var RocketPreloadLinksConfig = {"excludeUris":"\/(?:.+\/)?feed(?:\/(?:.+\/?)?)?$|\/(?:.+\/)?embed\/|\/(index.php\/)?(.*)wp-json(\/.*|$)|\/refer\/|\/go\/|\/recommend\/|\/recommends\/","usesTrailingSlash":"1","imageExt":"jpg|jpeg|gif|png|tiff|bmp|webp|avif|pdf|doc|docx|xls|xlsx|php","fileExt":"jpg|jpeg|gif|png|tiff|bmp|webp|avif|pdf|doc|docx|xls|xlsx|php|html|htm","siteUrl":"https:\/\/thebigmansworld.com","onHoverDelay":"100","rateThrottle":"3"};
</script>
<script id="rocket-preload-links-js-after" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
(function() {
"use strict";var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},e=function(){function i(e,t){for(var n=0;n<t.length;n++){var i=t[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(e,i.key,i)}}return function(e,t,n){return t&&i(e.prototype,t),n&&i(e,n),e}}();function i(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}var t=function(){function n(e,t){i(this,n),this.browser=e,this.config=t,this.options=this.browser.options,this.prefetched=new Set,this.eventTime=null,this.threshold=1111,this.numOnHover=0}return e(n,[{key:"init",value:function(){!this.browser.supportsLinkPrefetch()||this.browser.isDataSaverModeOn()||this.browser.isSlowConnection()||(this.regex={excludeUris:RegExp(this.config.excludeUris,"i"),images:RegExp(".("+this.config.imageExt+")$","i"),fileExt:RegExp(".("+this.config.fileExt+")$","i")},this._initListeners(this))}},{key:"_initListeners",value:function(e){-1<this.config.onHoverDelay&&document.addEventListener("mouseover",e.listener.bind(e),e.listenerOptions),document.addEventListener("mousedown",e.listener.bind(e),e.listenerOptions),document.addEventListener("touchstart",e.listener.bind(e),e.listenerOptions)}},{key:"listener",value:function(e){var t=e.target.closest("a"),n=this._prepareUrl(t);if(null!==n)switch(e.type){case"mousedown":case"touchstart":this._addPrefetchLink(n);break;case"mouseover":this._earlyPrefetch(t,n,"mouseout")}}},{key:"_earlyPrefetch",value:function(t,e,n){var i=this,r=setTimeout(function(){if(r=null,0===i.numOnHover)setTimeout(function(){return i.numOnHover=0},1e3);else if(i.numOnHover>i.config.rateThrottle)return;i.numOnHover++,i._addPrefetchLink(e)},this.config.onHoverDelay);t.addEventListener(n,function e(){t.removeEventListener(n,e,{passive:!0}),null!==r&&(clearTimeout(r),r=null)},{passive:!0})}},{key:"_addPrefetchLink",value:function(i){return this.prefetched.add(i.href),new Promise(function(e,t){var n=document.createElement("link");n.rel="prefetch",n.href=i.href,n.onload=e,n.onerror=t,document.head.appendChild(n)}).catch(function(){})}},{key:"_prepareUrl",value:function(e){if(null===e||"object"!==(void 0===e?"undefined":r(e))||!1 in e||-1===["http:","https:"].indexOf(e.protocol))return null;var t=e.href.substring(0,this.config.siteUrl.length),n=this._getPathname(e.href,t),i={original:e.href,protocol:e.protocol,origin:t,pathname:n,href:t+n};return this._isLinkOk(i)?i:null}},{key:"_getPathname",value:function(e,t){var n=t?e.substring(this.config.siteUrl.length):e;return n.startsWith("/")||(n="/"+n),this._shouldAddTrailingSlash(n)?n+"/":n}},{key:"_shouldAddTrailingSlash",value:function(e){return this.config.usesTrailingSlash&&!e.endsWith("/")&&!this.regex.fileExt.test(e)}},{key:"_isLinkOk",value:function(e){return null!==e&&"object"===(void 0===e?"undefined":r(e))&&(!this.prefetched.has(e.href)&&e.origin===this.config.siteUrl&&-1===e.href.indexOf("?")&&-1===e.href.indexOf("#")&&!this.regex.excludeUris.test(e.href)&&!this.regex.images.test(e.href))}}],[{key:"run",value:function(){"undefined"!=typeof RocketPreloadLinksConfig&&new n(new RocketBrowserCompatibilityChecker({capture:!0,passive:!0}),RocketPreloadLinksConfig).init()}}]),n}();t.run();
}());
</script>
<script src="https://thebigmansworld.com/wp-content/themes/thebigmansworld-2023/assets/js/global.js?ver=1710946265" id="theme-global-js" data-rocket-defer defer></script>
<script src="https://thebigmansworld.com/wp-includes/js/comment-reply.min.js?ver=6.7.2" id="comment-reply-js" async data-wp-strategy="async" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script id="convertkit-js-js-extra" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
var convertkit = {"ajaxurl":"https:\/\/thebigmansworld.com\/wp-admin\/admin-ajax.php","debug":"","nonce":"2fc9f94902","subscriber_id":""};
</script>
<script src="https://thebigmansworld.com/wp-content/plugins/convertkit/resources/frontend/js/convertkit.js?ver=2.8.0" id="convertkit-js-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script src="https://thebigmansworld.com/wp-content/plugins/wp-gallery-custom-links/wp-gallery-custom-links.js?ver=1.1" id="wp-gallery-custom-links-js-js" data-rocket-defer defer type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script id="perfmatters-lazy-load-js-before">
window.lazyLoadOptions={elements_selector:"img[data-src],.perfmatters-lazy,.perfmatters-lazy-css-bg",thresholds:"100px 0px",class_loading:"pmloading",class_loaded:"pmloaded",callback_loaded:function(element){if(element.tagName==="IFRAME"){if(element.classList.contains("pmloaded")){if(typeof window.jQuery!="undefined"){if(jQuery.fn.fitVids){jQuery(element).parent().fitVids()}}}}}};window.addEventListener("LazyLoad::Initialized",function(e){var lazyLoadInstance=e.detail.instance;});
</script>
<script async src="https://thebigmansworld.com/wp-content/plugins/perfmatters/js/lazyload.min.js?ver=2.4.3" id="perfmatters-lazy-load-js"></script>
<script id="jetpack-stats-js-before" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">
_stq = window._stq || [];
_stq.push([ "view", JSON.parse("{\"v\":\"ext\",\"blog\":\"57734356\",\"post\":\"36677\",\"tz\":\"-4\",\"srv\":\"thebigmansworld.com\",\"j\":\"1:14.5\"}") ]);
_stq.push([ "clickTrackerInit", "57734356", "36677" ]);
</script>
<script src="https://stats.wp.com/e-202518.js" id="jetpack-stats-js" defer data-wp-strategy="defer" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<script defer src="https://thebigmansworld.com/wp-content/plugins/akismet/_inc/akismet-frontend.js?ver=1739995176" id="akismet-frontend-js" type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script>
<svg style="display:none;"><defs><symbol id="logo-logo"viewBox="0 0 485 75" fill="none" xmlns="http://www.w3.org/2000/svg"><g clip-path="url(#a)"><g clip-path="url(#b)"><path d="M102.751 22.797h-6.719v51.299h-5.136v-51.3h-6.719v-4.49h18.574v4.49ZM125.01 18.305v55.79h-5.136V46.67h-8.416v27.427h-5.137v-55.79h5.137v23.87h8.416v-23.87h5.136ZM135.921 22.797v19.388h8.278v4.4h-8.278v23.019h9.852v4.492h-14.988v-55.79h14.988v4.49h-9.852Z" fill="#79C042"/><path d="M172.7 53.249v10.066c0 7.149-4.1 10.78-11.724 10.78h-7.702v-55.79h7.333c7.625 0 11.725 3.74 11.725 10.888v7.586c0 4.453-2.004 6.941-4.814 8.262 3.186 1.267 5.19 3.808 5.19 8.208h-.008Zm-13.229-29.53v18.896l1.136-.016c3.617-.03 5.528-1.912 5.528-5.766v-7.64c0-3.809-1.858-5.475-5.528-5.475h-1.136Zm7.033 29.53c0-3.816-1.858-5.62-5.528-5.582l-1.505.023v20.992h1.505c3.67 0 5.528-1.712 5.528-5.528V53.25ZM183.619 74.096h-6.196v-55.79h6.196v55.79ZM202.354 35.474v-8.162c0-2.496-1.459-4.17-3.647-4.2-2.219 0-3.701 1.681-3.701 4.2V65.05c0 2.549 1.52 4.246 3.801 4.246 2.28 0 3.846-1.697 3.846-4.246V46.669h-4.223v-4.914h9.905v32.348h-4.545v-4.445c-.945 2.58-2.887 5.113-6.949 5.113-5.237 0-8.039-3.823-8.039-9.567V27.197c0-5.736 3.962-9.568 9.897-9.568 5.782.031 9.636 3.855 9.636 9.568v8.27h-5.981v.007Z" fill="#549C5D"/><path d="M249.391 18.305v55.79h-6.664l.122-49.117h-.122l-5.575 49.118h-7.601l-5.537-49.119h-.122l.122 49.119h-6.664v-55.79h10.895l5.068 49.301h.123l5.067-49.302h10.896-.008ZM267.435 66.033h-6.557l-.653 8.063h-7.739l6.787-55.79h9.836l6.726 55.79h-7.747l-.66-8.063h.007Zm-.522-6.419-2.703-33.162h-.115L261.4 59.614h5.513ZM302.249 18.305v55.79h-10.082l-6.327-46.73h-.092l.207 46.73h-6.68v-55.79h9.775l6.611 48.957.115.015-.2-48.972h6.68-.007ZM311.463 43.252h-5.176l2.35-24.947h7.187l-4.361 24.947ZM329.107 74.825c-6.227 0-10.45-4-10.45-9.844V54.754h7.087v10.227c0 1.997 1.375 3.425 3.294 3.425 1.92 0 3.164-1.428 3.164-3.425v-7.286c0-9.951-13.552-11.794-13.552-24.049v-6.419c0-5.728 4.207-9.651 10.381-9.651 6.173 0 10.381 3.923 10.381 9.651v9.176h-7.087v-9.176c0-1.88-1.336-3.232-3.233-3.232-1.896 0-3.102 1.351-3.102 3.232v6.42c0 8.56 13.552 11.095 13.552 24.048v7.286c0 5.844-4.223 9.844-10.45 9.844h.015Z" fill="#29717E"/><path d="m368.704 74.096-2.572-45.333h-.115l-2.495 45.333h-11.671l-5.521-55.79h9.567l1.973 48.38h.116l3.57-48.38h9.122l3.647 48.38h.115l1.897-48.38h9.567l-5.521 55.79h-11.679ZM388.645 28.11c0-6.357 4.461-10.604 11.157-10.604 6.695 0 11.156 4.239 11.156 10.604v36.188c0 6.358-4.461 10.604-11.156 10.604-6.696 0-11.157-4.239-11.157-10.604V28.11Zm13.552-.399c0-1.528-.96-2.55-2.388-2.55s-2.388 1.022-2.388 2.55v36.986c0 1.528.96 2.55 2.388 2.55s2.388-1.022 2.388-2.55V27.711ZM429.824 74.096l-3.878-22.06c-.491.038-.998.061-1.512.061h-.4v21.999h-8.768v-55.79h9.168c7.655 0 12.753 4.56 12.753 11.394v11.003c0 3.301-1.113 6.004-3.071 7.947l4.476 25.446h-8.768Zm-5.39-29.255c2.388 0 3.985-1.658 3.985-4.146V29.692c0-2.25-1.597-3.747-3.985-3.747h-.4v18.889h.4v.007ZM459.9 66.448v7.655h-18.09V18.305h8.768v48.143h9.329-.007ZM485 30.099v32.203c0 7.563-4.576 11.794-12.754 11.794h-9.168v-55.79h9.168c8.178 0 12.754 4.23 12.754 11.793Zm-8.769 0c0-2.657-1.435-4.146-3.985-4.146h-.399V66.44h.399c2.55 0 3.985-1.49 3.985-4.146V30.1Z" fill="#135C8E"/><g clip-path="url(#c)"><path d="m63.94 11.498 2.007-1.342a2.332 2.332 0 0 0-2.59-3.877L59.48 8.87c-.08.053-.142.116-.216.18a2.325 2.325 0 0 0-.427 3.06l.006.01c4.503 6.73 6.114 14.815 4.54 22.757C61.807 42.825 57.23 49.682 50.5 54.19c-13.899 9.301-32.774 5.562-42.075-8.337a2.333 2.333 0 0 0-2.876-.837 2.212 2.212 0 0 0-.363.194l-3.877 2.592a2.332 2.332 0 1 0 2.597 3.876l2.007-1.338c6.156 8.005 15.23 12.666 24.721 13.493v5.362H14.292a2.33 2.33 0 0 0-2.333 2.333 2.33 2.33 0 0 0 2.333 2.333h37.33a2.33 2.33 0 0 0 2.333-2.333 2.33 2.33 0 0 0-2.333-2.333H35.29v-5.267a34.794 34.794 0 0 0 17.801-5.862c7.769-5.198 13.051-13.114 14.868-22.283 1.664-8.4.232-16.932-4.018-24.28v-.005Z" fill="#353535"/><path d="M23.445 27.64c-.353 0-.71-.078-1.048-.247a13.49 13.49 0 0 0-5.772-1.438 2.335 2.335 0 0 1-2.286-2.38c.027-1.29 1.117-2.291 2.38-2.286 2.687.058 5.378.727 7.78 1.933a2.336 2.336 0 0 1-1.054 4.419Z" fill="#79C042"/><path d="M8.699 37.79c-.4 0-.806-.1-1.175-.316l-.079-.048a9.334 9.334 0 0 1-4.082-10.865 9.227 9.227 0 0 1-2.56-4.445 9.26 9.26 0 0 1 1.054-7.047c2.275-3.781 6.831-5.361 10.855-4.055a9.32 9.32 0 0 1 2.728-1.949c4.645-2.185 10.196-.184 12.382 4.461a2.333 2.333 0 0 1-1.117 3.102 2.333 2.333 0 0 1-3.102-1.116 4.645 4.645 0 0 0-6.172-2.223 4.642 4.642 0 0 0-2.002 1.807 2.331 2.331 0 0 1-3.202.795 4.648 4.648 0 0 0-6.367 1.585 4.614 4.614 0 0 0-.527 3.513 4.606 4.606 0 0 0 2.112 2.854 2.331 2.331 0 0 1 .795 3.203 4.642 4.642 0 0 0 1.586 6.362l.052.031a2.331 2.331 0 0 1 .838 3.192 2.334 2.334 0 0 1-2.017 1.159Z" fill="#79C042"/><path d="M34.23 20.286c-.585 0-1.17-.216-1.623-.653a10.898 10.898 0 0 1-2.49-3.623c-2.387-5.604.23-12.108 5.835-14.494 5.603-2.386 12.102.232 14.493 5.84a2.332 2.332 0 1 1-4.292 1.828 6.383 6.383 0 0 0-8.369-3.37c-3.239 1.38-4.75 5.135-3.37 8.368.337.79.821 1.496 1.438 2.091a2.33 2.33 0 0 1-1.623 4.008v.005Z" fill="#549C5D"/><path d="M54.64 14.242a2.335 2.335 0 0 0-3.234-.584L12.965 40.112a2.336 2.336 0 0 0-.611 3.229c3.813 5.646 9.596 9.49 16.279 10.812 1.68.332 3.35.495 4.998.495 11.998 0 22.747-8.474 25.17-20.677 1.374-6.93-.106-13.935-4.161-19.723v-.005Zm-2.597 4.646a20.954 20.954 0 0 1 2.16 5.84l-2.25 1.612a.695.695 0 0 1-.895-.074l-3.97-3.965 4.955-3.413ZM17.62 42.572l9.275-6.383 2.101 1.785a.697.697 0 0 1-.047 1.09l-1.77 1.27a2.329 2.329 0 0 0-.769 2.854l2.855 6.32a20.85 20.85 0 0 1-11.645-6.941v.005Zm16.964 7.378-3.128-6.936.216-.153c2.401-1.722 2.96-5.076 1.238-7.478a5.298 5.298 0 0 0-.885-.964l-1.143-.969 12.297-8.464 4.588 4.582a5.35 5.35 0 0 0 3.781 1.57 5.313 5.313 0 0 0 3.044-.959 21.66 21.66 0 0 1-.368 2.881c-1.917 9.665-10.212 16.464-19.64 16.89Z" fill="#29717E"/></g></g></g><defs><clipPath id="a"><path fill="#fff" d="M0 0h485v75H0z"/></clipPath><clipPath id="b"><path fill="#fff" d="M0 0h485v74.894H0z"/></clipPath><clipPath id="c"><path fill="#fff" d="M.267.633h68.367v73.222H.267z"/></clipPath></defs></symbol><symbol id="logo-logo-icon-white"viewBox="0 0 150 150" fill="none" xmlns="http://www.w3.org/2000/svg"><g clip-path="url(#a)"><path d="m130.9 25.63 3.81-2.55a4.428 4.428 0 0 0 1.22-6.14 4.428 4.428 0 0 0-6.14-1.22l-7.36 4.92c-.15.1-.27.22-.41.34a4.415 4.415 0 0 0-.81 5.81l.01.02c8.55 12.78 11.61 28.13 8.62 43.21-2.99 15.09-11.68 28.11-24.46 36.67-26.39 17.66-62.23 10.56-79.89-15.83a4.429 4.429 0 0 0-5.46-1.59c-.23.1-.47.22-.69.37l-7.36 4.92a4.428 4.428 0 0 0-1.22 6.14 4.421 4.421 0 0 0 3.69 1.97c.85 0 1.7-.24 2.46-.75l3.81-2.54c11.69 15.2 28.92 24.05 46.94 25.62v10.18H36.63c-2.45 0-4.43 1.98-4.43 4.43 0 2.45 1.98 4.43 4.43 4.43h70.88c2.45 0 4.43-1.98 4.43-4.43 0-2.45-1.98-4.43-4.43-4.43H76.5v-10a66.065 66.065 0 0 0 33.8-11.13c14.75-9.87 24.78-24.9 28.23-42.31 3.16-15.95.44-32.15-7.63-46.1v-.01Z" fill="#fff"/><path d="M54.01 56.28c-.67 0-1.35-.15-1.99-.47a25.616 25.616 0 0 0-10.96-2.73 4.433 4.433 0 0 1-4.34-4.52c.05-2.45 2.12-4.35 4.52-4.34 5.1.11 10.21 1.38 14.77 3.67a4.436 4.436 0 0 1 1.96 5.95 4.445 4.445 0 0 1-3.96 2.44Z" fill="#79C042"/><path d="M26.01 75.55c-.76 0-1.53-.19-2.23-.6l-.15-.09c-7.22-4.34-10.23-12.98-7.75-20.63a17.52 17.52 0 0 1-4.86-8.44 17.58 17.58 0 0 1 2-13.38c4.32-7.18 12.97-10.18 20.61-7.7 1.48-1.53 3.23-2.78 5.18-3.7 8.82-4.15 19.36-.35 23.51 8.47a4.43 4.43 0 0 1-2.12 5.89 4.43 4.43 0 0 1-5.89-2.12c-2.07-4.39-7.32-6.29-11.72-4.22a8.812 8.812 0 0 0-3.8 3.43 4.427 4.427 0 0 1-6.08 1.51c-4.16-2.5-9.59-1.15-12.09 3.01a8.76 8.76 0 0 0-1 6.67 8.746 8.746 0 0 0 4.01 5.42 4.427 4.427 0 0 1 1.51 6.08c-2.5 4.16-1.15 9.58 3.01 12.08l.1.06a4.427 4.427 0 0 1 1.59 6.06 4.432 4.432 0 0 1-3.83 2.2Z" fill="#79C042"/><path d="M74.486 42.316c-1.11 0-2.22-.41-3.08-1.24a20.692 20.692 0 0 1-4.73-6.88c-4.53-10.64.44-22.99 11.08-27.52 10.64-4.53 22.98.44 27.52 11.09a4.429 4.429 0 1 1-8.15 3.47c-2.62-6.15-9.74-9.02-15.89-6.4-6.15 2.62-9.02 9.75-6.4 15.89.64 1.5 1.56 2.84 2.73 3.97a4.425 4.425 0 0 1-3.08 7.61v.01Z" fill="#549C5D"/><path d="M113.24 30.84c-1.4-1.99-4.14-2.49-6.14-1.11L34.11 79.96c-2 1.38-2.52 4.11-1.16 6.13 7.24 10.72 18.22 18.02 30.91 20.53 3.19.63 6.36.94 9.49.94 22.78 0 43.19-16.09 47.79-39.26 2.61-13.16-.2-26.46-7.9-37.45v-.01Zm-4.93 8.82c1.93 3.51 3.3 7.24 4.1 11.09l-4.27 3.06c-.53.37-1.24.32-1.7-.14l-7.54-7.53 9.41-6.48ZM42.95 84.63l17.61-12.12 3.99 3.39a1.323 1.323 0 0 1-.09 2.07l-3.36 2.41a4.421 4.421 0 0 0-1.46 5.42l5.42 12c-8.72-1.85-16.42-6.46-22.11-13.18v.01Zm32.21 14.01-5.94-13.17.41-.29c4.56-3.27 5.62-9.64 2.35-14.2-.48-.68-1.05-1.29-1.68-1.83l-2.17-1.84 23.35-16.07 8.71 8.7c1.98 1.97 4.57 2.98 7.18 2.98 2.01 0 4.03-.6 5.78-1.82-.11 1.82-.34 3.64-.7 5.47-3.64 18.35-19.39 31.26-37.29 32.07Z" fill="#29717E"/></g><defs><clipPath id="a"><path fill="#fff" d="M10 5h129.81v139.03H10z"/></clipPath></defs></symbol><symbol id="utility-search"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M10.5 2.5a8 8 0 016.32 12.905l4.387 4.388a1 1 0 01-1.32 1.497l-.094-.083-4.388-4.386A8 8 0 1110.5 2.5zm0 2a6 6 0 100 12 6 6 0 000-12z"/></symbol><symbol id="utility-close"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M17.786 7.62l-.079.087L13.415 12l4.292 4.293a1 1 0 01-1.32 1.497l-.094-.083L12 13.415l-4.293 4.292a1 1 0 01-1.497-1.32l.083-.094L10.585 12 6.293 7.707a1 1 0 011.32-1.497l.094.083L12 10.585l4.293-4.292.087-.08c.88-.729 2.08.419 1.473 1.318l-.067.09z"/></symbol><symbol id="utility-menu2"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M18 16a1 1 0 01.117 1.993L18 18H4a1 1 0 01-.117-1.993L4 16h14zm-4-5a1 1 0 01.117 1.993L14 13H4a1 1 0 01-.117-1.993L4 11h10zm6-5a1 1 0 01.117 1.993L20 8H4a1 1 0 01-.117-1.993L4 6h16z"/></symbol><symbol id="utility-carat-down"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M8.175 10.897c-.377-.333-.105-.897.433-.897h6.784c.543 0 .813.572.425.903L12.37 13.85a.674.674 0 01-.86-.007l-3.335-2.945z"/></symbol><symbol id="utility-chat2-message"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M12 2c5.496 0 10 4.03 10 9.053 0 5.022-4.504 9.052-10 9.052l-.42-.008a10.91 10.91 0 01-2.837-.483l-.406-.137-4.1 1.465-.105.031a1 1 0 01-1.213-1.17l.751-3.743-.127-.175A8.4 8.4 0 012 11.053C2 6.03 6.504 2 12 2zm0 2c-4.438 0-8 3.187-8 7.053 0 1.498.533 2.928 1.513 4.123l.074.103a1 1 0 01.133.727l-.492 2.457 2.78-.992a1 1 0 01.707.013 8.876 8.876 0 003.285.621c4.438 0 8-3.187 8-7.052C20 7.187 16.438 4 12 4zm1 7a1 1 0 01.117 1.993L13 13H8a1 1 0 01-.117-1.993L8 11h5zm3-3a1 1 0 01.117 1.993L16 10H8a1 1 0 01-.117-1.993L8 8h8z"/></symbol><symbol id="utility-bookmark1"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M16 3H8a4 4 0 00-4 4v14l.006.113a1 1 0 001.49.755L12 18.152l6.504 3.716A1 1 0 0020 21V7a4 4 0 00-4-4zm0 2l.15.005A2 2 0 0118 7v12.276l-5.504-3.144-.118-.058a1 1 0 00-.874.058L6 19.276V7a2 2 0 012-2h8z"/></symbol><symbol id="utility-pinterest"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M12.009 1C5.929 1 1 5.921 1 11.991c0 4.659 2.9 8.639 6.995 10.24-.1-.868-.181-2.207.036-3.157.2-.86 1.287-5.464 1.287-5.464s-.326-.66-.326-1.628c0-1.529.888-2.669 1.993-2.669.942 0 1.396.706 1.396 1.547 0 .941-.598 2.352-.916 3.664-.262 1.094.553 1.99 1.631 1.99 1.958 0 3.462-2.063 3.462-5.03 0-2.632-1.894-4.468-4.603-4.468-3.135 0-4.975 2.343-4.975 4.767 0 .94.363 1.954.816 2.506.09.108.1.208.072.316-.081.344-.272 1.095-.308 1.249-.045.199-.163.244-.371.144-1.378-.642-2.238-2.641-2.238-4.26 0-3.465 2.519-6.65 7.275-6.65 3.815 0 6.787 2.715 6.787 6.351 0 3.79-2.392 6.839-5.708 6.839-1.115 0-2.166-.579-2.52-1.266l-.688 2.614c-.244.959-.915 2.153-1.368 2.886 1.033.316 2.12.488 3.262.488C18.07 23 23 18.079 23 12.009 23.018 5.921 18.089 1 12.009 1z"/></symbol><symbol id="utility-instagram"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M13.33 1a74.32 74.32 0 012.344.03l.205.007.656.028c1.171.053 1.97.24 2.67.512a5.399 5.399 0 011.949 1.268 5.391 5.391 0 011.269 1.95c.272.699.458 1.498.511 2.669.01.202.017.38.024.553l.008.205.007.206c.019.624.026 1.349.027 2.99v1.164c-.002 2.46-.016 2.86-.066 3.953-.053 1.171-.24 1.97-.511 2.67a5.399 5.399 0 01-1.27 1.949 5.399 5.399 0 01-1.948 1.269c-.7.272-1.499.458-2.67.511-1.093.05-1.492.064-3.953.066h-1.164a102.67 102.67 0 01-2.99-.027l-.206-.007-.205-.008-.553-.024c-1.17-.053-1.97-.24-2.67-.511a5.391 5.391 0 01-1.949-1.27 5.399 5.399 0 01-1.268-1.948c-.273-.7-.459-1.499-.512-2.67l-.028-.656-.007-.205A74.32 74.32 0 011 13.33v-2.66c.004-1.282.013-1.869.033-2.447l.008-.205.024-.553c.053-1.17.24-1.97.512-2.67a5.391 5.391 0 011.268-1.949 5.391 5.391 0 011.95-1.268c.699-.273 1.498-.459 2.669-.512l.553-.024.205-.008c.578-.02 1.165-.03 2.448-.033zm-.254 1.982h-2.153c-1.972.003-2.369.017-3.368.063-1.073.049-1.655.229-2.043.379-.514.2-.88.438-1.265.823-.385.385-.623.75-.823 1.265-.15.388-.33.97-.379 2.043-.046 1-.06 1.396-.063 3.368v2.153c.003 1.972.017 2.368.063 3.369.049 1.072.229 1.654.379 2.042.2.514.438.88.823 1.265.385.385.75.624 1.265.823.388.15.97.33 2.043.38.24.01.445.02.645.027l.2.007c.536.018 1.11.026 2.294.028h.473l.26.001H13.306a72.452 72.452 0 002.294-.029l.2-.007.646-.028c1.072-.05 1.654-.228 2.042-.38a3.4 3.4 0 001.265-.822 3.4 3.4 0 00.823-1.265c.15-.388.33-.97.38-2.042.01-.24.02-.446.027-.646l.007-.2c.018-.536.026-1.11.028-2.294v-.473l.001-.26v-1.144-.734a72.468 72.468 0 00-.029-2.294l-.007-.2-.028-.645c-.05-1.073-.228-1.655-.38-2.043a3.393 3.393 0 00-.822-1.265 3.414 3.414 0 00-1.265-.823c-.388-.15-.97-.33-2.042-.379-1-.046-1.397-.06-3.369-.063zM12 6.35a5.649 5.649 0 110 11.298A5.649 5.649 0 0112 6.35zm0 1.982a3.667 3.667 0 100 7.334 3.667 3.667 0 000-7.334zm5.872-3.526a1.32 1.32 0 110 2.641 1.32 1.32 0 010-2.64z"/></symbol><symbol id="utility-chat2"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M12 2c5.496 0 10 4.03 10 9.053 0 5.022-4.504 9.052-10 9.052l-.42-.008a10.91 10.91 0 01-2.837-.483l-.406-.137-4.1 1.465-.105.031a1 1 0 01-1.213-1.17l.751-3.743-.127-.175A8.4 8.4 0 012 11.053C2 6.03 6.504 2 12 2zm0 2c-4.438 0-8 3.187-8 7.053 0 1.498.533 2.928 1.513 4.123l.074.103a1 1 0 01.133.727l-.492 2.457 2.78-.992a1 1 0 01.707.013 8.876 8.876 0 003.285.621c4.438 0 8-3.187 8-7.052C20 7.187 16.438 4 12 4z"/></symbol><symbol id="utility-youtube-play"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M23.987 10.508a25.814 25.814 0 00-.114-1.813 16.34 16.34 0 00-.288-1.96 3.083 3.083 0 00-.93-1.633 2.866 2.866 0 00-1.668-.77C19.004 4.11 16.009 4 12 4s-7.004.11-8.987.332a2.834 2.834 0 00-1.66.77 3.1 3.1 0 00-.924 1.634 14.58 14.58 0 00-.302 1.959c-.067.73-.105 1.335-.114 1.813C.004 10.986 0 11.65 0 12.5c0 .85.004 1.514.013 1.992.01.478.047 1.083.114 1.813s.163 1.384.288 1.96a3.08 3.08 0 00.931 1.633c.478.442 1.034.7 1.667.77C4.996 20.889 7.991 21 12 21c4.01 0 7.004-.11 8.987-.332a2.835 2.835 0 001.66-.77 3.1 3.1 0 00.924-1.634 14.6 14.6 0 00.302-1.959c.067-.73.105-1.335.114-1.813.009-.478.013-1.142.013-1.992 0-.85-.004-1.514-.013-1.992zm-7.246 2.71l-6.857 4.249a.768.768 0 01-.455.133.933.933 0 01-.416-.106.79.79 0 01-.441-.744v-8.5a.79.79 0 01.441-.744c.304-.16.594-.15.871.027l6.857 4.25c.268.15.402.39.402.717 0 .328-.134.567-.402.717z"/></symbol><symbol id="utility-facebook"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M23 12.067C23 5.955 18.075 1 12 1S1 5.955 1 12.067C1 17.592 5.022 22.17 10.281 23v-7.733H7.488v-3.2h2.793V9.63c0-2.773 1.643-4.305 4.155-4.305 1.204 0 2.463.215 2.463.215v2.724h-1.387c-1.367 0-1.793.853-1.793 1.728v2.076h3.05l-.487 3.2h-2.563V23C18.978 22.17 23 17.592 23 12.067"/></symbol><symbol id="utility-twitter"xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill-rule="evenodd" d="M24 4.368a9.705 9.705 0 01-2.828.796 5.045 5.045 0 002.165-2.794 9.685 9.685 0 01-3.127 1.225A4.86 4.86 0 0016.616 2c-2.72 0-4.924 2.261-4.924 5.05 0 .396.043.78.127 1.15C7.728 7.99 4.1 5.98 1.672 2.926a5.111 5.111 0 00-.667 2.538 5.08 5.08 0 002.19 4.2 4.822 4.822 0 01-2.23-.63v.064c0 2.446 1.696 4.486 3.95 4.95a4.853 4.853 0 01-1.297.178c-.318 0-.626-.032-.926-.092.626 2.006 2.445 3.466 4.598 3.507A9.721 9.721 0 010 19.732 13.688 13.688 0 007.548 22c9.057 0 14.01-7.694 14.01-14.365 0-.22-.006-.436-.015-.653A10.155 10.155 0 0024 4.37v-.001z"/></symbol></defs></svg><div id="wprm-popup-modal-user-rating" class="wprm-popup-modal wprm-popup-modal-user-rating" data-type="user-rating" aria-hidden="true">
<div data-rocket-location-hash="9de03e5a1d45b1b61a95ee29edc9ae45" class="wprm-popup-modal__overlay" tabindex="-1">
<div class="wprm-popup-modal__container" role="dialog" aria-modal="true" aria-labelledby="wprm-popup-modal-user-rating-title">
<header class="wprm-popup-modal__header">
<h2 class="wprm-popup-modal__title" id="wprm-popup-modal-user-rating-title">
Rate This Recipe </h2>
<button class="wprm-popup-modal__close" aria-label="Close" data-micromodal-close></button>
</header>
<div class="wprm-popup-modal__content" id="wprm-popup-modal-user-rating-content">
<form id="wprm-user-ratings-modal-stars-form" onsubmit="window.WPRecipeMaker.userRatingModal.submit( this ); return false;">
<div class="wprm-user-ratings-modal-recipe-name"></div>
<div class="wprm-user-ratings-modal-stars-container">
<fieldset class="wprm-user-ratings-modal-stars">
<legend>Your vote:</legend>
<input aria-label="Don't rate this recipe" name="wprm-user-rating-stars" value="0" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="margin-left: -31px !important; width: 34px !important; height: 34px !important;" checked="checked"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-0" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
</defs>
<use xlink:href="#wprm-modal-star-empty-0" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 1 out of 5 stars" name="wprm-user-rating-stars" value="1" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-1" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-1" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-1" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 2 out of 5 stars" name="wprm-user-rating-stars" value="2" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-2" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-2" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-2" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-2" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 3 out of 5 stars" name="wprm-user-rating-stars" value="3" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-3" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-3" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-3" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-3" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-3" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-3" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-3" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 4 out of 5 stars" name="wprm-user-rating-stars" value="4" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-4" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-4" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-4" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-4" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 5 out of 5 stars" name="wprm-user-rating-stars" value="5" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-5" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-5" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="119.14285714286" y="2.5714285714286" />
</svg></span> </fieldset>
</div>
<textarea name="wprm-user-rating-comment" class="wprm-user-rating-modal-comment" placeholder="We love getting a rating, but a review would be even better! Please consider leaving a comment to help us out..." oninput="window.WPRecipeMaker.userRatingModal.checkFields();" aria-label="Comment"></textarea>
<input type="hidden" name="wprm-user-rating-recipe-id" value="" />
<div class="wprm-user-rating-modal-comment-meta">
<div class="wprm-user-rating-modal-field">
<label for="wprm-user-rating-name">Name *</label>
<input type="text" id="wprm-user-rating-name" name="wprm-user-rating-name" value="" placeholder="" /> </div>
<div class="wprm-user-rating-modal-field">
<label for="wprm-user-rating-email">Email *</label>
<input type="email" id="wprm-user-rating-email" name="wprm-user-rating-email" value="" placeholder="" />
</div> </div>
<footer class="wprm-popup-modal__footer">
<button type="submit" class="wprm-popup-modal__btn wprm-user-rating-modal-submit-comment">Rate and Review Recipe</button>
<div id="wprm-user-rating-modal-errors">
<div id="wprm-user-rating-modal-error-rating">A rating is required</div>
<div id="wprm-user-rating-modal-error-name">A name is required</div>
<div id="wprm-user-rating-modal-error-email">An email is required</div>
</div>
<div id="wprm-user-rating-modal-waiting">
<div class="wprm-loader"></div>
</div>
</footer>
</form>
<div id="wprm-user-ratings-modal-message"></div> </div>
</div>
</div>
</div><div data-rocket-location-hash="3612bf872e60cdf1d08fe5b1e25c03fd" id="wprm-popup-modal-2" class="wprm-popup-modal wprm-popup-modal-user-rating-summary" data-type="user-rating-summary" aria-hidden="true">
<div class="wprm-popup-modal__overlay" tabindex="-1">
<div data-rocket-location-hash="8839b3749d0d201345a3caba0b85a947" class="wprm-popup-modal__container" role="dialog" aria-modal="true" aria-labelledby="wprm-popup-modal-2-title">
<header class="wprm-popup-modal__header">
<h2 class="wprm-popup-modal__title" id="wprm-popup-modal-2-title">
Recipe Ratings without Comment </h2>
<button class="wprm-popup-modal__close" aria-label="Close" data-micromodal-close></button>
</header>
<div class="wprm-popup-modal__content" id="wprm-popup-modal-2-content">
<div class="wprm-loader"></div>
<div class="wprm-popup-modal-user-rating-summary-ratings"></div>
<div class="wprm-popup-modal-user-rating-summary-error">Something went wrong. Please try again.</div> </div>
</div>
</div>
</div><script>!function(){"use strict";!function(e){if(-1===e.cookie.indexOf("__adblocker")){e.cookie="__adblocker=; expires=Thu, 01 Jan 1970 00:00:00 GMT; path=/";var t=new XMLHttpRequest;t.open("GET","https://ads.adthrive.com/abd/abd.js",!0),t.onreadystatechange=function(){if(XMLHttpRequest.DONE===t.readyState)if(200===t.status){var a=e.createElement("script");a.innerHTML=t.responseText,e.getElementsByTagName("head")[0].appendChild(a)}else{var n=new Date;n.setTime(n.getTime()+3e5),e.cookie="__adblocker=true; expires="+n.toUTCString()+"; path=/"}},t.send()}}(document)}();
</script><script type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">!function(){"use strict";var e;e=document,function(){var t,n;function r(){var t=e.createElement("script");t.src="https://cafemedia-com.videoplayerhub.com/galleryplayer.js",e.head.appendChild(t)}function a(){var t=e.cookie.match("(^|[^;]+)\\s*__adblocker\\s*=\\s*([^;]+)");return t&&t.pop()}function c(){clearInterval(n)}return{init:function(){var e;"true"===(t=a())?r():(e=0,n=setInterval((function(){100!==e&&"false"!==t||c(),"true"===t&&(r(),c()),t=a(),e++}),50))}}}().init()}();
</script><script type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1">var rocket_beacon_data = {"ajax_url":"https:\/\/thebigmansworld.com\/wp-admin\/admin-ajax.php","nonce":"3990ebdab4","url":"https:\/\/thebigmansworld.com\/coconut-cake","is_mobile":false,"width_threshold":1600,"height_threshold":700,"delay":500,"debug":null,"status":{"atf":false,"lrc":true},"elements":"img, video, picture, p, main, div, li, svg, section, header, span","lrc_threshold":1800}</script><script data-name="wpr-wpr-beacon" src="https://thebigmansworld.com/wp-content/plugins/wp-rocket/assets/js/wpr-beacon.min.js" async type="pmdelayedscript" data-cfasync="false" data-no-optimize="1" data-no-defer="1" data-no-minify="1" data-rocketlazyloadscript="1"></script><script id="perfmatters-delayed-scripts-js">(function(){window.pmDC=0;window.pmDT=10;if(window.pmDT){var e=setTimeout(d,window.pmDT*1e3)}const t=["keydown","mousedown","mousemove","wheel","touchmove","touchstart","touchend"];const n={normal:[],defer:[],async:[]};const o=[];const i=[];var r=false;var a="";window.pmIsClickPending=false;t.forEach(function(e){window.addEventListener(e,d,{passive:true})});if(window.pmDC){window.addEventListener("touchstart",b,{passive:true});window.addEventListener("mousedown",b)}function d(){if(typeof e!=="undefined"){clearTimeout(e)}t.forEach(function(e){window.removeEventListener(e,d,{passive:true})});if(document.readyState==="loading"){document.addEventListener("DOMContentLoaded",s)}else{s()}}async function s(){c();u();f();m();await w(n.normal);await w(n.defer);await w(n.async);await p();document.querySelectorAll("link[data-pmdelayedstyle]").forEach(function(e){e.setAttribute("href",e.getAttribute("data-pmdelayedstyle"))});window.dispatchEvent(new Event("perfmatters-allScriptsLoaded")),E().then(()=>{h()})}function c(){let o={};function e(t,e){function n(e){return o[t].delayedEvents.indexOf(e)>=0?"perfmatters-"+e:e}if(!o[t]){o[t]={originalFunctions:{add:t.addEventListener,remove:t.removeEventListener},delayedEvents:[]};t.addEventListener=function(){arguments[0]=n(arguments[0]);o[t].originalFunctions.add.apply(t,arguments)};t.removeEventListener=function(){arguments[0]=n(arguments[0]);o[t].originalFunctions.remove.apply(t,arguments)}}o[t].delayedEvents.push(e)}function t(t,n){const e=t[n];Object.defineProperty(t,n,{get:!e?function(){}:e,set:function(e){t["perfmatters"+n]=e}})}e(document,"DOMContentLoaded");e(window,"DOMContentLoaded");e(window,"load");e(document,"readystatechange");t(document,"onreadystatechange");t(window,"onload")}function u(){let n=window.jQuery;Object.defineProperty(window,"jQuery",{get(){return n},set(t){if(t&&t.fn&&!o.includes(t)){t.fn.ready=t.fn.init.prototype.ready=function(e){if(r){e.bind(document)(t)}else{document.addEventListener("perfmatters-DOMContentLoaded",function(){e.bind(document)(t)})}};const e=t.fn.on;t.fn.on=t.fn.init.prototype.on=function(){if(this[0]===window){function t(e){e=e.split(" ");e=e.map(function(e){if(e==="load"||e.indexOf("load.")===0){return"perfmatters-jquery-load"}else{return e}});e=e.join(" ");return e}if(typeof arguments[0]=="string"||arguments[0]instanceof String){arguments[0]=t(arguments[0])}else if(typeof arguments[0]=="object"){Object.keys(arguments[0]).forEach(function(e){delete Object.assign(arguments[0],{[t(e)]:arguments[0][e]})[e]})}}return e.apply(this,arguments),this};o.push(t)}n=t}})}function f(){document.querySelectorAll("script[type=pmdelayedscript]").forEach(function(e){if(e.hasAttribute("src")){if(e.hasAttribute("defer")&&e.defer!==false){n.defer.push(e)}else if(e.hasAttribute("async")&&e.async!==false){n.async.push(e)}else{n.normal.push(e)}}else{n.normal.push(e)}})}function m(){var o=document.createDocumentFragment();[...n.normal,...n.defer,...n.async].forEach(function(e){var t=e.getAttribute("src");if(t){var n=document.createElement("link");n.href=t;if(e.getAttribute("data-perfmatters-type")=="module"){n.rel="modulepreload"}else{n.rel="preload";n.as="script"}o.appendChild(n)}});document.head.appendChild(o)}async function w(e){var t=e.shift();if(t){await l(t);return w(e)}return Promise.resolve()}async function l(t){await v();return new Promise(function(e){const n=document.createElement("script");[...t.attributes].forEach(function(e){let t=e.nodeName;if(t!=="type"){if(t==="data-perfmatters-type"){t="type"}n.setAttribute(t,e.nodeValue)}});if(t.hasAttribute("src")){n.addEventListener("load",e);n.addEventListener("error",e)}else{n.text=t.text;e()}t.parentNode.replaceChild(n,t)})}async function p(){r=true;await v();document.dispatchEvent(new Event("perfmatters-DOMContentLoaded"));await v();window.dispatchEvent(new Event("perfmatters-DOMContentLoaded"));await v();document.dispatchEvent(new Event("perfmatters-readystatechange"));await v();if(document.perfmattersonreadystatechange){document.perfmattersonreadystatechange()}await v();window.dispatchEvent(new Event("perfmatters-load"));await v();if(window.perfmattersonload){window.perfmattersonload()}await v();o.forEach(function(e){e(window).trigger("perfmatters-jquery-load")})}async function v(){return new Promise(function(e){requestAnimationFrame(e)})}function h(){window.removeEventListener("touchstart",b,{passive:true});window.removeEventListener("mousedown",b);i.forEach(e=>{if(e.target.outerHTML===a){e.target.dispatchEvent(new MouseEvent("click",{view:e.view,bubbles:true,cancelable:true}))}})}function E(){return new Promise(e=>{window.pmIsClickPending?g=e:e()})}function y(){window.pmIsClickPending=true}function g(){window.pmIsClickPending=false}function L(e){e.target.removeEventListener("click",L);C(e.target,"pm-onclick","onclick");i.push(e),e.preventDefault();e.stopPropagation();e.stopImmediatePropagation();g()}function b(e){if(e.target.tagName!=="HTML"){if(!a){a=e.target.outerHTML}window.addEventListener("touchend",A);window.addEventListener("mouseup",A);window.addEventListener("touchmove",k,{passive:true});window.addEventListener("mousemove",k);e.target.addEventListener("click",L);C(e.target,"onclick","pm-onclick");y()}}function k(e){window.removeEventListener("touchend",A);window.removeEventListener("mouseup",A);window.removeEventListener("touchmove",k,{passive:true});window.removeEventListener("mousemove",k);e.target.removeEventListener("click",L);C(e.target,"pm-onclick","onclick");g()}function A(e){window.removeEventListener("touchend",A);window.removeEventListener("mouseup",A);window.removeEventListener("touchmove",k,{passive:true});window.removeEventListener("mousemove",k)}function C(e,t,n){if(e.hasAttribute&&e.hasAttribute(t)){event.target.setAttribute(n,event.target.getAttribute(t));event.target.removeAttribute(t)}}})();</script><script defer src="https://static.cloudflareinsights.com/beacon.min.js/vcd15cbe7772f49c399c6a5babf22c1241717689176015" integrity="sha512-ZpsOmlRQV6y907TI0dKBHq9Md29nnaEIPlkf84rnaERnq6zvWvPUqr2ft8M1aS28oN72PdrCzSjY4U6VaAw1EQ==" data-cf-beacon='{"rayId":"93a3113acea42ffc","serverTiming":{"name":{"cfExtPri":true,"cfL4":true,"cfSpeedBrain":true,"cfCacheStatus":true}},"version":"2025.4.0-1-g37f21b1","token":"e94a53d306d84a1da1436edf74dfcc6c"}' crossorigin="anonymous"></script>
</body></html>
<!-- This website is like a Rocket, isn't it? Performance optimized by WP Rocket. Learn more: https://wp-rocket.me -->
|