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
|
<!DOCTYPE html>
<html lang="en-US">
<head><meta charset="UTF-8"><script>if(navigator.userAgent.match(/MSIE|Internet Explorer/i)||navigator.userAgent.match(/Trident\/7\..*?rv:11/i)){var href=document.location.href;if(!href.match(/[?&]nowprocket/)){if(href.indexOf("?")==-1){if(href.indexOf("#")==-1){document.location.href=href+"?nowprocket=1"}else{document.location.href=href.replace("#","?nowprocket=1#")}}else{if(href.indexOf("#")==-1){document.location.href=href+"&nowprocket=1"}else{document.location.href=href.replace("#","&nowprocket=1#")}}}}</script><script>(()=>{class RocketLazyLoadScripts{constructor(){this.v="2.0.3",this.userEvents=["keydown","keyup","mousedown","mouseup","mousemove","mouseover","mouseenter","mouseout","mouseleave","touchmove","touchstart","touchend","touchcancel","wheel","click","dblclick","input","visibilitychange"],this.attributeEvents=["onblur","onclick","oncontextmenu","ondblclick","onfocus","onmousedown","onmouseenter","onmouseleave","onmousemove","onmouseout","onmouseover","onmouseup","onmousewheel","onscroll","onsubmit"]}async t(){this.i(),this.o(),/iP(ad|hone)/.test(navigator.userAgent)&&this.h(),this.u(),this.l(this),this.m(),this.k(this),this.p(this),this._(),await Promise.all([this.R(),this.L()]),this.lastBreath=Date.now(),this.S(this),this.P(),this.D(),this.O(),this.M(),await this.C(this.delayedScripts.normal),await this.C(this.delayedScripts.defer),await this.C(this.delayedScripts.async),this.F("domReady"),await this.T(),await this.j(),await this.I(),this.F("windowLoad"),await this.A(),window.dispatchEvent(new Event("rocket-allScriptsLoaded")),this.everythingLoaded=!0,this.lastTouchEnd&&await new Promise((t=>setTimeout(t,500-Date.now()+this.lastTouchEnd))),this.H(),this.F("all"),this.U(),this.W()}i(){this.CSPIssue=sessionStorage.getItem("rocketCSPIssue"),document.addEventListener("securitypolicyviolation",(t=>{this.CSPIssue||"script-src-elem"!==t.violatedDirective||"data"!==t.blockedURI||(this.CSPIssue=!0,sessionStorage.setItem("rocketCSPIssue",!0))}),{isRocket:!0})}o(){window.addEventListener("pageshow",(t=>{this.persisted=t.persisted,this.realWindowLoadedFired=!0}),{isRocket:!0}),window.addEventListener("pagehide",(()=>{this.onFirstUserAction=null}),{isRocket:!0})}h(){let t;function e(e){t=e}window.addEventListener("touchstart",e,{isRocket:!0}),window.addEventListener("touchend",(function i(o){Math.abs(o.changedTouches[0].pageX-t.changedTouches[0].pageX)<10&&Math.abs(o.changedTouches[0].pageY-t.changedTouches[0].pageY)<10&&o.timeStamp-t.timeStamp<200&&(o.target.dispatchEvent(new PointerEvent("click",{target:o.target,bubbles:!0,cancelable:!0,detail:1})),event.preventDefault(),window.removeEventListener("touchstart",e,{isRocket:!0}),window.removeEventListener("touchend",i,{isRocket:!0}))}),{isRocket:!0})}q(t){this.userActionTriggered||("mousemove"!==t.type||this.firstMousemoveIgnored?"keyup"===t.type||"mouseover"===t.type||"mouseout"===t.type||(this.userActionTriggered=!0,this.onFirstUserAction&&this.onFirstUserAction()):this.firstMousemoveIgnored=!0),"click"===t.type&&t.preventDefault(),this.savedUserEvents.length>0&&(t.stopPropagation(),t.stopImmediatePropagation()),"touchstart"===this.lastEvent&&"touchend"===t.type&&(this.lastTouchEnd=Date.now()),"click"===t.type&&(this.lastTouchEnd=0),this.lastEvent=t.type,this.savedUserEvents.push(t)}u(){this.savedUserEvents=[],this.userEventHandler=this.q.bind(this),this.userEvents.forEach((t=>window.addEventListener(t,this.userEventHandler,{passive:!1,isRocket:!0})))}U(){this.userEvents.forEach((t=>window.removeEventListener(t,this.userEventHandler,{passive:!1,isRocket:!0}))),this.savedUserEvents.forEach((t=>{t.target.dispatchEvent(new window[t.constructor.name](t.type,t))}))}m(){this.eventsMutationObserver=new MutationObserver((t=>{const e="return false";for(const i of t){if("attributes"===i.type){const t=i.target.getAttribute(i.attributeName);t&&t!==e&&(i.target.setAttribute("data-rocket-"+i.attributeName,t),i.target["rocket"+i.attributeName]=new Function("event",t),i.target.setAttribute(i.attributeName,e))}"childList"===i.type&&i.addedNodes.forEach((t=>{if(t.nodeType===Node.ELEMENT_NODE)for(const i of t.attributes)this.attributeEvents.includes(i.name)&&i.value&&""!==i.value&&(t.setAttribute("data-rocket-"+i.name,i.value),t["rocket"+i.name]=new Function("event",i.value),t.setAttribute(i.name,e))}))}})),this.eventsMutationObserver.observe(document,{subtree:!0,childList:!0,attributeFilter:this.attributeEvents})}H(){this.eventsMutationObserver.disconnect(),this.attributeEvents.forEach((t=>{document.querySelectorAll("[data-rocket-"+t+"]").forEach((e=>{e.setAttribute(t,e.getAttribute("data-rocket-"+t)),e.removeAttribute("data-rocket-"+t)}))}))}k(t){Object.defineProperty(HTMLElement.prototype,"onclick",{get(){return this.rocketonclick||null},set(e){this.rocketonclick=e,this.setAttribute(t.everythingLoaded?"onclick":"data-rocket-onclick","this.rocketonclick(event)")}})}S(t){function e(e,i){let o=e[i];e[i]=null,Object.defineProperty(e,i,{get:()=>o,set(s){t.everythingLoaded?o=s:e["rocket"+i]=o=s}})}e(document,"onreadystatechange"),e(window,"onload"),e(window,"onpageshow");try{Object.defineProperty(document,"readyState",{get:()=>t.rocketReadyState,set(e){t.rocketReadyState=e},configurable:!0}),document.readyState="loading"}catch(t){console.log("WPRocket DJE readyState conflict, bypassing")}}l(t){this.originalAddEventListener=EventTarget.prototype.addEventListener,this.originalRemoveEventListener=EventTarget.prototype.removeEventListener,this.savedEventListeners=[],EventTarget.prototype.addEventListener=function(e,i,o){o&&o.isRocket||!t.B(e,this)&&!t.userEvents.includes(e)||t.B(e,this)&&!t.userActionTriggered||e.startsWith("rocket-")||t.everythingLoaded?t.originalAddEventListener.call(this,e,i,o):t.savedEventListeners.push({target:this,remove:!1,type:e,func:i,options:o})},EventTarget.prototype.removeEventListener=function(e,i,o){o&&o.isRocket||!t.B(e,this)&&!t.userEvents.includes(e)||t.B(e,this)&&!t.userActionTriggered||e.startsWith("rocket-")||t.everythingLoaded?t.originalRemoveEventListener.call(this,e,i,o):t.savedEventListeners.push({target:this,remove:!0,type:e,func:i,options:o})}}F(t){"all"===t&&(EventTarget.prototype.addEventListener=this.originalAddEventListener,EventTarget.prototype.removeEventListener=this.originalRemoveEventListener),this.savedEventListeners=this.savedEventListeners.filter((e=>{let i=e.type,o=e.target||window;return"domReady"===t&&"DOMContentLoaded"!==i&&"readystatechange"!==i||("windowLoad"===t&&"load"!==i&&"readystatechange"!==i&&"pageshow"!==i||(this.B(i,o)&&(i="rocket-"+i),e.remove?o.removeEventListener(i,e.func,e.options):o.addEventListener(i,e.func,e.options),!1))}))}p(t){let e;function i(e){return t.everythingLoaded?e:e.split(" ").map((t=>"load"===t||t.startsWith("load.")?"rocket-jquery-load":t)).join(" ")}function o(o){function s(e){const s=o.fn[e];o.fn[e]=o.fn.init.prototype[e]=function(){return this[0]===window&&t.userActionTriggered&&("string"==typeof arguments[0]||arguments[0]instanceof String?arguments[0]=i(arguments[0]):"object"==typeof arguments[0]&&Object.keys(arguments[0]).forEach((t=>{const e=arguments[0][t];delete arguments[0][t],arguments[0][i(t)]=e}))),s.apply(this,arguments),this}}if(o&&o.fn&&!t.allJQueries.includes(o)){const e={DOMContentLoaded:[],"rocket-DOMContentLoaded":[]};for(const t in e)document.addEventListener(t,(()=>{e[t].forEach((t=>t()))}),{isRocket:!0});o.fn.ready=o.fn.init.prototype.ready=function(i){function s(){parseInt(o.fn.jquery)>2?setTimeout((()=>i.bind(document)(o))):i.bind(document)(o)}return t.realDomReadyFired?!t.userActionTriggered||t.fauxDomReadyFired?s():e["rocket-DOMContentLoaded"].push(s):e.DOMContentLoaded.push(s),o([])},s("on"),s("one"),s("off"),t.allJQueries.push(o)}e=o}t.allJQueries=[],o(window.jQuery),Object.defineProperty(window,"jQuery",{get:()=>e,set(t){o(t)}})}P(){const t=new Map;document.write=document.writeln=function(e){const i=document.currentScript,o=document.createRange(),s=i.parentElement;let n=t.get(i);void 0===n&&(n=i.nextSibling,t.set(i,n));const c=document.createDocumentFragment();o.setStart(c,0),c.appendChild(o.createContextualFragment(e)),s.insertBefore(c,n)}}async R(){return new Promise((t=>{this.userActionTriggered?t():this.onFirstUserAction=t}))}async L(){return new Promise((t=>{document.addEventListener("DOMContentLoaded",(()=>{this.realDomReadyFired=!0,t()}),{isRocket:!0})}))}async I(){return this.realWindowLoadedFired?Promise.resolve():new Promise((t=>{window.addEventListener("load",t,{isRocket:!0})}))}M(){this.pendingScripts=[];this.scriptsMutationObserver=new MutationObserver((t=>{for(const e of t)e.addedNodes.forEach((t=>{"SCRIPT"!==t.tagName||t.noModule||t.isWPRocket||this.pendingScripts.push({script:t,promise:new Promise((e=>{const i=()=>{const i=this.pendingScripts.findIndex((e=>e.script===t));i>=0&&this.pendingScripts.splice(i,1),e()};t.addEventListener("load",i,{isRocket:!0}),t.addEventListener("error",i,{isRocket:!0}),setTimeout(i,1e3)}))})}))})),this.scriptsMutationObserver.observe(document,{childList:!0,subtree:!0})}async j(){await this.J(),this.pendingScripts.length?(await this.pendingScripts[0].promise,await this.j()):this.scriptsMutationObserver.disconnect()}D(){this.delayedScripts={normal:[],async:[],defer:[]},document.querySelectorAll("script[type$=rocketlazyloadscript]").forEach((t=>{t.hasAttribute("data-rocket-src")?t.hasAttribute("async")&&!1!==t.async?this.delayedScripts.async.push(t):t.hasAttribute("defer")&&!1!==t.defer||"module"===t.getAttribute("data-rocket-type")?this.delayedScripts.defer.push(t):this.delayedScripts.normal.push(t):this.delayedScripts.normal.push(t)}))}async _(){await this.L();let t=[];document.querySelectorAll("script[type$=rocketlazyloadscript][data-rocket-src]").forEach((e=>{let i=e.getAttribute("data-rocket-src");if(i&&!i.startsWith("data:")){i.startsWith("//")&&(i=location.protocol+i);try{const o=new URL(i).origin;o!==location.origin&&t.push({src:o,crossOrigin:e.crossOrigin||"module"===e.getAttribute("data-rocket-type")})}catch(t){}}})),t=[...new Map(t.map((t=>[JSON.stringify(t),t]))).values()],this.N(t,"preconnect")}async $(t){if(await this.G(),!0!==t.noModule||!("noModule"in HTMLScriptElement.prototype))return new Promise((e=>{let i;function o(){(i||t).setAttribute("data-rocket-status","executed"),e()}try{if(navigator.userAgent.includes("Firefox/")||""===navigator.vendor||this.CSPIssue)i=document.createElement("script"),[...t.attributes].forEach((t=>{let e=t.nodeName;"type"!==e&&("data-rocket-type"===e&&(e="type"),"data-rocket-src"===e&&(e="src"),i.setAttribute(e,t.nodeValue))})),t.text&&(i.text=t.text),t.nonce&&(i.nonce=t.nonce),i.hasAttribute("src")?(i.addEventListener("load",o,{isRocket:!0}),i.addEventListener("error",(()=>{i.setAttribute("data-rocket-status","failed-network"),e()}),{isRocket:!0}),setTimeout((()=>{i.isConnected||e()}),1)):(i.text=t.text,o()),i.isWPRocket=!0,t.parentNode.replaceChild(i,t);else{const i=t.getAttribute("data-rocket-type"),s=t.getAttribute("data-rocket-src");i?(t.type=i,t.removeAttribute("data-rocket-type")):t.removeAttribute("type"),t.addEventListener("load",o,{isRocket:!0}),t.addEventListener("error",(i=>{this.CSPIssue&&i.target.src.startsWith("data:")?(console.log("WPRocket: CSP fallback activated"),t.removeAttribute("src"),this.$(t).then(e)):(t.setAttribute("data-rocket-status","failed-network"),e())}),{isRocket:!0}),s?(t.fetchPriority="high",t.removeAttribute("data-rocket-src"),t.src=s):t.src="data:text/javascript;base64,"+window.btoa(unescape(encodeURIComponent(t.text)))}}catch(i){t.setAttribute("data-rocket-status","failed-transform"),e()}}));t.setAttribute("data-rocket-status","skipped")}async C(t){const e=t.shift();return e?(e.isConnected&&await this.$(e),this.C(t)):Promise.resolve()}O(){this.N([...this.delayedScripts.normal,...this.delayedScripts.defer,...this.delayedScripts.async],"preload")}N(t,e){this.trash=this.trash||[];let i=!0;var o=document.createDocumentFragment();t.forEach((t=>{const s=t.getAttribute&&t.getAttribute("data-rocket-src")||t.src;if(s&&!s.startsWith("data:")){const n=document.createElement("link");n.href=s,n.rel=e,"preconnect"!==e&&(n.as="script",n.fetchPriority=i?"high":"low"),t.getAttribute&&"module"===t.getAttribute("data-rocket-type")&&(n.crossOrigin=!0),t.crossOrigin&&(n.crossOrigin=t.crossOrigin),t.integrity&&(n.integrity=t.integrity),t.nonce&&(n.nonce=t.nonce),o.appendChild(n),this.trash.push(n),i=!1}})),document.head.appendChild(o)}W(){this.trash.forEach((t=>t.remove()))}async T(){try{document.readyState="interactive"}catch(t){}this.fauxDomReadyFired=!0;try{await this.G(),document.dispatchEvent(new Event("rocket-readystatechange")),await this.G(),document.rocketonreadystatechange&&document.rocketonreadystatechange(),await this.G(),document.dispatchEvent(new Event("rocket-DOMContentLoaded")),await this.G(),window.dispatchEvent(new Event("rocket-DOMContentLoaded"))}catch(t){console.error(t)}}async A(){try{document.readyState="complete"}catch(t){}try{await this.G(),document.dispatchEvent(new Event("rocket-readystatechange")),await this.G(),document.rocketonreadystatechange&&document.rocketonreadystatechange(),await this.G(),window.dispatchEvent(new Event("rocket-load")),await this.G(),window.rocketonload&&window.rocketonload(),await this.G(),this.allJQueries.forEach((t=>t(window).trigger("rocket-jquery-load"))),await this.G();const t=new Event("rocket-pageshow");t.persisted=this.persisted,window.dispatchEvent(t),await this.G(),window.rocketonpageshow&&window.rocketonpageshow({persisted:this.persisted})}catch(t){console.error(t)}}async G(){Date.now()-this.lastBreath>45&&(await this.J(),this.lastBreath=Date.now())}async J(){return document.hidden?new Promise((t=>setTimeout(t))):new Promise((t=>requestAnimationFrame(t)))}B(t,e){return e===document&&"readystatechange"===t||(e===document&&"DOMContentLoaded"===t||(e===window&&"DOMContentLoaded"===t||(e===window&&"load"===t||e===window&&"pageshow"===t)))}static run(){(new RocketLazyLoadScripts).t()}}RocketLazyLoadScripts.run()})();</script>
<meta name="viewport" content="initial-scale=1.0,width=device-width,shrink-to-fit=no" />
<meta http-equiv="X-UA-Compatible" content="IE=edge" />
<link rel="profile" href="http://gmpg.org/xfn/11" />
<link rel="preconnect" href="https://use.typekit.net" />
<link rel="preload" href="https://use.typekit.net/af/6112b4/000000000000000077359fb0/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i6&v=3" as="font" type="font/woff2" crossorigin>
<link rel="preload" href="https://use.typekit.net/af/19483f/000000000000000077359f9f/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i4&v=3" as="font" type="font/woff2" crossorigin>
<link rel="preload" href="https://use.typekit.net/af/c9d9e8/000000000000000077359f97/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3" as="font" type="font/woff2" crossorigin>
<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-chewoutloud-lm-20","excludeNetworks":["raptive"],"excludeDestinations":["cj"],"enableAnalytics":true,"pluginVersion":"1.1.6"}</script>
<script type="rocketlazyloadscript" async referrerpolicy="no-referrer-when-downgrade" data-no-optimize="1" data-cfasync="false" data-rocket-src="https://affiliate-cdn.raptive.com/affiliate.mvp.min.js">
</script>
<meta name='robots' content='index, follow, max-image-preview:large, max-snippet:-1, max-video-preview:-1' />
<style></style>
<style data-no-optimize="1" data-cfasync="false"></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":true,"targeting":[{"value":"59307d4da5f81232b462bc49","key":"siteId"},{"value":"6233884de7a511708872327c","key":"organizationId"},{"value":"Chew Out Loud","key":"siteName"},{"value":"AdThrive Edge","key":"service"},{"value":"on","key":"bidding"},{"value":["Food"],"key":"verticals"}],"siteUrl":"http://chewoutloud.com","siteId":"59307d4da5f81232b462bc49","siteName":"Chew Out Loud","breakpoints":{"tablet":900,"desktop":1024},"cloudflare":{"version":"60dd22b"},"adUnits":[{"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","skip":0,"classNames":["widget"],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":".site-wide-cta, .footer-widgets, .cta, #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":["desktop","tablet","phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.home","spacing":1,"max":4,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"div.bodysection","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":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["desktop","tablet","phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.home:not(.genesis-breadcrumbs-hidden)","spacing":0,"max":6,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"#body > div","skip":1,"classNames":[],"position":"afterend","every":4,"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","desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.home","spacing":0,"max":6,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".content article","skip":0,"classNames":[],"position":"afterend","every":4,"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.home","spacing":0,"max":6,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".content article","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":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["desktop","tablet","phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.category","spacing":0,"max":6,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".container > h2","skip":0,"classNames":[],"position":"beforebegin","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":["desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":1,"max":4,"lazyMax":95,"enable":true,"lazy":true,"elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3), .blogher_content *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","skip":2,"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, body.page","spacing":0.6,"max":6,"lazyMax":93,"enable":true,"lazy":true,"elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3), .blogher_content *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","skip":2,"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, body.page","spacing":0.85,"max":4,"lazyMax":95,"enable":true,"lazy":true,"elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3), .blogher_content *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","skip":2,"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","desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.category","spacing":0,"max":6,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".content article","skip":5,"classNames":[],"position":"afterend","every":6,"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.category","spacing":1.5,"max":4,"lazyMax":2,"enable":true,"lazy":true,"elementSelector":".content article","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":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.7,"max":0,"lazyMax":10,"enable":true,"lazy":true,"elementSelector":".content .entry-content, .commentsection > * > li, .commentlist > *","skip":0,"classNames":[],"position":"beforeend","every":1,"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","desktop","phone"],"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":null,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["desktop","tablet"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0.6,"max":2,"lazyMax":7,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes span, .wprm-recipe-notes p","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":"","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":null,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0.9,"max":1,"lazyMax":8,"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":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","tablet","phone"],"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":[[1,1],[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-footer-ad","skip":0,"classNames":[],"position":"beforebegin","every":1,"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"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0.6,"max":2,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".tasty-recipes-ingredients li, .tasty-recipes-instructions li, .tasty-recipes-container > *","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":3,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone","tablet"],"name":"Recipe_3","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".tasty-recipes-ingredients","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":null,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","phone"],"name":"Recipe","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".tasty-recipes-instructions","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":["phone","tablet"],"name":"Recipe_2","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":0,"lazyMax":1,"enable":true,"lazy":true,"elementSelector":".tasty-recipes-instructions","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":-102,"autosize":true}],"adDensityLayout":{"mobile":{"adDensity":0.2,"onePerViewport":false},"pageOverrides":[{"mobile":{"adDensity":0.2,"onePerViewport":true},"note":null,"pageSelector":"body.category","desktop":{"adDensity":0.3,"onePerViewport":false}},{"mobile":{"adDensity":0.3,"onePerViewport":false},"note":null,"pageSelector":"body.home","desktop":{"adDensity":0.3,"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":true,"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":true,"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":["body:not(.adthrive-device-phone)"],"stickyHeaderSelectors":[],"content":{"minHeight":300,"enabled":true},"recipeMobile":{"minHeight":null,"enabled":false}},"sonobi":true,"yieldmo":true,"footerSelector":"","amazonUAM":true,"gamMCMEnabled":true,"gamMCMChildNetworkCode":"109655481","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","cbd","cosm","dat","gamc","gamv","pol","rel","sst","ssr","srh","ske","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"],"inImage":false,"usCMP":{"enabled":false,"regions":[]},"advancePlaylist":true,"flipp":true,"delayLoading":false,"inImageZone":null,"appNexus":true,"rise":true,"liveRampId":"","infiniteScrollRefresh":false,"indexExchange":true},"siteAdsProfiles":[],"videoPlayers":{"contextual":{"autoplayCollapsibleEnabled":true,"overrideEmbedLocation":false,"defaultPlayerType":"static"},"videoEmbed":"wordpress","footerSelector":"","contentSpecificPlaylists":[],"players":[{"devices":["desktop","mobile"],"description":"","id":4056388,"title":"Stationary related player - desktop and mobile","type":"stationaryRelated","enabled":true,"playerId":"yXjPeof2"},{"playlistId":"","pageSelector":"","devices":["desktop"],"description":"","skip":2,"title":"","type":"stickyRelated","enabled":true,"elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","id":4056389,"position":"afterend","saveVideoCloseState":false,"shuffle":false,"mobileHeaderSelector":null,"playerId":"yXjPeof2"},{"playlistId":"","pageSelector":"","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":2,"title":"","type":"stickyRelated","enabled":true,"elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","id":4056390,"position":"afterend","saveVideoCloseState":false,"shuffle":false,"mobileHeaderSelector":"","playerId":"yXjPeof2"},{"playlistId":"ifczYHvZ","pageSelector":"body.single, body.page","devices":["desktop"],"description":"","skip":2,"title":"OUR LATEST VIDEOS","type":"stickyPlaylist","enabled":true,"footerSelector":"","elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","id":4056391,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":null,"playerId":"YZ4rCLwp","isCompleted":true},{"playlistId":"ifczYHvZ","pageSelector":"body.single, body.page","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":2,"title":"OUR LATEST VIDEOS","type":"stickyPlaylist","enabled":true,"footerSelector":"","elementSelector":".maincol-a > *:not(.tasty-recipes):not(.tasty-recipes+div):not(h2):not(h3)","id":4056392,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":"","playerId":"YZ4rCLwp","isCompleted":true}],"partners":{"theTradeDesk":true,"unruly":true,"mediaGrid":true,"undertone":true,"gumgum":true,"adform":true,"pmp":true,"kargo":true,"thirtyThreeAcross":true,"stickyOutstream":{"desktop":{"enabled":true},"blockedPageSelectors":"","mobileLocation":"bottom-left","allowOnHomepage":true,"mobile":{"enabled":true},"saveVideoCloseState":false,"mobileHeaderSelector":"#header-a","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.4';
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/59307d4da5f81232b462bc49/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>Lemon Garlic Swordfish Recipe | Chew Out Loud</title><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/c9d9e8/000000000000000077359f97/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/19483f/000000000000000077359f9f/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i4&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/5b2861/000000000000000077359fad/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/6112b4/000000000000000077359fb0/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i6&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/be1794/00000000000000003b9acb45/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/1b8691/00000000000000003b9acb3d/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n3&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/d819ed/00000000000000003b9acb3e/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i3&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/cc64d9/00000000000000003b9acb41/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n5&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://use.typekit.net/af/2acd47/00000000000000003b9acb43/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3" crossorigin><link rel="preload" data-rocket-preload as="font" href="https://www.chewoutloud.com/wp-content/themes/col2021/MyFontsWebfontsKit/webFonts/NorthAvellionRegular/font.woff2" crossorigin><style id="wpr-usedcss">img:is([sizes=auto i],[sizes^="auto," i]){contain-intrinsic-size:3000px 1500px}.adthrive-ad{margin-top:10px;margin-bottom:10px;text-align:center;overflow-x:visible;clear:both;line-height:0}body.category.adthrive-device-desktop .adthrive-content,body.category.adthrive-device-tablet .adthrive-content{margin-bottom:30px!important}@media print{.tasty-recipes-print-view .adthrive-ad{display:none}}.adthrive-device-desktop .adthrive-recipe,.adthrive-device-tablet .adthrive-recipe{float:right;clear:right;margin-left:10px}.adthrive-sidebar.adthrive-stuck{margin-top:105px}.adthrive-collapse-mobile-background{background-color:#fff!important}.adthrive-top-collapse-close svg>*{stroke:black!important}.adthrive-device-phone .adthrive-native-recipe{margin-left:-.3125em!important}.adthrive-sidebar.adthrive-stuck{margin-top:100px}.adthrive-sticky-sidebar>div{top:100px!important}body.wprm-print .adthrive-sidebar{right:50px;min-width:250px;max-width:320px}body.wprm-print .adthrive-sidebar:not(.adthrive-stuck){position:absolute;top:345px}@media screen and (max-width:1299px){body.wprm-print.adthrive-device-desktop .wprm-recipe{margin-left:25px;max-width:650px}}img.emoji{display:inline!important;border:none!important;box-shadow:none!important;height:1em!important;width:1em!important;margin:0 .07em!important;vertical-align:-.1em!important;background:0 0!important;padding:0!important}:where(.wp-block-button__link){border-radius:9999px;box-shadow:none;padding:calc(.667em + 2px) calc(1.333em + 2px);text-decoration:none}:root :where(.wp-block-button .wp-block-button__link.is-style-outline),:root :where(.wp-block-button.is-style-outline>.wp-block-button__link){border:2px solid;padding:.667em 1.333em}:root :where(.wp-block-button .wp-block-button__link.is-style-outline:not(.has-text-color)),:root :where(.wp-block-button.is-style-outline>.wp-block-button__link:not(.has-text-color)){color:currentColor}:root :where(.wp-block-button .wp-block-button__link.is-style-outline:not(.has-background)),:root :where(.wp-block-button.is-style-outline>.wp-block-button__link:not(.has-background)){background-color:initial;background-image:none}:where(.wp-block-calendar table:not(.has-background) th){background:#ddd}:where(.wp-block-columns){margin-bottom:1.75em}:where(.wp-block-columns.has-background){padding:1.25em 2.375em}:where(.wp-block-post-comments input[type=submit]){border:none}:where(.wp-block-cover-image:not(.has-text-color)),:where(.wp-block-cover:not(.has-text-color)){color:#fff}:where(.wp-block-cover-image.is-light:not(.has-text-color)),:where(.wp-block-cover.is-light:not(.has-text-color)){color:#000}:root :where(.wp-block-cover h1:not(.has-text-color)),:root :where(.wp-block-cover h2:not(.has-text-color)),:root :where(.wp-block-cover h3:not(.has-text-color)),:root :where(.wp-block-cover h4:not(.has-text-color)),:root :where(.wp-block-cover h5:not(.has-text-color)),:root :where(.wp-block-cover h6:not(.has-text-color)),:root :where(.wp-block-cover p:not(.has-text-color)){color:inherit}:where(.wp-block-file){margin-bottom:1.5em}:where(.wp-block-file__button){border-radius:2em;display:inline-block;padding:.5em 1em}:where(.wp-block-file__button):is(a):active,:where(.wp-block-file__button):is(a):focus,:where(.wp-block-file__button):is(a):hover,:where(.wp-block-file__button):is(a):visited{box-shadow:none;color:#fff;opacity:.85;text-decoration:none}:where(.wp-block-group.wp-block-group-is-layout-constrained){position:relative}.wp-block-image>a,.wp-block-image>figure>a{display:inline-block}.wp-block-image img{box-sizing:border-box;height:auto;max-width:100%;vertical-align:bottom}@media not (prefers-reduced-motion){.wp-block-image img.hide{visibility:hidden}.wp-block-image img.show{animation:.4s show-content-image}}.wp-block-image[style*=border-radius] img,.wp-block-image[style*=border-radius]>a{border-radius:inherit}.wp-block-image.aligncenter{text-align:center}.wp-block-image .aligncenter,.wp-block-image.aligncenter{display:table}.wp-block-image .aligncenter>figcaption,.wp-block-image.aligncenter>figcaption{caption-side:bottom;display:table-caption}.wp-block-image .aligncenter{margin-left:auto;margin-right:auto}.wp-block-image :where(figcaption){margin-bottom:1em;margin-top:.5em}:root :where(.wp-block-image.is-style-rounded img,.wp-block-image .is-style-rounded img){border-radius:9999px}.wp-block-image figure{margin:0}@keyframes show-content-image{0%{visibility:hidden}99%{visibility:hidden}to{visibility:visible}}:where(.wp-block-latest-comments:not([style*=line-height] .wp-block-latest-comments__comment)){line-height:1.1}:where(.wp-block-latest-comments:not([style*=line-height] .wp-block-latest-comments__comment-excerpt p)){line-height:1.8}:root :where(.wp-block-latest-posts.is-grid){padding:0}:root :where(.wp-block-latest-posts.wp-block-latest-posts__list){padding-left:0}ol,ul{box-sizing:border-box}:root :where(.wp-block-list.has-background){padding:1.25em 2.375em}:where(.wp-block-navigation.has-background .wp-block-navigation-item a:not(.wp-element-button)),:where(.wp-block-navigation.has-background .wp-block-navigation-submenu a:not(.wp-element-button)){padding:.5em 1em}:where(.wp-block-navigation .wp-block-navigation__submenu-container .wp-block-navigation-item a:not(.wp-element-button)),:where(.wp-block-navigation .wp-block-navigation__submenu-container .wp-block-navigation-submenu a:not(.wp-element-button)),:where(.wp-block-navigation .wp-block-navigation__submenu-container .wp-block-navigation-submenu button.wp-block-navigation-item__content),:where(.wp-block-navigation .wp-block-navigation__submenu-container .wp-block-pages-list__item button.wp-block-navigation-item__content){padding:.5em 1em}:root :where(p.has-background){padding:1.25em 2.375em}:where(p.has-text-color:not(.has-link-color)) a{color:inherit}:where(.wp-block-post-comments-form) input:not([type=submit]),:where(.wp-block-post-comments-form) textarea{border:1px solid #949494;font-family:inherit;font-size:1em}:where(.wp-block-post-comments-form) input:where(:not([type=submit]):not([type=checkbox])),:where(.wp-block-post-comments-form) textarea{padding:calc(.667em + 2px)}:where(.wp-block-post-excerpt){box-sizing:border-box;margin-bottom:var(--wp--style--block-gap);margin-top:var(--wp--style--block-gap)}:where(.wp-block-preformatted.has-background){padding:1.25em 2.375em}:where(.wp-block-search__button){border:1px solid #ccc;padding:6px 10px}:where(.wp-block-search__input){font-family:inherit;font-size:inherit;font-style:inherit;font-weight:inherit;letter-spacing:inherit;line-height:inherit;text-transform:inherit}:where(.wp-block-search__button-inside .wp-block-search__inside-wrapper){border:1px solid #949494;box-sizing:border-box;padding:4px}:where(.wp-block-search__button-inside .wp-block-search__inside-wrapper) .wp-block-search__input{border:none;border-radius:0;padding:0 4px}:where(.wp-block-search__button-inside .wp-block-search__inside-wrapper) .wp-block-search__input:focus{outline:0}:where(.wp-block-search__button-inside .wp-block-search__inside-wrapper) :where(.wp-block-search__button){padding:4px 8px}:root :where(.wp-block-separator.is-style-dots){height:auto;line-height:1;text-align:center}:root :where(.wp-block-separator.is-style-dots):before{color:currentColor;content:"···";font-family:serif;font-size:1.5em;letter-spacing:2em;padding-left:2em}:root :where(.wp-block-site-logo.is-style-rounded){border-radius:9999px}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link{background-color:#f0f0f0;color:#444}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-amazon{background-color:#f90;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-bandcamp{background-color:#1ea0c3;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-behance{background-color:#0757fe;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-bluesky{background-color:#0a7aff;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-codepen{background-color:#1e1f26;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-deviantart{background-color:#02e49b;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-discord{background-color:#5865f2;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-dribbble{background-color:#e94c89;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-dropbox{background-color:#4280ff;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-etsy{background-color:#f45800;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-facebook{background-color:#0866ff;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-fivehundredpx{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-flickr{background-color:#0461dd;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-foursquare{background-color:#e65678;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-github{background-color:#24292d;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-goodreads{background-color:#eceadd;color:#382110}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-google{background-color:#ea4434;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-gravatar{background-color:#1d4fc4;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-instagram{background-color:#f00075;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-lastfm{background-color:#e21b24;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-linkedin{background-color:#0d66c2;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-mastodon{background-color:#3288d4;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-medium{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-meetup{background-color:#f6405f;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-patreon{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-pinterest{background-color:#e60122;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-pocket{background-color:#ef4155;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-reddit{background-color:#ff4500;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-skype{background-color:#0478d7;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-snapchat{background-color:#fefc00;color:#fff;stroke:#000}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-soundcloud{background-color:#ff5600;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-spotify{background-color:#1bd760;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-telegram{background-color:#2aabee;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-threads{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-tiktok{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-tumblr{background-color:#011835;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-twitch{background-color:#6440a4;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-twitter{background-color:#1da1f2;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-vimeo{background-color:#1eb7ea;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-vk{background-color:#4680c2;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-wordpress{background-color:#3499cd;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-whatsapp{background-color:#25d366;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-x{background-color:#000;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-yelp{background-color:#d32422;color:#fff}:where(.wp-block-social-links:not(.is-style-logos-only)) .wp-social-link-youtube{background-color:red;color:#fff}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link{background:0 0}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link svg{height:1.25em;width:1.25em}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-amazon{color:#f90}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-bandcamp{color:#1ea0c3}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-behance{color:#0757fe}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-bluesky{color:#0a7aff}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-codepen{color:#1e1f26}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-deviantart{color:#02e49b}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-discord{color:#5865f2}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-dribbble{color:#e94c89}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-dropbox{color:#4280ff}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-etsy{color:#f45800}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-facebook{color:#0866ff}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-fivehundredpx{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-flickr{color:#0461dd}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-foursquare{color:#e65678}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-github{color:#24292d}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-goodreads{color:#382110}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-google{color:#ea4434}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-gravatar{color:#1d4fc4}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-instagram{color:#f00075}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-lastfm{color:#e21b24}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-linkedin{color:#0d66c2}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-mastodon{color:#3288d4}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-medium{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-meetup{color:#f6405f}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-patreon{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-pinterest{color:#e60122}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-pocket{color:#ef4155}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-reddit{color:#ff4500}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-skype{color:#0478d7}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-snapchat{color:#fff;stroke:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-soundcloud{color:#ff5600}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-spotify{color:#1bd760}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-telegram{color:#2aabee}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-threads{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-tiktok{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-tumblr{color:#011835}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-twitch{color:#6440a4}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-twitter{color:#1da1f2}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-vimeo{color:#1eb7ea}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-vk{color:#4680c2}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-whatsapp{color:#25d366}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-wordpress{color:#3499cd}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-x{color:#000}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-yelp{color:#d32422}:where(.wp-block-social-links.is-style-logos-only) .wp-social-link-youtube{color:red}:root :where(.wp-block-social-links .wp-social-link a){padding:.25em}:root :where(.wp-block-social-links.is-style-logos-only .wp-social-link a){padding:0}:root :where(.wp-block-social-links.is-style-pill-shape .wp-social-link a){padding-left:.6666666667em;padding-right:.6666666667em}:root :where(.wp-block-tag-cloud.is-style-outline){display:flex;flex-wrap:wrap;gap:1ch}:root :where(.wp-block-tag-cloud.is-style-outline a){border:1px solid;font-size:unset!important;margin-right:0;padding:1ch 2ch;text-decoration:none!important}:root :where(.wp-block-table-of-contents){box-sizing:border-box}:where(.wp-block-term-description){box-sizing:border-box;margin-bottom:var(--wp--style--block-gap);margin-top:var(--wp--style--block-gap)}:where(pre.wp-block-verse){font-family:inherit}:root{--wp--preset--font-size--normal:16px;--wp--preset--font-size--huge:42px}.aligncenter{clear:both}.screen-reader-text{border:0;clip-path:inset(50%);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px;word-wrap:normal!important}.screen-reader-text:focus{background-color:#ddd;clip-path:none;color:#444;display:block;font-size:1em;height:auto;left:5px;line-height:normal;padding:15px 23px 14px;text-decoration:none;top:5px;width:auto;z-index:100000}html :where(.has-border-color){border-style:solid}html :where([style*=border-top-color]){border-top-style:solid}html :where([style*=border-right-color]){border-right-style:solid}html :where([style*=border-bottom-color]){border-bottom-style:solid}html :where([style*=border-left-color]){border-left-style:solid}html :where([style*=border-width]){border-style:solid}html :where([style*=border-top-width]){border-top-style:solid}html :where([style*=border-right-width]){border-right-style:solid}html :where([style*=border-bottom-width]){border-bottom-style:solid}html :where([style*=border-left-width]){border-left-style:solid}html :where(img[class*=wp-image-]){height:auto;max-width:100%}:where(figure){margin:0 0 1em}html :where(.is-position-sticky){--wp-admin--admin-bar--position-offset:var(--wp-admin--admin-bar--height,0px)}@media screen and (max-width:600px){html :where(.is-position-sticky){--wp-admin--admin-bar--position-offset:0px}}:root :where(.wp-block-image figcaption){color:#555;font-size:13px;text-align:center}.wp-block-image{margin:0 0 1em}:where(.wp-block-group.has-background){padding:1.25em 2.375em}:root :where(.wp-block-template-part.has-background){margin-bottom:0;margin-top:0;padding:1.25em 2.375em}: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--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--font-size--small:13px;--wp--preset--font-size--medium:20px;--wp--preset--font-size--large:36px;--wp--preset--font-size--x-large:42px;--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, .2);--wp--preset--shadow--deep:12px 12px 50px rgba(0, 0, 0, .4);--wp--preset--shadow--sharp:6px 6px 0px rgba(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)}:where(.is-layout-flex){gap:.5em}:where(.is-layout-grid){gap:.5em}:where(.wp-block-post-template.is-layout-flex){gap:1.25em}:where(.wp-block-post-template.is-layout-grid){gap:1.25em}:where(.wp-block-columns.is-layout-flex){gap:2em}:where(.wp-block-columns.is-layout-grid){gap:2em}:root :where(.wp-block-pullquote){font-size:1.5em;line-height:1.6}.schema-faq .schema-faq-question{font-size:14px;font-weight:700;text-decoration:none;margin:0;padding:15px 40px 15px 15px;line-height:1.4;cursor:pointer;position:relative;-webkit-touch-callout:none;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;display:block}.schema-faq .schema-faq-question.faq-q-open{border-bottom:1px solid #d1dfee}.schema-faq .schema-faq-question:after{content:"+";position:absolute;top:0;right:15px;text-align:center;font-weight:700;color:#000;font-size:20px;height:100%;display:flex;flex-direction:column;justify-content:center}.schema-faq .schema-faq-question.faq-q-open:after{content:"-"}.schema-faq p.schema-faq-answer{margin:0;padding:15px;background-color:#fff;font-size:16px;line-height:1.4;border-bottom:1px solid #dedee0;display:none}:root{--swiper-theme-color:#007aff}.swiper{margin-left:auto;margin-right:auto;position:relative;overflow:hidden;list-style:none;padding:0;z-index:1}.swiper-wrapper{position:relative;width:100%;height:100%;z-index:1;display:flex;transition-property:transform;box-sizing:content-box}.swiper-wrapper{transform:translate3d(0,0,0)}.swiper-slide{flex-shrink:0;width:100%;height:100%;position:relative;transition-property:transform}.swiper-slide-invisible-blank{visibility:hidden}:root{--swiper-navigation-size:44px}.swiper-button-next,.swiper-button-prev{position:absolute;top:50%;width:calc(var(--swiper-navigation-size)/ 44 * 27);height:var(--swiper-navigation-size);margin-top:calc(0px - (var(--swiper-navigation-size)/ 2));z-index:10;cursor:pointer;display:flex;align-items:center;justify-content:center;color:var(--swiper-navigation-color,var(--swiper-theme-color))}.swiper-button-next.swiper-button-disabled,.swiper-button-prev.swiper-button-disabled{opacity:.35;cursor:auto;pointer-events:none}.swiper-button-next:after,.swiper-button-prev:after{font-family:swiper-icons;font-size:var(--swiper-navigation-size);text-transform:none!important;letter-spacing:0;text-transform:none;font-variant:initial;line-height:1}.swiper-button-prev{left:10px;right:auto}.swiper-button-prev:after{content:'prev'}.swiper-button-next{right:10px;left:auto}.swiper-button-next:after{content:'next'}.swiper-button-lock{display:none}.swiper-pagination{position:absolute;text-align:center;transition:.3s opacity;transform:translate3d(0,0,0);z-index:10}.swiper-scrollbar{border-radius:10px;position:relative;-ms-touch-action:none;background:rgba(0,0,0,.1)}.swiper-scrollbar-drag{height:100%;width:100%;position:relative;background:rgba(0,0,0,.5);border-radius:10px;left:0;top:0}.swiper-scrollbar-lock{display:none}.swiper-zoom-container{width:100%;height:100%;display:flex;justify-content:center;align-items:center;text-align:center}.swiper-zoom-container>canvas,.swiper-zoom-container>img,.swiper-zoom-container>svg{max-width:100%;max-height:100%;object-fit:contain}.swiper-slide-zoomed{cursor:move}.swiper-lazy-preloader{width:42px;height:42px;position:absolute;left:50%;top:50%;margin-left:-21px;margin-top:-21px;z-index:10;transform-origin:50%;animation:1s linear infinite swiper-preloader-spin;box-sizing:border-box;border:4px solid var(--swiper-preloader-color,var(--swiper-theme-color));border-radius:50%;border-top-color:transparent}@keyframes swiper-preloader-spin{100%{transform:rotate(360deg)}}.swiper .swiper-notification{position:absolute;left:0;top:0;pointer-events:none;opacity:0;z-index:-1000}@font-face{font-family:freight-display-pro;src:url("https://use.typekit.net/af/c9d9e8/000000000000000077359f97/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("woff2"),url("https://use.typekit.net/af/c9d9e8/000000000000000077359f97/30/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("woff"),url("https://use.typekit.net/af/c9d9e8/000000000000000077359f97/30/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:700;font-stretch:normal}@font-face{font-family:freight-display-pro;src:url("https://use.typekit.net/af/19483f/000000000000000077359f9f/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i4&v=3") format("woff2"),url("https://use.typekit.net/af/19483f/000000000000000077359f9f/30/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i4&v=3") format("woff"),url("https://use.typekit.net/af/19483f/000000000000000077359f9f/30/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i4&v=3") format("opentype");font-display:swap;font-style:italic;font-weight:400;font-stretch:normal}@font-face{font-family:freight-display-pro;src:url("https://use.typekit.net/af/5b2861/000000000000000077359fad/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("woff2"),url("https://use.typekit.net/af/5b2861/000000000000000077359fad/30/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("woff"),url("https://use.typekit.net/af/5b2861/000000000000000077359fad/30/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:600;font-stretch:normal}@font-face{font-family:freight-display-pro;src:url("https://use.typekit.net/af/6112b4/000000000000000077359fb0/30/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i6&v=3") format("woff2"),url("https://use.typekit.net/af/6112b4/000000000000000077359fb0/30/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i6&v=3") format("woff"),url("https://use.typekit.net/af/6112b4/000000000000000077359fb0/30/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i6&v=3") format("opentype");font-display:swap;font-style:italic;font-weight:600;font-stretch:normal}@font-face{font-family:acumin-pro-wide;src:url("https://use.typekit.net/af/be1794/00000000000000003b9acb45/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("woff2"),url("https://use.typekit.net/af/be1794/00000000000000003b9acb45/27/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("woff"),url("https://use.typekit.net/af/be1794/00000000000000003b9acb45/27/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n7&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:700;font-stretch:normal}@font-face{font-family:acumin-pro-wide;src:url("https://use.typekit.net/af/1b8691/00000000000000003b9acb3d/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n3&v=3") format("woff2"),url("https://use.typekit.net/af/1b8691/00000000000000003b9acb3d/27/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n3&v=3") format("woff"),url("https://use.typekit.net/af/1b8691/00000000000000003b9acb3d/27/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n3&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:300;font-stretch:normal}@font-face{font-family:acumin-pro-wide;src:url("https://use.typekit.net/af/d819ed/00000000000000003b9acb3e/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i3&v=3") format("woff2"),url("https://use.typekit.net/af/d819ed/00000000000000003b9acb3e/27/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i3&v=3") format("woff"),url("https://use.typekit.net/af/d819ed/00000000000000003b9acb3e/27/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=i3&v=3") format("opentype");font-display:swap;font-style:italic;font-weight:300;font-stretch:normal}@font-face{font-family:acumin-pro-wide;src:url("https://use.typekit.net/af/cc64d9/00000000000000003b9acb41/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n5&v=3") format("woff2"),url("https://use.typekit.net/af/cc64d9/00000000000000003b9acb41/27/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n5&v=3") format("woff"),url("https://use.typekit.net/af/cc64d9/00000000000000003b9acb41/27/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n5&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:500;font-stretch:normal}@font-face{font-family:acumin-pro-wide;src:url("https://use.typekit.net/af/2acd47/00000000000000003b9acb43/27/l?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("woff2"),url("https://use.typekit.net/af/2acd47/00000000000000003b9acb43/27/d?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("woff"),url("https://use.typekit.net/af/2acd47/00000000000000003b9acb43/27/a?primer=7cdcb44be4a7db8877ffa5c0007b8dd865b3bbc383831fe2ea177f62257a9191&fvd=n6&v=3") format("opentype");font-display:swap;font-style:normal;font-weight:600;font-stretch:normal}@font-face{font-display:swap;font-family:NorthAvellion;src:url('https://www.chewoutloud.com/wp-content/themes/col2021/MyFontsWebfontsKit/webFonts/NorthAvellionRegular/font.woff2') format('woff2'),url('https://www.chewoutloud.com/wp-content/themes/col2021/MyFontsWebfontsKit/webFonts/NorthAvellionRegular/font.woff') format('woff')}img,legend{border:0}html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body,figure{margin:0}article,aside,figcaption,figure,footer,header,main,menu,nav,section{display:block}canvas,progress,video{display:inline-block;vertical-align:baseline}[hidden],template{display:none}a{background-color:transparent}optgroup,strong{font-weight:bolder}small{font-size:80%}svg:not(:root){overflow:hidden}code{font-size:1em}button,input,optgroup,select,textarea{color:inherit;font:inherit;margin:0}select{text-transform:none}button{overflow:visible}button,input,select,textarea{max-width:100%}button,html input[type=button],input[type=reset],input[type=submit]{-webkit-appearance:button;cursor:pointer}button[disabled],html input[disabled]{cursor:default;opacity:.5}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input[type=checkbox],input[type=radio]{box-sizing:border-box;margin-right:.4375em;padding:0}input[type=number]::-webkit-inner-spin-button,input[type=number]::-webkit-outer-spin-button{height:auto}input[type=search]{-webkit-appearance:textfield}input[type=search]::-webkit-search-cancel-button,input[type=search]::-webkit-search-decoration{-webkit-appearance:none}fieldset{border:1px solid #d1d1d1;margin:0 0 1.75em;padding:.875em}fieldset>:last-child{margin-bottom:0}legend{padding:0}textarea{overflow:auto;vertical-align:top}body{font-family:acumin-pro-wide,acumin-fallback,Verdana,sans-serif}.acumin-pro-wide-inactive{word-spacing:-1.6px}.slick-on-page{font-family:Verdana,sans-serif}code{font-family:Menlo,Consolas,monaco,monospace}.griditems .gridtitle,h1,h2,h3,h4{font-family:freight-display-pro,serif;word-spacing:0}#respond #reply-title small{font-family:acumin-pro-wide,Verdana,sans-serif}span.cursive{font-family:NorthAvellion,cursive;font-size:2.9166666666em;line-height:0;font-weight:400;vertical-align:-.186em;text-transform:lowercase;letter-spacing:0;position:relative;z-index:2;padding:0 .08em;word-spacing:0}.screen-reader-text{border:0;clip:rect(1px,1px,1px,1px);clip-path:inset(50%);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px;word-wrap:normal!important}.skip-to-content:focus{clip:auto!important;clip-path:none;margin:0;height:auto;width:auto;top:5px;left:5px;display:block;font-size:13px;line-height:18px;padding:15px 20px;background:#6c7b66;color:#fff;z-index:10000;transition:none;text-transform:uppercase;letter-spacing:.1em;font-weight:500}body,html{min-width:320px}img{max-width:100%;height:auto}.clearfix:after,.clearfix:before{content:" ";display:table}.clearfix:after{clear:both}.container{display:block;width:1360px;max-width:100%;margin:0 auto;padding:0 40px;min-width:320px;box-sizing:border-box}@media screen and (max-width:1023px){.container{padding:0 20px}}@media screen and (max-width:339px){.container{padding:0 10px}}body{font-size:18px;line-height:1.6666666666;font-weight:300;color:#2e292a;background:#fff;word-wrap:break-word;overflow-x:hidden}@media screen and (max-width:767px){body{font-size:16px}}optgroup,strong{font-weight:600}div.wp-block-image{margin:0!important}.aligncenter,.wp-block-image .aligncenter{margin:40px auto}img.aligncenter{display:block}.wp-block-image img{vertical-align:bottom}.wp-block-image figcaption{margin:15px 0 0;font-size:13px;line-height:18px;color:#787878}span.fragment{display:inline-block}a{transition:color .3s,background .3s;color:#6c7b66;text-decoration:underline;font-weight:600}h1 a,h2 a,h3 a,h4 a{font-weight:inherit}a img{transition:opacity .3s;vertical-align:bottom}a:active img,a:hover img{opacity:.75}address,p{margin-top:0;margin-bottom:1em}ol,ul{margin:1em 0;padding:0 0 0 1.6em}ol ol,ol ul,ul ol,ul ul{margin-top:4px;margin-bottom:0}li{margin:0 0 4px;padding:0 0 0 .3125em}ol.is-style-circles,ul.is-style-circles{list-style:none;counter-reset:ol-circles;padding-left:0}ol.is-style-circles>li,ul.is-style-circles>li{counter-increment:ol-circles;padding-left:2.444em;position:relative;margin:0 0 10px;list-style:none!important}ol.is-style-circles>li:last-child,ul.is-style-circles>li:child{margin-bottom:0}ol.is-style-circles>li:before,ul.is-style-circles>li:before{content:counter(ol-circles);width:2em;height:2em;line-height:2em;display:block;position:absolute;top:.05469em;left:0;background:#dfdbd5;border-radius:50%;text-align:center;font-size:.79012em;font-weight:700}.is-style-circles[start="2"]{counter-reset:ol-circles 1!important}.is-style-circles[start="3"]{counter-reset:ol-circles 2!important}.is-style-circles[start="4"]{counter-reset:ol-circles 3!important}.is-style-circles[start="5"]{counter-reset:ol-circles 4!important}.is-style-circles[start="6"]{counter-reset:ol-circles 5!important}.is-style-circles[start="7"]{counter-reset:ol-circles 6!important}.is-style-circles[start="8"]{counter-reset:ol-circles 7!important}.is-style-circles[start="9"]{counter-reset:ol-circles 8!important}.is-style-circles[start="10"]{counter-reset:ol-circles 9!important}.is-style-circles[start="11"]{counter-reset:ol-circles 10!important}.is-style-circles[start="12"]{counter-reset:ol-circles 11!important}.is-style-circles[start="13"]{counter-reset:ol-circles 12!important}h1,h2{font-size:48px;line-height:54px;text-transform:uppercase;font-weight:600;letter-spacing:.0625em;text-align:center;margin:60px 0 30px;position:relative}.postheader .posttitle,h2.plain{text-transform:none;letter-spacing:0;font-weight:700}.posttitle{font-size:44px;line-height:50px}.postcols h2{font-size:32px;line-height:36px}.postcols h3{font-size:24px;line-height:28px}h2.line{margin-bottom:40px;isolation:isolate}h2.line>span{background:#fff;padding:0 .41666em;display:inline-block;box-sizing:border-box;max-width:100%}h2.line>span:before{content:"";display:block;border-bottom:1px solid currentColor;position:absolute;top:50%;left:0;width:100%;z-index:-1}h3{font-size:36px;line-height:42px;margin:40px 0 25px;font-weight:700}h4{font-size:32px;line-height:36px;margin:40px 0 25px;font-weight:700}h1,h2,h3,h4{position:relative}@media screen and (max-width:1023px){.posttitle,h1,h2{font-size:36px;line-height:42px}.postcols h2{font-size:30px;line-height:34px}h3{font-size:30px;line-height:34px}h4{font-size:28px;line-height:32px}}@media screen and (max-width:767px){.posttitle,h1,h2{font-size:24px;line-height:28px;margin:40px 0 20px}.postcols h2{font-size:22px;line-height:26px}.postcols h3{font-size:20px;line-height:24px}h2.line{margin-bottom:20px}h3{font-size:22px;line-height:26px;margin-bottom:20px}h4{font-size:20px;line-height:24px;margin-bottom:20px}}a.btn{background:#6c7b66;color:#fff;font-size:13px;line-height:18px;text-transform:uppercase;letter-spacing:.1em;padding:15px 20px;text-decoration:none;text-align:center;display:inline-block;transition:background .3s;font-weight:500}a.btn:active,a.btn:hover{background:#4d5c47}a.btn:focus{outline:auto}a.btn.loading{position:relative;color:transparent;transition:none}a.btn.loading:before{content:"Loading...";color:#fff;position:absolute;top:0;left:0;width:100%;box-sizing:border-box;padding:15px 20px}.prevnext,.table-of-contents,.wp-block-image,.wprm-recipe{margin-top:40px;margin-bottom:40px}.imagegrid,.shopgrid{margin-top:60px;margin-bottom:60px}.maincol .imagegrid{margin-top:40px;margin-bottom:40px}.imagegrid+.prevnext,.shopgrid+.prevnext{margin-top:-50px}@media screen and (max-width:767px){.imagegrid,.shopgrid{margin-top:40px;margin-bottom:40px}.imagegrid+.prevnext,.shopgrid+.prevnext{margin-top:-40px}#topbar{display:none}}.sidebar .imagegrid{margin-top:30px;margin-bottom:30px}#topbar{background:#f3f1eb;font-size:13px;line-height:18px}#topbar ul{margin:0 0 0 -40px;padding:0;list-style:none;display:flex;justify-content:right}#topbar ul li{margin:0 0 0 40px;padding:0}#topbar ul li a{display:block;padding:11px 0;color:inherit;font-weight:inherit;text-decoration:none}#topbar ul li a:active,#topbar ul li a:hover{color:#6c7b66;text-decoration:underline}#topbar .icon-heart{font-size:9px;height:10px;vertical-align:top;margin-right:6px;margin-top:5px}#wpadminbar{z-index:100005}body.menuopen #wpadminbar,body.searchopen #wpadminbar{z-index:100}#header{height:200px}#header-a{background:#fff}#header-b{padding:40px 0;position:relative}body.fixedheader #header-a{position:fixed;top:0;left:0;width:100%;z-index:10000;-webkit-animation:.3s scrollheader;animation:.3s scrollheader;box-sizing:border-box;box-shadow:0 0 18px #dfdbd5;background:#fff}body.fixedheader #header-b{padding:10px 0}@-webkit-keyframes scrollheader{0%{-webkit-transform:translateY(-100%);transform:translateY(-100%)}to{-webkit-transform:translateY(0);transform:translateY(0)}}@keyframes scrollheader{0%{-webkit-transform:translateY(-100%);transform:translateY(-100%)}to{-webkit-transform:translateY(0);transform:translateY(0)}}html{scroll-padding-top:120px}#logo{width:175px;float:left;display:inline;position:relative;margin:0;line-height:1;font-weight:400}body.fixedheader #logo{width:87px}#logo a{display:block;padding:0}#logo img{display:block;width:100%;opacity:1;border-radius:0}.menubar{font-size:14px;line-height:20px}.menubar a{display:block;color:inherit;text-decoration:none;font-weight:inherit}.menubar a:active,.menubar a:hover{color:#6c7b66}.menubar li>.linkwrap>span{display:block;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;cursor:default}.menubar>ul{margin:0;padding:0;list-style:none}.menubar>ul>li{margin:0;padding:0}.menubar>ul>li>.submenu{display:none}.menubar>ul>li>.submenu>ul{margin:0;padding:0;list-style:none}.menubar>ul>li>.submenu>ul>li{margin:0;padding:0}.menubar>ul>li>.submenu>ul>li>ul{margin:0;padding:0;list-style:none}.menubar>ul>li>.submenu>ul>li>ul>li{margin:0;padding:0}button.closebtn{background:0 0;border:none;border-radius:0;margin:0;padding:0;max-width:none;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;height:60px;width:40px;transition:background-color .3s;position:relative;z-index:10;display:block}button.closebtn>span.icon{width:20px;display:block;position:absolute;top:50%;left:50%;margin-left:-10px;height:2px;margin-top:-1px;font-size:0}button.closebtn>span.icon:after,button.closebtn>span.icon:before{position:absolute;left:0;width:100%;height:100%;background:#2e292a;content:'';transition:background-color .3s,-webkit-transform .3s;transition:transform .3s,background-color .3s;transition:transform .3s,background-color .3s,-webkit-transform .3s}button.closebtn>span.icon:before{-webkit-transform:rotate(45deg);-ms-transform:rotate(45deg);transform:rotate(45deg)}button.closebtn>span.icon:after{-webkit-transform:rotate(-45deg);-ms-transform:rotate(-45deg);transform:rotate(-45deg)}button.closebtn:hover>span.icon:after,button.closebtn:hover>span.icon:before{background:#6c7b66}button.closemenu{display:none}#toggles{display:none}button.togglesearch{font-size:16px;border:none;border-radius:0;margin:0 -10px;padding:0;line-height:40px;max-width:none;display:inline-block;vertical-align:top;position:relative;transition:color .3s;background:0 0}button.togglesearch .cicon{padding:0 10px;height:40px;vertical-align:top}button.togglesearch:hover{color:#6c7b66}button.togglemenu{display:block;background:0 0;border:none;border-radius:0;margin:0 -10px;padding:0;max-width:none;cursor:pointer;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none;height:40px;width:40px;transition:background-color .3s;position:relative}button.togglemenu>span.icon{width:20px;display:block;position:absolute;top:50%;left:50%;margin-left:-10px;height:2px;margin-top:-1px;background:#2e292a;font-size:0;transition:background-color .3s}button.togglemenu>span.icon:after,button.togglemenu>span.icon:before{position:absolute;left:0;width:100%;height:100%;background:#2e292a;content:'';transition:background-color .3s,-webkit-transform .3s;transition:transform .3s,background-color .3s;transition:transform .3s,background-color .3s,-webkit-transform .3s}button.togglemenu>span.icon:before{-webkit-transform:translateY(-300%);-ms-transform:translateY(-300%);transform:translateY(-300%)}button.togglemenu>span.icon:after{-webkit-transform:translateY(300%);-ms-transform:translateY(300%);transform:translateY(300%)}button.togglemenu:hover>span.icon,button.togglemenu:hover>span.icon:after,button.togglemenu:hover>span.icon:before{background:#6c7b66}.searchform{background:#f3f1eb;position:relative;box-sizing:border-box;margin:30px auto;width:400px;max-width:100%;color:#2e292a}.searchform .input{margin-right:46px}.searchform .input input{border:none;background:0 0;margin:0;padding:8px 0 8px 15px;width:100%;box-sizing:border-box;border-radius:0;font-size:16px;line-height:24px}.searchform button[type=submit]{margin:0;padding:0;border:none;background:0 0;width:40px;height:40px;position:absolute;top:0;right:0;transition:color .3s;font-size:14px;border-radius:0}.searchform button[type=submit] .cicon{display:block;margin:0 auto}.searchform button[type=submit]:hover{color:#6c7b66}#header .searchform{margin-top:0;margin-bottom:0}@media screen and (min-width:1280px){#logo{margin-right:20px;position:relative;z-index:2}#menu{padding:20px 0;max-width:1005px;margin-left:auto}#searchwrap{float:right;width:240px;margin-left:20px;padding:20px 0}body.fixedheader #searchwrap{padding:0}#searchwrap .closebtn,#searchwrap h2{display:none}body.fixedheader #menu{padding:0}#menuoverlay{display:none}.menubar>ul{display:flex;justify-content:flex-end;flex-wrap:wrap;margin-right:-60px}.menubar>ul>li{margin-right:20px}.menubar>ul>li.mobonly{display:none!important}.menubar>ul>li>.linkwrap>a,.menubar>ul>li>.linkwrap>span,.menubar>ul>li>a{padding:10px 20px;font-weight:500;text-transform:uppercase;letter-spacing:.1em}.menubar>ul>li>.linkwrap>a:active,.menubar>ul>li>.linkwrap>a:hover,.menubar>ul>li>a:active,.menubar>ul>li>a:hover{text-decoration-thickness:2px;text-underline-offset:5px}.menubar>ul>li.menu-item-has-children>.linkwrap{position:relative}.menubar>ul>li.menu-item-has-children{position:relative}.menubar>ul>li.menu-item-has-children>.linkwrap>.dropdown-toggle{position:absolute;top:50%;right:15px;border:none;border-radius:0;margin:-11px 0 0;padding:0;background:0 0;pointer-events:none;line-height:1;transition:color .3s}.menubar>ul>li.menu-item-has-children>.linkwrap>a,.menubar>ul>li.menu-item-has-children>.linkwrap>span{padding-right:29px}.menubar>ul>li.menu-item-has-children>.linkwrap>.dropdown-toggle .cicon{font-size:14px;height:24px;display:inline-block;vertical-align:top;transition:color .3s}.menubar>ul>li.menu-item-has-children>.linkwrap:hover>.dropdown-toggle .cicon{color:#6c7b66}.menubar>ul>li>.submenu{display:none!important;visibility:hidden;opacity:0;position:absolute;top:40px;padding-top:5px;left:-20px;z-index:10000;min-width:calc(100% + 40px);font-size:14px;line-height:22px}.menubar>ul>li>.submenu>ul{white-space:nowrap;background:#f0f1ef;overflow:hidden;padding:20px 30px}.menubar>ul>li>.submenu>ul>li>a{padding:5px 0;font-weight:inherit}.menubar>ul>li>.submenu>ul>li>a:active,.menubar>ul>li>.submenu>ul>li>a:hover{text-decoration:underline}.menubar>ul>li.accopen>.submenu,.menubar>ul>li.active>.submenu{visibility:visible;opacity:1;display:block!important;animation:.3s fadein}.menubar .megamenu-wrap{background:#f0f1ef;overflow:hidden;padding:26px 30px 30px}.menubar .megamenu-cols>ul{margin:0;padding:0;list-style:none;display:flex}.menubar .megamenu-cols>ul>li{margin:0 0 0 30px;padding:0;width:180px}.menubar .megamenu-cols>ul>li:first-child{margin-left:0}.menubar .megamenu-cols>ul>li>ul{margin:0;padding:0;list-style:none;display:block!important}.menubar .megamenu-cols>ul>li>ul>li{margin:0;padding:0}.menubar .megamenu-cols>ul>li>ul>li>a{padding:5px 0;font-weight:inherit}.menubar .megamenu-cols>ul>li>ul>li>a:active,.menubar .megamenu-cols>ul>li>ul>li>a:hover{text-decoration:underline}.menubar .megamenu-wrap .megamenu-all{margin-top:20px}.menubar .megamenu-wrap .megamenu-all a.btn{color:#fff;font-weight:500}.menubar .megamenu-cols>ul>li>.linkwrap>a,.menubar .megamenu-cols>ul>li>.linkwrap>span{margin-bottom:12px;font-size:14px;line-height:22px;font-weight:500;text-transform:uppercase;letter-spacing:.1em}.menubar .megamenu-cols>ul>li>.linkwrap>.dropdown-toggle{display:none}body.resizing #menu a{transition:none}}@media screen and (max-width:1279px){#logo{float:none;display:block;margin:0 auto}#toggles{display:block}#toggles ul{margin:0;padding:0;list-style:none}#toggles ul li{margin:0;padding:0}#toggles li.search{position:absolute;top:50%;transform:translateY(-50%);right:0}#toggles li.menu{position:absolute;top:50%;transform:translateY(-50%);left:0}.menubar .icon-heart{font-size:12px;height:24px;vertical-align:top;margin-right:8px}#searchwrap{background:#fff;position:fixed;top:0;left:0;width:100%;-webkit-transform:translateY(-100%);transform:translateY(-100%);z-index:10000;float:none;display:block;margin:0;transition:transform .3s;padding:0}body.searchopen #searchwrap{transform:translateY(0);z-index:90000;box-shadow:0 0 18px #dfdbd5;margin-left:0}body.fixedheader #searchwrap{margin-left:0}body.resizing #searchwrap{-webkit-transition:none;transition:none}#searchwrap h2{font-size:24px;line-height:28px;text-align:center;margin:0 0 20px;display:block}#searchwrap .closebtn{display:block;top:2px;right:8px;position:absolute}#searchwrap-a{padding:20px}body.fixedheader #toggles{padding:0}body.menuopen #header-a{z-index:10006!important}#menuwrap{position:fixed;top:0;left:-320px;width:320px;height:100%;z-index:10012;overflow-y:auto;transition:left .5s,visibility .5s;box-sizing:border-box;padding:20px 20px 0;background:#fff;visibility:hidden}body.menuopen{overflow:hidden}body.menuopen #menuwrap{left:0;visibility:visible}body.menuopen #menuoverlay{width:100%;height:100%;background:rgba(0,0,0,.3);position:fixed;top:0;left:0;z-index:10011}button.closemenu{margin:-20px auto 0 -13px;display:block}button.closemenu>span.icon:after,button.closemenu>span.icon:before{background:#2e292a}button.closemenu:hover>span.icon:after,button.closemenu:hover>span.icon:before{background:#6c7b66}.menubar{font-size:16px;line-height:24px}.menubar>ul{padding-bottom:60px}.menubar>ul>li>.linkwrap>a,.menubar>ul>li>.linkwrap>span,.menubar>ul>li>a{padding:12px 0;font-weight:500;text-transform:uppercase;letter-spacing:.1em}.menubar>ul>li>.submenu>ul{padding-bottom:5px}.menubar>ul>li>.submenu>ul>li>a{padding:12px 0;font-weight:inherit}.menubar>ul>li>.submenu>ul>li>a:active,.menubar>ul>li>.submenu>ul>li>a:hover{text-decoration:underline}.menubar li.menu-item-has-children>.linkwrap{padding-right:30px;cursor:pointer;position:relative}.menubar li.menu-item-has-children>.linkwrap>span{cursor:pointer;transition:color .3s}.menubar li.menu-item-has-children>.linkwrap>span:hover{color:#6c7b66;text-decoration:underline}.menubar li.menu-item-has-children>.linkwrap>.dropdown-toggle{display:block;position:absolute;top:0;right:-18px;width:48px;height:48px;border:none;border-radius:0;margin:0;padding:0;background:0 0;transition:color .3s;text-align:center}.menubar li.menu-item-has-children>.linkwrap>.dropdown-toggle:hover{color:#6c7b66}.menubar li.menu-item-has-children>.linkwrap>.dropdown-toggle .cicon{-webkit-transform:rotate(-90deg);-ms-transform:rotate(-90deg);transform:rotate(-90deg);transition:transform .3s;height:48px;vertical-align:top;font-size:18px}.menubar li.menu-item-has-children.open>.linkwrap>.dropdown-toggle .cicon{-webkit-transform:rotate(0);-ms-transform:rotate(0);transform:rotate(0)}.menubar li.menu-item-has-children>.submenu{left:auto!important}.menubar li.menu-item-has-children>.submenu>ul{margin-left:20px}.menubar li.menu-item-has-children>.submenu>ul>li>ul{margin-left:20px}.menubar .megamenu-cols>ul{margin:0 0 0 20px;padding:0;list-style:none}.menubar .megamenu-cols>ul>li{margin:0;padding:0}.menubar .megamenu-cols>ul>li>ul{margin:0 0 0 20px;padding:0 0 5px;list-style:none;display:none}.menubar .megamenu-cols>ul>li>ul>li{margin:0;padding:0}.menubar .megamenu-cols>ul>li>ul>li>a{padding:12px 0;font-weight:inherit}.menubar .megamenu-cols>ul>li>ul>li>a:active,.menubar .megamenu-cols>ul>li>ul>li>a:hover{text-decoration:underline}.menubar .megamenu-cols>ul>li>.linkwrap>a,.menubar .megamenu-cols>ul>li>.linkwrap>span{font-size:16px;line-height:24px;padding:12px 0}.menubar .megamenu-wrap .megamenu-all{margin:20px 0}.menubar .megamenu-wrap .megamenu-all a.btn{color:#fff;font-weight:500}}#fullwrap{position:relative}.bodysection{padding:60px 0}#body>.bodysection:first-child{padding-top:0}.shopgrid{width:1278px;max-width:100%;margin-left:auto;margin-right:auto}.shopgrid ul{margin:0 0 0 -30px;margin-bottom:-30px!important;padding:0;list-style:none;display:flex;flex-wrap:wrap}.shopgrid ul li{margin:0;margin-bottom:30px!important;padding:0;width:25%}.shopgrid ul li .li-a{margin-left:30px}.shopgrid .gridimage{margin-bottom:20px;display:flex;align-items:center;justify-content:center}.shopgrid .gridimage img{display:block;margin:0 auto}.shopgrid .griddesc{font-size:14px;line-height:20px}@media screen and (max-width:1023px){.shopgrid ul{margin-left:-20px}.shopgrid ul li .li-a{margin-left:20px}}@media screen and (min-width:768px){.postcols .shopgrid ul li{width:33.333333333333333%}}@media screen and (max-width:767px){html{scroll-padding-top:80px}#header-b{padding:20px 0}#logo{width:87px}#header{height:80px}.bodysection{padding:40px 0}#body>.bodysection:first-child{padding-top:10px}.shopgrid ul{margin-left:0}.shopgrid ul li{width:100%}.shopgrid ul li .li-a{margin-left:-30px;display:flex;align-items:center}.shopgrid .gridimage{margin-bottom:0}}@media screen and (max-width:479px){.shopgrid ul li .li-a{display:block}.shopgrid .gridimage{margin-bottom:20px}}.imagegrid .gridtitle a:active{color:#6c7b66}.table-of-contents{border:1px solid #e5e0d6;padding:30px}.postcols>.maincol{float:left;display:inline;width:100%;margin-right:-360px}.postcols>.maincol>.maincol-a{margin-right:360px;max-width:780px}.postcols>.sidebar{float:right;display:inline;width:300px;font-size:14px}.postheader{margin-bottom:25px}@media screen and (max-width:1023px){.postcols>.maincol{float:none;display:block;width:780px;max-width:100%;margin:0 auto}.postcols>.maincol>.maincol-a{margin-right:0;max-width:none}.postcols>.sidebar{float:none;display:block;margin:60px auto 0}.postheader{width:780px;max-width:100%;margin-left:auto;margin-right:auto}}.postheader .posttitle{text-align:left;margin:0}.postheader .postdates{font-size:13px;line-height:18px;margin-top:15px}.postheader .postdates span{display:inline-block}.postheader .postdates ul{margin:0 0 0 -20px;padding:0;list-style:none;display:flex;flex-wrap:wrap;row-gap:10px}.postheader .postdates ul li{margin:0 0 0 20px;padding:0}.breadcrumb{font-size:11px;line-height:18px;text-transform:uppercase;letter-spacing:.05em;color:#787878;margin-bottom:15px}.breadcrumb a,.breadcrumb span.breadcrumb_last{color:inherit;text-decoration:none;font-weight:inherit;display:inline-block}.breadcrumb a:active,.breadcrumb a:hover{text-decoration:underline}.breadcrumb .cicon{height:17px;vertical-align:top;margin-top:1px}.breadcrumb+*{margin-top:0}.postmeta{font-size:13px;line-height:20px;margin-top:15px;margin-right:360px;max-width:780px}@media screen and (max-width:1023px){.postmeta{margin-right:0}}.postmeta>ul{display:flex;flex-wrap:wrap;row-gap:15px;margin:0 0 0 -40px;padding:0;list-style:none;align-items:center}.postmeta>ul>li{margin:0 0 0 40px;padding:0;flex-shrink:0}.postmeta li.comlink .cicon{font-size:16px;height:20px;vertical-align:top;color:#6c7b66;margin-right:5px}.postmeta span.lowtext{display:block}.postmeta li.comlink a,.postmeta li.rating{display:flex;align-items:center}.postmeta li.rating .wprm-recipe-rating{display:flex;flex-wrap:wrap;line-height:16px;justify-content:center;row-gap:7px;margin-left:-8px}.postmeta li.rating .wprm-recipe-rating-details{font-size:inherit;font-weight:inherit}.postmeta li.rating .wprm-rating-star:first-child,.postmeta li.rating .wprm-recipe-rating-details{margin-left:5px}.postmeta a{color:inherit;font-weight:inherit;text-decoration:none}.postmeta a:active,.postmeta a:hover{text-decoration:underline}.postmeta li.jumptorecipe{margin-left:auto}.postmeta li.jumptorecipe a.btn{color:inherit;padding:6px 15px;background:#f3f1eb;font-size:11px;line-height:15px;text-decoration:none}.postmeta li.jumptorecipe a.btn:active,.postmeta li.jumptorecipe a.btn:hover{background:#e2ddd2}@media screen and (max-width:1219px){.postmeta li.jumptorecipe{margin-left:40px;margin-top:3px;margin-bottom:3px}}@media screen and (max-width:767px){.table-of-contents{padding:30px 20px}.postmeta ul{justify-content:space-between}}.sharebuttons-new{font-size:14px;line-height:1;margin:0}.sharebuttons-new ul{margin:0 0 0 -10px;row-gap:10px;padding:0;list-style:none;display:flex;flex-wrap:wrap;align-items:center;justify-content:center}.sharebuttons-new ul li{margin:0 0 0 10px;padding:0}.sharebuttons-new ul li a{display:block;background:#f3f1eb;border-radius:50%;width:32px;font-weight:inherit;cursor:pointer}.sharebuttons-new ul li a:active,.sharebuttons-new ul li a:hover{background:#e2ddd2}.sharebuttons-new ul li a .cicon{display:block;height:32px;margin:0 auto}.calloutbox{background:#e2ddd2;padding:50px 30px;text-align:center;font-size:16px;margin:30px 0}#sidebar .section{margin-bottom:40px}#sidebar .section h2{font-size:24px;line-height:28px;margin:0 0 20px}#sidebar .section-welcome{text-align:center}#sidebar .section-welcome .welcome-image img{display:block}#sidebar .section-welcome h2{margin-top:-14px}.imagegrid{margin-left:auto;margin-right:auto;max-width:100%}.imagegrid>ul{margin:0 0 0 -30px;margin-bottom:-30px!important;padding:0;list-style:none;display:flex;flex-wrap:wrap}.imagegrid>ul>li{margin:0;margin-bottom:30px!important;padding:0}.imagegrid>ul>li>.li-a{margin-left:30px;position:relative;flex-grow:1}.imagegrid>ul>li>.li-a>a{display:block;color:inherit;background:0 0;text-decoration:none;font-weight:inherit}.imagegrid-main4>ul>li{width:25%}.imagegrid-side2>ul>li{width:50%}.imagegrid-side1>ul>li{width:100%}.griditems .gridimage{margin-bottom:15px;position:relative}.griditems .gridimage .gridimage-a{position:relative;height:0;padding-bottom:150%}.griditems .gridimage img{display:block;position:absolute;top:0;left:0;width:100%;height:100%;object-fit:cover}.griditems .gridtitle{overflow:hidden;text-overflow:ellipsis;text-align:center;font-weight:700;transition:color .3s;padding-bottom:2px}.griditems a:active .gridtitle,.griditems a:hover .gridtitle{color:#6c7b66}.griditems .griddesc{margin-top:15px}.imagegrid-main4 .gridtitle{font-size:20px;line-height:22px}.prevnext .prevnext-a{margin-left:-20px;display:flex;justify-content:space-between}.prevnext .next,.prevnext .prev{margin-left:20px}.prevnext .next{text-align:right}.ajaxnav .next{text-align:center;flex-grow:1}@media screen and (max-width:1279px){.imagegrid-main4 .gridtitle{font-size:18px;line-height:20px}.imagegrid-main4>ul{margin-left:-20px}.imagegrid-main4>ul>li>.li-a{margin-left:20px}}@media screen and (max-width:1023px){.imagegrid>ul{margin-left:-20px}.imagegrid>ul>li>.li-a{margin-left:20px}}@media screen and (max-width:767px){.imagegrid-main4{width:614px}.imagegrid>ul{margin-left:-15px}.imagegrid>ul>li>.li-a{margin-left:15px}.imagegrid>ul>li{width:50%}.imagegrid-side1>ul>li{width:100%}.imagegrid .gridtitle{font-size:18px;line-height:20px}}@media screen and (max-width:359px){.imagegrid .gridtitle{font-size:16px;line-height:18px}}.imagegrid-side2 .gridtitle{font-size:16px;line-height:18px}.imagegrid-side1 .gridtitle{font-size:24px;line-height:26px}@media screen and (max-width:359px){.imagegrid-side1 .gridtitle{font-size:20px;line-height:22px}}.imagegrid-side2>ul{margin-left:-16px;margin-bottom:-20px!important}.imagegrid-side2>ul>li{margin-bottom:20px!important}.imagegrid-side2>ul>li>.li-a{margin-left:16px}.roundup>ul{counter-reset:roundup}.roundup>ul>li{counter-increment:roundup}.roundup>ul>li>.li-a:before{content:counter(roundup);font-weight:700;width:48px;line-height:48px;background:#dfdbd5;display:block;margin:0 auto 20px;text-align:center;border-radius:50%;font-size:18px}.postfooter{margin:40px 0}.postfooter .postsection{margin:40px 0}ul.commentlist{margin:0;padding:0;list-style:none}ul.commentlist li.comment-li{margin:0 0 40px;padding:0}ul.commentlist li.comment-li>ul{margin:40px 0 0 40px;padding:0;list-style:none}ul.commentlist li #respond{margin:40px 0}ul.commentlist li li #respond{margin-left:-40px}ul.commentlist li li li #respond{margin-left:-80px}ul.commentlist li li li li #respond{margin-left:-120px}ul.commentlist li li li li li #respond{margin-left:-160px}@media screen and (max-width:619px){ul.commentlist li.comment-li li.comment-li>ul{margin-left:0}ul.commentlist li li li #respond{margin-left:-40px!important}}ul.commentlist li #respond #reply-title-outer{margin-bottom:68px}#respond #reply-title-outer small{display:block;font-size:13px;line-height:18px;text-transform:none;letter-spacing:0;position:absolute;top:48px;left:0;width:100%}#respond #reply-title-outer small a{display:inline-block;font-weight:300;text-decoration:none;color:inherit}#respond #reply-title small a:active,#respond #reply-title-outer small a:hover{text-decoration:underline}.comdiv{font-size:16px}.comdiv.bypostauthor{background:#f3f1eb;padding:20px}.comdiv .comavatar{width:48px;float:left;margin-right:20px}.comdiv .comavatar img{display:block;border-radius:50%}.comdiv .comright{overflow:hidden}.comdiv .commeta{font-size:13px;line-height:18px;margin-bottom:10px}.comdiv .commeta ul{display:flex;flex-wrap:wrap;margin:0 0 0 -20px;margin-bottom:-5px!important;padding:0;list-style:none;align-items:center}.comdiv .commeta ul li{margin:0 0 0 20px;margin-bottom:5px!important;padding:0}.comdiv .commeta a{text-decoration:none;color:inherit;font-weight:inherit}.comdiv .commeta a:active,.comdiv .commeta a:hover{text-decoration:underline}.comdiv .commeta ul li.comauth{font-size:14px;line-height:20px;text-transform:uppercase;letter-spacing:.1em;font-weight:500}.comdiv .comactions{font-size:13px;line-height:18px;margin-top:10px}.comdiv .comactions ul{display:flex;flex-wrap:wrap;margin:0 0 0 -20px;margin-bottom:-5px!important;padding:0;list-style:none;align-items:center}.comdiv .comactions ul li{margin:0 0 0 20px;margin-bottom:5px!important;padding:0}.comdiv .comactions a{text-decoration:none;color:inherit;font-weight:inherit}.comdiv .comactions a:active,.comdiv .comactions a:hover{text-decoration:underline}#respond .comment-form .comtwocol{margin-left:-20px;display:-webkit-box;display:flex}#respond .comment-form .comtwocol p{margin-left:20px;width:50%}#respond .comment-form input[type=email],#respond .comment-form input[type=text],#respond .comment-form input[type=url],#respond .comment-form textarea{border:1px solid #2e292a;background:#fff;border-radius:0;box-sizing:border-box;width:100%;padding:10px 18px;font-size:16px;line-height:24px}#respond .comment-form textarea{height:118px;transition:height .3s}#respond .comment-form.expanded textarea{height:214px}#respond .appearing-fields{display:none}#respond .comment-form .form-submit{margin-bottom:0}#respond .comment-form input[type=submit]{background:#6c7b66;color:#fff;transition:background .3s;margin:0;padding:15px 20px;border:none;display:block;font-size:13px;line-height:18px;border-radius:0;text-transform:uppercase;letter-spacing:.1em;font-weight:500}#respond .comment-form input[type=submit]:hover{background:#4d5c47}#respond .comment-form label{display:block;margin:0 0 8px;font-size:13px;line-height:18px;text-transform:uppercase;letter-spacing:.1em;font-weight:500}#respond .comment-form label .required{color:#d93024}#respond .comment-form p{margin-bottom:20px}#respond .comment-form fieldset.wprm-comment-ratings-container{display:block}.socialicons{font-size:20px;line-height:1;text-align:center;margin:30px 0}.sidebar .socialicons{margin:20px 0}.socialicons ul{margin:0 0 0 -30px;padding:0;list-style:none;display:flex;flex-wrap:wrap;justify-content:center;align-items:center;row-gap:20px}.socialicons ul li{margin:0 0 0 30px;padding:0}.socialicons ul li a{display:block;margin:0 -10px;padding:0!important;text-decoration:none!important;font-weight:inherit;color:inherit;background:0 0}.socialicons ul li a .cicon{padding:0 10px;display:block}.socialicons ul li:hover a[href*="facebook.com"]{color:#3a5997!important}.socialicons ul li:hover a[href*="pinterest.com"]{color:#cb2027!important}.socialicons ul li:hover a[href*="instagram.com"]{color:#833ab4!important}.socialicons ul li:hover a[href*="youtube.com"]{color:red!important}.socialicons ul li:hover a[href*="mailto:"]{color:#6c7b66!important}.socialicons ul li:hover a[href*="/feed/"]{color:#f26522!important}.cta{background:url(https://www.chewoutloud.com/wp-content/themes/col2021/images/equipment.svg) center -110px no-repeat #e2ddd2;padding:60px 0;text-align:center}.cta h2{font-size:42px;line-height:48px;margin-bottom:20px}#footer{background:#f3f1eb;padding:60px 0;font-size:14px;line-height:20px}#footer a{color:inherit;text-decoration:none;font-weight:inherit}#footer a:active,#footer a:hover{text-decoration:underline;color:#6c7b66}#footer .ftcols{margin-bottom:60px}#footer .ftcols .ftcols-a{display:flex;margin-left:-60px}#footer .ftcols .ftmenus{width:100%}#footer .ftcols .col-a{margin-left:60px}#footer .ftmenus ul.toplevel{margin:0 0 0 -60px;margin-bottom:-30px!important;padding:0;list-style:none;display:flex;flex-wrap:wrap}#footer .ftmenus ul.toplevel>li{margin:0;margin-bottom:30px!important;padding:0;width:25%;font-size:14px;line-height:20px;padding-left:60px;box-sizing:border-box}#footer .ftmenus ul.toplevel>li>a{text-transform:uppercase;letter-spacing:.1em;font-weight:500}#footer .ftmenus ul.toplevel>li>ul{margin:20px 0 0;padding:0;list-style:none}#footer .ftmenus ul.toplevel>li>ul>li{margin:10px 0 0;padding:0}#footer .ftcols h2{font-size:36px;line-height:40px;margin:40px 0 20px;text-align:left}#footer .ftcols p{margin-bottom:.8em}#footer .ftsmall{text-transform:uppercase;letter-spacing:.1em;font-size:12px;line-height:18px;font-weight:500}#footer .ftsmall ul{margin:0 0 0 -60px;margin-bottom:-15px!important;padding:0;list-style:none;display:flex;flex-wrap:wrap}#footer .ftsmall ul li{margin:0 0 0 60px;margin-bottom:15px!important;padding:0}#footer .ftsmall ul li.right{margin-left:auto;padding-left:60px}#footer .socialicons ul{justify-content:flex-start;margin-top:-20px;margin-bottom:60px}@media screen and (max-width:1279px){#footer .ftcols .ftcols-a{margin-left:-40px}#footer .ftcols .col-a{margin-left:40px}#footer .ftmenus ul.toplevel{margin-left:-40px}#footer .ftmenus ul.toplevel>li{padding-left:40px}#footer .ftcols h2{font-size:28px;line-height:34px}}@media screen and (max-width:1023px){.cta h2{font-size:36px;line-height:42px}#footer .ftmenus ul.toplevel>li{width:50%}}@media screen and (max-width:767px){.cta{padding:30px 0;background-image:none}.cta h2{font-size:24px;line-height:30px;margin-bottom:10px}#footer{padding:30px 0;font-size:12px}#footer .ftcols{margin-bottom:40px}#footer .ftcols .ftcols-a{display:block;margin-left:0}#footer .ftcols .ftmenus{width:auto;margin-bottom:40px}#footer .ftcols .col-a{margin-left:0}#footer .ftcols h2{font-size:24px;line-height:28px;margin-bottom:15px}#footer .ftmenus ul.toplevel{margin-left:-15px}#footer .ftmenus ul.toplevel>li{font-size:13px;line-height:18px;padding-left:15px}#footer .ftmenus ul.toplevel>li>ul{margin-top:12px}#footer .ftsmall ul{margin-left:-30px;justify-content:center}#footer .ftsmall ul li{margin-left:30px}#footer .ftsmall ul li.right{margin-left:30px;padding-left:0}#footer .socialicons ul{margin-top:-10px;margin-bottom:40px;justify-content:center}}#fullwrap .notop>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .notop>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child>:first-child{margin-top:0}#fullwrap .nobot>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}#fullwrap .nobot>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child>:last-child{margin-bottom:0}.cicon{display:inline-block;width:1em;height:1em;stroke-width:0;stroke:currentColor;fill:currentColor;overflow:visible!important}.icon-angle-right{width:.375em}.icon-heart{width:1.111328125em}.icon-pinterest{width:.7998046875em}.icon-facebook{width:.5498046875em}.icon-comments{width:1.1669921875em}.icon-angle-down{width:.625em}.icon-youtube{width:1.5em}.icon-search{width:.93359375em}.icon-heart{width:1.099609375em}.icon-yummly{width:.7822265625em}.table-of-contents .toc-toggle{margin-top:20px}.table-of-contents .toc-toggle button{display:inline-block;border:none;background:#6c7c66;font-size:13px;line-height:18px;text-transform:uppercase;letter-spacing:.1em;padding:15px 20px;font-weight:500;transition:background .3s;color:#fff}.table-of-contents .toc-toggle button:hover{background:#4d5c47}.table-of-contents .toc-toggle button:before{content:"+";display:inline-block;margin-right:5px}.table-of-contents.expanded .toc-toggle button:before{content:"\2212"}#bodyel .customckform{min-height:48px;margin:30px 0}#bodyel .customckform .formkit-form{max-width:none;margin:0}#bodyel .customckform .formkit-form [data-style=clean]{padding:0}#bodyel .customckform .formkit-fields{margin:0 0 0 -20px;justify-content:flex-start;row-gap:20px;display:flex;flex-wrap:nowrap;justify-content:center}#bodyel .customckform .formkit-field{flex-basis:300px;max-width:300px;flex-grow:1;margin-bottom:0;flex-shrink:1}#bodyel .customckform .formkit-field:first-child{flex-basis:200px;max-width:200px}#bodyel .customckform .formkit-field,#bodyel .customckform .formkit-submit{margin:0 0 0 20px}#bodyel .customckform input[type=email],#bodyel .customckform input[type=text]{display:block;margin:0;box-sizing:border-box;background:#fff!important;border:none!important;padding:12px 18px;font-size:16px;line-height:24px;min-width:0;border-radius:0!important;box-sizing:border-box;width:100%;color:#2e292a!important;font-weight:300!important}#bodyel .customckform button.formkit-submit{background:#6c7b66!important;color:#fff!important;border:none!important;font-size:13px;line-height:20px;text-transform:uppercase;letter-spacing:.1em;font-weight:700!important;transition:background .3s;padding:14px 20px;display:block;box-sizing:border-box;border-radius:0!important;font-weight:500!important;flex-basis:auto;flex-grow:0;flex-shrink:0}#bodyel .customckform button.formkit-submit:hover{background:#4d5c47!important}#bodyel .customckform button.formkit-submit span{padding:0;background:0 0}#bodyel .customckform .formkit-alert{margin:0 0 20px;padding:0;background:0 0;border:none;text-align:inherit}@media screen and (max-width:767px){#bodyel .customckform{min-height:184px}#bodyel .customckform .formkit-fields{flex-wrap:wrap}#bodyel .customckform .formkit-field{width:100%;flex-basis:auto;max-width:100%}#bodyel .customckform .formkit-field:first-child{width:100%;max-width:100%}#bodyel .customckform button.formkit-submit{flex-grow:1;width:100%;flex-shrink:1}}.rll-youtube-player{position:relative;padding-bottom:56.23%;height:0;overflow:hidden;max-width:100%}.rll-youtube-player:focus-within{outline:currentColor solid 2px;outline-offset:5px}.rll-youtube-player iframe{position:absolute;top:0;left:0;width:100%;height:100%;z-index:100;background:0 0}.rll-youtube-player img{bottom:0;display:block;left:0;margin:auto;max-width:100%;width:100%;position:absolute;right:0;top:0;border:none;height:auto;-webkit-transition:.4s;-moz-transition:.4s;transition:.4s all}.rll-youtube-player img:hover{-webkit-filter:brightness(75%)}.rll-youtube-player .play{height:100%;width:100%;left:0;top:0;position:absolute;background:url(https://www.chewoutloud.com/wp-content/plugins/wp-rocket/assets/img/youtube.png) center no-repeat;background-color:transparent!important;cursor:pointer;border:none}.tippy-box[data-theme~=wprm]{background-color:#333;color:#fff}.tippy-box[data-theme~=wprm][data-placement^=top]>.tippy-arrow::before{border-top-color:#333}.tippy-box[data-theme~=wprm][data-placement^=bottom]>.tippy-arrow::before{border-bottom-color:#333}.tippy-box[data-theme~=wprm][data-placement^=left]>.tippy-arrow::before{border-left-color:#333}.tippy-box[data-theme~=wprm][data-placement^=right]>.tippy-arrow::before{border-right-color:#333}.tippy-box[data-theme~=wprm] a{color:#fff}.wprm-comment-rating svg{width:20px!important;height:20px!important}img.wprm-comment-rating{width:100px!important;height:20px!important}body{--comment-rating-star-color:#fda41d}body{--wprm-popup-font-size:16px}body{--wprm-popup-background:#ffffff}body{--wprm-popup-title:#000000}body{--wprm-popup-content:#444444}body{--wprm-popup-button-background:#444444}body{--wprm-popup-button-text:#ffffff}.wprm-recipe-template-col-recipe .wprm-block-text-normal{font-weight:inherit}.wprm-recipe-template-col-recipe .wprm-block-text-bold{font-weight:600!important}.wprm-recipe-template-col-recipe .col-recipe-wrap{font-size:16px;padding-top:75px;position:relative}.wprm-recipe-template-col-recipe .col-recipe-wrap-a{border:1px solid #e5e0d6;padding:104px 30px 30px}.wprm-recipe-template-col-recipe .wprm-recipe-image{position:absolute;top:0;left:0;width:100%}.wprm-recipe-template-col-recipe .wprm-recipe-image img{display:block;margin:0 auto;border-radius:50%;width:150px}.wprm-recipe-template-col-recipe .wprm-recipe-rating{display:flex;flex-wrap:wrap;align-items:center;justify-content:center;margin-left:-10px;row-gap:5px;padding:3px 0}.wprm-recipe-template-col-recipe .wprm-recipe-rating>.wprm-rating-star:first-child,.wprm-recipe-template-col-recipe .wprm-recipe-rating>div{margin-left:10px}.wprm-recipe-template-col-recipe .wprm-recipe-rating-details{font-size:14px}.wprm-recipe-template-col-recipe .col-recipe-buttons{margin:20px 0;display:flex;flex-wrap:wrap;justify-content:center;margin-left:-10px;row-gap:10px}.wprm-recipe-template-col-recipe .col-recipe-buttons>a{margin:0 0 0 10px;pointer:cursor;background:#6c7c66;color:#fff;font-size:13px;line-height:18px;text-transform:uppercase;letter-spacing:.1em;padding:15px 20px;text-decoration:none;text-align:center;display:inline-block;transition:background .3s;font-weight:500}.wprm-recipe-template-col-recipe .col-recipe-buttons>a:active,.wprm-recipe-template-col-recipe .col-recipe-buttons>a:hover{background:#4d5c47}.wprm-recipe-template-col-recipe .wprm-nutrition-label-container,.wprm-recipe-template-col-recipe .wprm-private-notes-container,.wprm-recipe-template-col-recipe .wprm-recipe-equipment-container,.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-container,.wprm-recipe-template-col-recipe .wprm-recipe-instructions-container,.wprm-recipe-template-col-recipe .wprm-recipe-notes-container,.wprm-recipe-template-col-recipe .wprm-recipe-video-container{margin-bottom:30px}.wprm-recipe-template-col-recipe .wprm-recipe-summary{margin-bottom:20px}.wprm-recipe-template-col-recipe .wprm-recipe-meta-container,.wprm-recipe-template-col-recipe .wprm-recipe-servings-container{margin-bottom:10px}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-container{margin-top:20px}.wprm-recipe-template-col-recipe h2{margin:0 0 10px!important;font-size:32px;line-height:36px;text-transform:uppercase!important;letter-spacing:.0625em!important}.wprm-recipe-template-col-recipe h3{margin:0 0 15px!important;font-size:24px!important;line-height:28px!important}.wprm-recipe-template-col-recipe h3.wprm-block-text-bold{font-weight:700!important}.wprm-recipe-template-col-recipe h4,.wprm-recipe-template-col-recipe h4.wprm-recipe-group-name{margin:15px 0 10px!important;font-size:16px!important;line-height:24px!important;font-weight:700!important;font-family:inherit}.wprm-recipe-template-col-recipe .wprm-recipe-author-container,.wprm-recipe-template-col-recipe .wprm-recipe-meta-container,.wprm-recipe-template-col-recipe .wprm-recipe-servings-container{font-size:14px;line-height:20px;position:relative;text-align:center}.wprm-recipe-template-col-recipe .wprm-recipe-meta-container{display:flex;flex-wrap:wrap;justify-content:center;row-gap:10px}.wprm-recipe-template-col-recipe .wprm-recipe-author-container{margin-bottom:10px}.wprm-recipe-template-col-recipe .wprm-recipe-times-container{font-size:14px;line-height:20px;display:block;text-align:center}.wprm-recipe-template-col-recipe .wprm-recipe-times-container-inner{margin-left:-20px;display:flex;flex-wrap:wrap;justify-content:center;row-gap:20px}.wprm-recipe-template-col-recipe .wprm-recipe-times-container .wprm-recipe-time-container{margin:0 0 0 20px}.wprm-recipe-template-col-recipe span.wprm-recipe-servings{font-weight:inherit}.wprm-recipe-template-col-recipe .wprm-recipe-details-unit{font-size:inherit}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions{display:flex;flex-wrap:wrap;row-gap:10px;align-items:center}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions>span.ing{flex-grow:1}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions button{font-size:13px;line-height:20px;padding:5px 8px;font-family:acumin-pro-wide,sans-serif}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions>div{margin-left:3px}@media screen and (max-width:767px){.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions>span.ing{width:100%}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions>div{margin-left:0}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients-header.wprm-header-has-actions>div+div{margin-left:3px}}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients{margin:0;padding:0 0 0 1.6em}.wprm-recipe-template-col-recipe .wprm-recipe-ingredients li{margin:0 0 4px;padding:0 0 0 .3125em}.wprm-recipe-template-col-recipe .wprm-recipe-instructions-container .wprm-recipe-instruction-media{margin:30px 0}.wprm-recipe-template-col-recipe .wprm-recipe-instructions-container li:last-child .wprm-recipe-instruction-media{margin-bottom:0}.wprm-recipe-template-col-recipe .wprm-recipe-instructions-container .wprm-recipe-instruction-media>*{vertical-align:bottom}.wprm-recipe-template-col-recipe ul.wprm-recipe-instructions{list-style:none;counter-reset:ol-circles;padding-left:0}.wprm-recipe-template-col-recipe ul.wprm-recipe-instructions>li{counter-increment:ol-circles;padding-left:2.444em;position:relative;margin:0 0 10px;list-style:none!important}.wprm-recipe-template-col-recipe ul.wprm-recipe-instructions>li p{margin:0}.wprm-recipe-template-col-recipe ul.wprm-recipe-instructions>li:before{content:counter(ol-circles);width:2em;height:2em;line-height:2em;display:block;position:absolute;top:-.0625em;left:0;background:#dfdbd5;border-radius:50%;text-align:center;font-size:.8888888888em;font-weight:700}.wprm-recipe-template-col-recipe .wprm-recipe-equipment-container ul,.wprm-recipe-template-col-recipe .wprm-recipe-notes-container ol,.wprm-recipe-template-col-recipe .wprm-recipe-notes-container ul{margin:10px 0;padding:0 0 0 1.6em}.wprm-recipe-template-col-recipe .wprm-recipe-equipment-container li,.wprm-recipe-template-col-recipe .wprm-recipe-notes-container li{margin:0 0 4px;padding:0 0 0 .3125em}.wprm-recipe-template-col-recipe .wprm-nutrition-label-container-simple{font-size:14px;line-height:24px}.wprm-recipe-template-col-recipe .wprm-nutrition-label-container-simple .wprm-nutrition-label-text-nutrition-unit{font-size:inherit}.wprm-recipe-template-col-recipe .wprm-nutrition-label-text-nutrition-container{display:inline-block}#fullwrap .wprm-rating-stars{display:block}#fullwrap .wprm-recipe-rating{padding:0;line-height:16px}#fullwrap .wprm-rating-star{display:inline-block;vertical-align:top;padding:0 1px}#fullwrap .wprm-rating-star:first-child{padding-left:0!important}#fullwrap .wprm-rating-star:last-child{padding-right:0!important}#fullwrap .wprm-rating-star svg{width:16px;height:16px;margin:0!important;display:block}#fullwrap .wprm-comment-rating .wprm-rating-stars{line-height:16px;padding:1px 0}img#wpstats{display:none}#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-full svg *{fill:#FDA41D}#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:#FDA41D}linearGradient#wprm-recipe-user-rating-1-50 stop{stop-color:#FDA41D}linearGradient#wprm-recipe-user-rating-1-66 stop{stop-color:#FDA41D}#wprm-recipe-user-rating-1.wprm-user-rating-allowed.wprm-user-rating-not-voted:not(.wprm-user-rating-voting) svg *{fill-opacity:0.3}#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-full svg *{fill:#FDA41D}#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:#FDA41D}linearGradient#wprm-recipe-user-rating-0-50 stop{stop-color:#FDA41D}linearGradient#wprm-recipe-user-rating-0-66 stop{stop-color:#FDA41D}#wprm-recipe-user-rating-0.wprm-user-rating-allowed.wprm-user-rating-not-voted:not(.wprm-user-rating-voting) svg *{fill-opacity:0.3}#wprm-recipe-user-rating-2 .wprm-rating-star.wprm-rating-star-full svg *{fill:#343434}#wprm-recipe-user-rating-2 .wprm-rating-star.wprm-rating-star-33 svg *{fill:url(#wprm-recipe-user-rating-2-33)}#wprm-recipe-user-rating-2 .wprm-rating-star.wprm-rating-star-50 svg *{fill:url(#wprm-recipe-user-rating-2-50)}#wprm-recipe-user-rating-2 .wprm-rating-star.wprm-rating-star-66 svg *{fill:url(#wprm-recipe-user-rating-2-66)}linearGradient#wprm-recipe-user-rating-2-33 stop{stop-color:#343434}linearGradient#wprm-recipe-user-rating-2-50 stop{stop-color:#343434}linearGradient#wprm-recipe-user-rating-2-66 stop{stop-color:#343434}#wprm-recipe-user-rating-2.wprm-user-rating-allowed.wprm-user-rating-not-voted:not(.wprm-user-rating-voting) svg *{fill-opacity:0.3}.formkit-form[data-uid="7662b82364"] *{box-sizing:border-box}.formkit-form[data-uid="7662b82364"]{-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale}.formkit-form[data-uid="7662b82364"] legend{border:none;font-size:inherit;margin-bottom:10px;padding:0;position:relative;display:table}.formkit-form[data-uid="7662b82364"] fieldset{border:0;padding:.01em 0 0;margin:0;min-width:0}.formkit-form[data-uid="7662b82364"] body:not(:-moz-handler-blocked) fieldset{display:table-cell}.formkit-form[data-uid="7662b82364"] h1,.formkit-form[data-uid="7662b82364"] h2,.formkit-form[data-uid="7662b82364"] h3,.formkit-form[data-uid="7662b82364"] h4{color:inherit;font-size:inherit;font-weight:inherit}.formkit-form[data-uid="7662b82364"] h2{font-size:1.5em;margin:1em 0}.formkit-form[data-uid="7662b82364"] h3{font-size:1.17em;margin:1em 0}.formkit-form[data-uid="7662b82364"] p{color:inherit;font-size:inherit;font-weight:inherit}.formkit-form[data-uid="7662b82364"] ol:not([template-default]),.formkit-form[data-uid="7662b82364"] ul:not([template-default]){text-align:left}.formkit-form[data-uid="7662b82364"] ol:not([template-default]),.formkit-form[data-uid="7662b82364"] p:not([template-default]),.formkit-form[data-uid="7662b82364"] ul:not([template-default]){color:inherit;font-style:initial}.formkit-form[data-uid="7662b82364"][data-format=modal]{display:none}.formkit-form[data-uid="7662b82364"] .formkit-input{width:100%}.formkit-form[data-uid="7662b82364"] .formkit-button,.formkit-form[data-uid="7662b82364"] .formkit-submit{border:0;border-radius:5px;color:#fff;cursor:pointer;display:inline-block;text-align:center;font-size:15px;font-weight:500;cursor:pointer;margin-bottom:15px;overflow:hidden;padding:0;position:relative;vertical-align:middle}.formkit-form[data-uid="7662b82364"] .formkit-button:focus,.formkit-form[data-uid="7662b82364"] .formkit-button:hover,.formkit-form[data-uid="7662b82364"] .formkit-submit:focus,.formkit-form[data-uid="7662b82364"] .formkit-submit:hover{outline:0}.formkit-form[data-uid="7662b82364"] .formkit-button:focus>span,.formkit-form[data-uid="7662b82364"] .formkit-button:hover>span,.formkit-form[data-uid="7662b82364"] .formkit-submit:focus>span,.formkit-form[data-uid="7662b82364"] .formkit-submit:hover>span{background-color:rgba(0,0,0,.1)}.formkit-form[data-uid="7662b82364"] .formkit-button>span,.formkit-form[data-uid="7662b82364"] .formkit-submit>span{display:block;-webkit-transition:.3s ease-in-out;transition:all .3s ease-in-out;padding:12px 24px}.formkit-form[data-uid="7662b82364"] .formkit-input{background:#fff;font-size:15px;padding:12px;border:1px solid #e3e3e3;-webkit-flex:1 0 auto;-ms-flex:1 0 auto;flex:1 0 auto;line-height:1.4;margin:0;-webkit-transition:border-color .3s ease-out;transition:border-color ease-out .3s}.formkit-form[data-uid="7662b82364"] .formkit-input:focus{outline:0;border-color:#1677be;-webkit-transition:border-color .3s;transition:border-color ease .3s}.formkit-form[data-uid="7662b82364"] .formkit-input::-webkit-input-placeholder{color:inherit;opacity:.8}.formkit-form[data-uid="7662b82364"] .formkit-input::-moz-placeholder{color:inherit;opacity:.8}.formkit-form[data-uid="7662b82364"] .formkit-input:-ms-input-placeholder{color:inherit;opacity:.8}.formkit-form[data-uid="7662b82364"] .formkit-input::placeholder{color:inherit;opacity:.8}.formkit-form[data-uid="7662b82364"] [data-group=dropdown]{position:relative;display:inline-block;width:100%}.formkit-form[data-uid="7662b82364"] [data-group=dropdown]::before{content:"";top:calc(50% - 2.5px);right:10px;position:absolute;pointer-events:none;border-color:#4f4f4f transparent transparent;border-style:solid;border-width:6px 6px 0;height:0;width:0;z-index:999}.formkit-form[data-uid="7662b82364"] [data-group=dropdown] select{height:auto;width:100%;cursor:pointer;color:#333;line-height:1.4;margin-bottom:0;padding:0 6px;-webkit-appearance:none;-moz-appearance:none;appearance:none;font-size:15px;padding:12px;padding-right:25px;border:1px solid #e3e3e3;background:#fff}.formkit-form[data-uid="7662b82364"] [data-group=dropdown] select:focus{outline:0}.formkit-form[data-uid="7662b82364"] .formkit-alert{background:#f9fafb;border:1px solid #e3e3e3;border-radius:5px;-webkit-flex:1 0 auto;-ms-flex:1 0 auto;flex:1 0 auto;list-style:none;margin:25px auto;padding:12px;text-align:center;width:100%}.formkit-form[data-uid="7662b82364"] .formkit-alert:empty{display:none}.formkit-form[data-uid="7662b82364"] .formkit-alert-error{background:#fde8e2;border-color:#f2643b;color:#ea4110}.formkit-form[data-uid="7662b82364"] .formkit-spinner{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;height:0;width:0;margin:0 auto;position:absolute;top:0;left:0;right:0;width:0;overflow:hidden;text-align:center;-webkit-transition:.3s ease-in-out;transition:all .3s ease-in-out}.formkit-form[data-uid="7662b82364"] .formkit-spinner>div{margin:auto;width:12px;height:12px;background-color:#fff;opacity:.3;border-radius:100%;display:inline-block;-webkit-animation:1.4s ease-in-out infinite both formkit-bouncedelay-formkit-form-data-uid-7662b82364-;animation:1.4s ease-in-out infinite both formkit-bouncedelay-formkit-form-data-uid-7662b82364-}.formkit-form[data-uid="7662b82364"] .formkit-spinner>div:first-child{-webkit-animation-delay:-.32s;animation-delay:-.32s}.formkit-form[data-uid="7662b82364"] .formkit-spinner>div:nth-child(2){-webkit-animation-delay:-.16s;animation-delay:-.16s}@-webkit-keyframes formkit-bouncedelay-formkit-form-data-uid-7662b82364-{0%,100%,80%{-webkit-transform:scale(0);-ms-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);-ms-transform:scale(1);transform:scale(1)}}@keyframes formkit-bouncedelay-formkit-form-data-uid-7662b82364-{0%,100%,80%{-webkit-transform:scale(0);-ms-transform:scale(0);transform:scale(0)}40%{-webkit-transform:scale(1);-ms-transform:scale(1);transform:scale(1)}}.formkit-form[data-uid="7662b82364"]{max-width:700px}.formkit-form[data-uid="7662b82364"] [data-style=clean]{width:100%}.formkit-form[data-uid="7662b82364"] .formkit-fields{display:-webkit-box;display:-webkit-flex;display:-ms-flexbox;display:flex;-webkit-flex-wrap:wrap;-ms-flex-wrap:wrap;flex-wrap:wrap;margin:0 auto}.formkit-form[data-uid="7662b82364"] .formkit-field,.formkit-form[data-uid="7662b82364"] .formkit-submit{margin:0 0 15px;-webkit-flex:1 0 100%;-ms-flex:1 0 100%;flex:1 0 100%}.formkit-form[data-uid="7662b82364"] .formkit-submit{position:static}.formkit-form[data-uid="7662b82364"][min-width~="700"] [data-style=clean],.formkit-form[data-uid="7662b82364"][min-width~="800"] [data-style=clean]{padding:10px;padding-top:56px}.formkit-form[data-uid="7662b82364"][min-width~="700"] .formkit-fields[data-stacked=false],.formkit-form[data-uid="7662b82364"][min-width~="800"] .formkit-fields[data-stacked=false]{margin-left:-5px;margin-right:-5px}.formkit-form[data-uid="7662b82364"][min-width~="700"] .formkit-fields[data-stacked=false] .formkit-field,.formkit-form[data-uid="7662b82364"][min-width~="700"] .formkit-fields[data-stacked=false] .formkit-submit,.formkit-form[data-uid="7662b82364"][min-width~="800"] .formkit-fields[data-stacked=false] .formkit-field,.formkit-form[data-uid="7662b82364"][min-width~="800"] .formkit-fields[data-stacked=false] .formkit-submit{margin:0 5px 15px}.formkit-form[data-uid="7662b82364"][min-width~="700"] .formkit-fields[data-stacked=false] .formkit-field,.formkit-form[data-uid="7662b82364"][min-width~="800"] .formkit-fields[data-stacked=false] .formkit-field{-webkit-flex:100 1 auto;-ms-flex:100 1 auto;flex:100 1 auto}.formkit-form[data-uid="7662b82364"][min-width~="700"] .formkit-fields[data-stacked=false] .formkit-submit,.formkit-form[data-uid="7662b82364"][min-width~="800"] .formkit-fields[data-stacked=false] .formkit-submit{-webkit-flex:1 1 auto;-ms-flex:1 1 auto;flex:1 1 auto}:root{--comment-rating-star-color:#343434}.wprm-comment-rating svg path{fill:var(--comment-rating-star-color)}.wprm-comment-rating svg polygon{stroke:var(--comment-rating-star-color)}.wprm-comment-ratings-container svg .wprm-star-full{fill:var(--comment-rating-star-color)}.wprm-comment-ratings-container svg .wprm-star-empty{stroke:var(--comment-rating-star-color)}body:not(:hover) fieldset.wprm-comment-ratings-container:focus-within span{outline:#4d90fe solid 1px}.comment-form-wprm-rating{margin-bottom:20px;margin-top:5px;text-align:left}.comment-form-wprm-rating .wprm-rating-stars{display:inline-block;vertical-align:middle}fieldset.wprm-comment-ratings-container{background:0 0;border:0;display:inline-block;margin:0;padding:0;position:relative}fieldset.wprm-comment-ratings-container legend{left:0;opacity:0;position:absolute}fieldset.wprm-comment-ratings-container br{display:none}fieldset.wprm-comment-ratings-container 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-comment-ratings-container input[type=radio]:first-child{margin-left:-16px}fieldset.wprm-comment-ratings-container span{font-size:0;height:16px;left:0;opacity:0;pointer-events:none;position:absolute;top:0;width:80px}fieldset.wprm-comment-ratings-container span svg{height:100%!important;width:100%!important}fieldset.wprm-comment-ratings-container input:checked+span,fieldset.wprm-comment-ratings-container input:hover+span{opacity:1}fieldset.wprm-comment-ratings-container input:hover+span~span{display:none}.rtl .comment-form-wprm-rating{text-align:right}.rtl img.wprm-comment-rating{transform:scaleX(-1)}.rtl fieldset.wprm-comment-ratings-container span{left:inherit;right:0}.rtl fieldset.wprm-comment-ratings-container span svg{transform:scaleX(-1)}:root{--wprm-popup-font-size:16px;--wprm-popup-background:#fff;--wprm-popup-title:#000;--wprm-popup-content:#444;--wprm-popup-button-background:#5a822b;--wprm-popup-button-text:#fff}.wprm-popup-modal{display:none}.wprm-popup-modal.is-open{display:block}.wprm-popup-modal__overlay{align-items:center;background:rgba(0,0,0,.6);bottom:0;display:flex;justify-content:center;left:0;position:fixed;right:0;top:0;z-index:2147483646}.wprm-popup-modal__container{background-color:var(--wprm-popup-background);border-radius:4px;box-sizing:border-box;font-size:var(--wprm-popup-font-size);max-height:100vh;max-width:100%;overflow-y:auto;padding:30px}.wprm-popup-modal__header{align-items:center;display:flex;justify-content:space-between;margin-bottom:10px}.wprm-popup-modal__title{box-sizing:border-box;color:var(--wprm-popup-title);font-size:1.2em;font-weight:600;line-height:1.25;margin-bottom:0;margin-top:0}.wprm-popup-modal__header .wprm-popup-modal__close{background:0 0;border:0;cursor:pointer;width:18px}.wprm-popup-modal__header .wprm-popup-modal__close:before{color:var(--wprm-popup-title);content:"✕";font-size:var(--wprm-popup-font-size)}.wprm-popup-modal__content{color:var(--wprm-popup-content);line-height:1.5}.wprm-popup-modal__content p{font-size:1em;line-height:1.5}.wprm-popup-modal__footer{margin-top:20px}.wprm-popup-modal__btn{-webkit-appearance:button;background-color:var(--wprm-popup-button-background);border-radius:.25em;border-style:none;border-width:0;color:var(--wprm-popup-button-text);cursor:pointer;font-size:1em;line-height:1.15;margin:0;overflow:visible;padding:.5em 1em;text-transform:none;will-change:transform;-moz-osx-font-smoothing:grayscale;-webkit-backface-visibility:hidden;backface-visibility:hidden;-webkit-transform:translateZ(0);transform:translateZ(0);transition:-webkit-transform .25s ease-out;transition:transform .25s ease-out;transition:transform .25s ease-out,-webkit-transform .25s ease-out}.wprm-popup-modal__btn:focus,.wprm-popup-modal__btn:hover{-webkit-transform:scale(1.05);transform:scale(1.05)}@keyframes wprmPopupModalFadeIn{0%{opacity:0}to{opacity:1}}@keyframes wprmPopupModalFadeOut{0%{opacity:1}to{opacity:0}}@keyframes wprmPopupModalSlideIn{0%{transform:translateY(15%)}to{transform:translateY(0)}}@keyframes wprmPopupModalSlideOut{0%{transform:translateY(0)}to{transform:translateY(-10%)}}.wprm-popup-modal[aria-hidden=false] .wprm-popup-modal__overlay{animation:.3s cubic-bezier(0,0,.2,1) wprmPopupModalFadeIn}.wprm-popup-modal[aria-hidden=false] .wprm-popup-modal__container{animation:.3s cubic-bezier(0,0,.2,1) wprmPopupModalSlideIn}.wprm-popup-modal[aria-hidden=true] .wprm-popup-modal__overlay{animation:.3s cubic-bezier(0,0,.2,1) wprmPopupModalFadeOut}.wprm-popup-modal[aria-hidden=true] .wprm-popup-modal__container{animation:.3s cubic-bezier(0,0,.2,1) wprmPopupModalSlideOut}.wprm-popup-modal .wprm-popup-modal__container,.wprm-popup-modal .wprm-popup-modal__overlay{will-change:transform}.tippy-box[data-animation=fade][data-state=hidden]{opacity:0}[data-tippy-root]{max-width:calc(100vw - 10px)}.tippy-box{background-color:#333;border-radius:4px;color:#fff;font-size:14px;line-height:1.4;outline:0;position:relative;transition-property:transform,visibility,opacity;white-space:normal}.tippy-box[data-placement^=top]>.tippy-arrow{bottom:0}.tippy-box[data-placement^=top]>.tippy-arrow:before{border-top-color:initial;border-width:8px 8px 0;bottom:-7px;left:0;transform-origin:center top}.tippy-box[data-placement^=bottom]>.tippy-arrow{top:0}.tippy-box[data-placement^=bottom]>.tippy-arrow:before{border-bottom-color:initial;border-width:0 8px 8px;left:0;top:-7px;transform-origin:center bottom}.tippy-box[data-placement^=left]>.tippy-arrow{right:0}.tippy-box[data-placement^=left]>.tippy-arrow:before{border-left-color:initial;border-width:8px 0 8px 8px;right:-7px;transform-origin:center left}.tippy-box[data-placement^=right]>.tippy-arrow{left:0}.tippy-box[data-placement^=right]>.tippy-arrow:before{border-right-color:initial;border-width:8px 8px 8px 0;left:-7px;transform-origin:center right}.tippy-box[data-inertia][data-state=visible]{transition-timing-function:cubic-bezier(.54,1.5,.38,1.11)}.tippy-arrow{color:#333;height:16px;width:16px}.tippy-arrow:before{border-color:transparent;border-style:solid;content:"";position:absolute}.tippy-content{padding:5px 9px;position:relative;z-index:1}.tippy-box[data-theme=wprm] .tippy-content p:first-child{margin-top:0}.tippy-box[data-theme=wprm] .tippy-content p:last-child{margin-bottom:0}img.wprm-comment-rating{display:block;margin:5px 0}img.wprm-comment-rating+br{display:none}.wprm-rating-star svg{display:inline;height:16px;margin:0;vertical-align:middle;width:16px}.wprm-loader{animation:1s ease-in-out infinite wprmSpin;-webkit-animation:1s ease-in-out infinite wprmSpin;border:2px solid hsla(0,0%,78%,.3);border-radius:50%;border-top-color:#444;display:inline-block;height:10px;width:10px}@keyframes wprmSpin{to{-webkit-transform:rotate(1turn)}}@-webkit-keyframes wprmSpin{to{-webkit-transform:rotate(1turn)}}.wprm-recipe-container{outline:0}.wprm-recipe{overflow:hidden;zoom:1;clear:both;text-align:left}.wprm-recipe *{box-sizing:border-box}.wprm-recipe ol,.wprm-recipe ul{-webkit-margin-before:0;-webkit-margin-after:0;-webkit-padding-start:0;margin:0;padding:0}.wprm-recipe li{font-size:1em;margin:0 0 0 32px;padding:0}.wprm-recipe p{font-size:1em;margin:0;padding:0}.wprm-recipe li,.wprm-recipe li.wprm-recipe-instruction{list-style-position:outside}.wprm-recipe li:before{display:none}.wprm-recipe h1,.wprm-recipe h2,.wprm-recipe h3,.wprm-recipe h4{clear:none;font-variant:normal;letter-spacing:normal;margin:0;padding:0;text-transform:none}.wprm-recipe a.wprm-recipe-link,.wprm-recipe a.wprm-recipe-link:hover{-webkit-box-shadow:none;-moz-box-shadow:none;box-shadow:none}body:not(.wprm-print) .wprm-recipe p:first-letter{color:inherit;font-family:inherit;font-size:inherit;line-height:inherit;margin:inherit;padding:inherit}.rtl .wprm-recipe{text-align:right}.rtl .wprm-recipe li{margin:0 32px 0 0}.wprm-screen-reader-text{border:0;clip:rect(1px,1px,1px,1px);clip-path:inset(50%);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute!important;width:1px;word-wrap:normal!important}.wprm-recipe-block-container-inline{display:inline-block;margin-right:1.2em}.rtl .wprm-recipe-block-container-inline{margin-left:1.2em;margin-right:0}.wprm-recipe-details-container-inline{display:inline}.wprm-recipe-details-unit{font-size:.8em}@media only screen and (max-width:600px){.wprm-recipe-details-unit{font-size:1em}}.wprm-expandable-container.wprm-expandable-expanded .wprm-expandable-button-show{display:none}.wprm-block-text-normal{font-style:normal;font-weight:400;text-transform:none}.wprm-block-text-bold{font-weight:700!important}.wprm-align-left{text-align:left}.wprm-recipe-header.wprm-header-has-actions{align-items:center;display:flex;flex-wrap:wrap}.wprm-recipe-header .wprm-recipe-adjustable-servings-container{font-size:16px;font-style:normal;font-weight:400;opacity:1;text-transform:none}.wprm-recipe-image img{display:block;margin:0 auto}.wprm-recipe-image picture{border:none!important}.wprm-recipe-ingredients-container .wprm-recipe-ingredient-group-name{margin-top:.8em!important}.wprm-recipe-shop-instacart-loading{cursor:wait;opacity:.5}.wprm-recipe-shop-instacart{align-items:center;border:1px solid #003d29;border-radius:23px;cursor:pointer;display:inline-flex;font-family:Instacart,system-ui,-apple-system,BlinkMacSystemFont,'Segoe UI',Roboto,Oxygen,Ubuntu,Cantarell,'Open Sans','Helvetica Neue',sans-serif;font-size:14px;height:46px;padding:0 18px}.wprm-recipe-shop-instacart>img{height:22px!important;margin:0!important;padding:0!important;width:auto!important}.wprm-recipe-shop-instacart>span{margin-left:10px}.wprm-recipe-instructions-container .wprm-recipe-instruction-text{font-size:1em}.wprm-recipe-instructions-container .wprm-recipe-instruction-media{margin:5px 0 15px;max-width:100%}.wprm-recipe-link{cursor:pointer;text-decoration:none}.wprm-nutrition-label-container-simple .wprm-nutrition-label-text-nutrition-unit{font-size:.85em}.wprm-recipe-rating{white-space:nowrap}.wprm-recipe-rating svg{height:1.1em;margin-top:-.15em!important;margin:0;vertical-align:middle;width:1.1em}.wprm-recipe-rating .wprm-recipe-rating-details{font-size:.8em}.wprm-spacer{background:0 0!important;display:block!important;font-size:0;height:10px;line-height:0;width:100%}.wprm-spacer+.wprm-spacer{display:none!important}.wprm-recipe-instruction-text .wprm-spacer,.wprm-recipe-notes .wprm-spacer,.wprm-recipe-summary .wprm-spacer{display:block!important}.wprm-toggle-container{align-items:stretch;border:1px solid #333;display:inline-flex;flex-shrink:0;overflow:hidden}.wprm-toggle-container button.wprm-toggle{border:none;border-radius:0;box-shadow:none;display:inline-block;font-size:inherit;font-weight:inherit;letter-spacing:inherit;line-height:inherit;padding:5px 10px;text-decoration:none;text-transform:inherit;white-space:nowrap}.wprm-toggle-container button.wprm-toggle:not(.wprm-toggle-active){background:0 0!important;color:inherit!important}#wprm-timer-container{align-items:center;background-color:#000;bottom:0;color:#fff;display:flex;font-family:monospace,sans-serif;font-size:24px;height:50px;left:0;line-height:50px;position:fixed;right:0;z-index:16777271}#wprm-timer-container .wprm-timer-icon{cursor:pointer;padding:0 10px}#wprm-timer-container .wprm-timer-icon svg{display:table-cell;height:24px;vertical-align:middle;width:24px}#wprm-timer-container span{flex-shrink:0}#wprm-timer-container span#wprm-timer-bar-container{flex:1;padding:0 10px 0 15px}#wprm-timer-container span#wprm-timer-bar-container #wprm-timer-bar{border:3px solid #fff;display:block;height:24px;width:100%}#wprm-timer-container span#wprm-timer-bar-container #wprm-timer-bar #wprm-timer-bar-elapsed{background-color:#fff;border:0;display:block;height:100%;width:0}#wprm-timer-container.wprm-timer-finished{animation:1s linear infinite wprmtimerblink}@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 .wprm-user-rating-modal-comment-suggestions-container{display:none}.wprm-popup-modal-user-rating .wprm-user-rating-modal-comment-suggestions-container .wprm-user-rating-modal-comment-suggestion{border:1px dashed var(--wprm-popup-button-background);border-radius:5px;cursor:pointer;font-size:.8em;font-weight:700;margin:5px;padding:5px 10px}.wprm-popup-modal-user-rating .wprm-user-rating-modal-comment-suggestions-container .wprm-user-rating-modal-comment-suggestion:hover{border-style:solid}.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:#8b0000;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-waiting{display:none}fieldset.wprm-user-ratings-modal-stars{background:0 0;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}.rtl fieldset.wprm-user-ratings-modal-stars span{left:inherit;right:0}.rtl fieldset.wprm-user-ratings-modal-stars span svg{transform:scaleX(-1)}@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-advanced-servings-container{align-items:center;display:flex;flex-wrap:wrap;margin:5px 0}.wprm-recipe-advanced-servings-container .wprm-recipe-advanced-servings-input-unit{margin-left:3px}.wprm-recipe-advanced-servings-container .wprm-recipe-advanced-servings-input-shape{margin-left:5px}.wprm-recipe-equipment-container,.wprm-recipe-ingredients-container,.wprm-recipe-instructions-container{counter-reset:wprm-advanced-list-counter}.wprm-checkbox-container{margin-left:-16px}.rtl .wprm-checkbox-container{margin-left:0;margin-right:-16px}.wprm-checkbox-container input[type=checkbox]{margin:0!important;opacity:0;width:16px!important}.wprm-checkbox-container label:after,.wprm-checkbox-container label:before{content:"";display:inline-block;position:absolute}.rtl .wprm-checkbox-container label:after{right:5px}.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:#3b99fc auto 5px}.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}.wprm-recipe-equipment li.wprm-checkbox-is-checked,.wprm-recipe-ingredients li.wprm-checkbox-is-checked,.wprm-recipe-instructions li.wprm-checkbox-is-checked{text-decoration:line-through}.rtl .wprm-recipe-equipment li .wprm-checkbox-container,.rtl .wprm-recipe-ingredients li .wprm-checkbox-container,.rtl .wprm-recipe-instructions li .wprm-checkbox-container{left:inherit;right:-32px}.wprm-list-checkbox-container:before{display:none!important}.wprm-list-checkbox-container.wprm-list-checkbox-checked{text-decoration:line-through}.wprm-list-checkbox-container .wprm-list-checkbox:hover{cursor:pointer}.no-js .wprm-private-notes-container,.no-js .wprm-recipe-private-notes-header{display:none}.wprm-private-notes-container:not(.wprm-private-notes-container-disabled){cursor:pointer}.wprm-private-notes-container .wprm-private-notes-input,.wprm-private-notes-container .wprm-private-notes-user,.wprm-private-notes-container.wprm-private-notes-has-notes .wprm-private-notes-placeholder{display:none}.wprm-private-notes-container.wprm-private-notes-has-notes .wprm-private-notes-user{display:block}.wprm-private-notes-container.wprm-private-notes-editing .wprm-private-notes-placeholder,.wprm-private-notes-container.wprm-private-notes-editing .wprm-private-notes-user{display:none}.wprm-private-notes-container.wprm-private-notes-editing .wprm-private-notes-input{display:block}.wprm-private-notes-container .wprm-private-notes-user{white-space:pre-wrap}.wprm-private-notes-container .wprm-private-notes-input{box-sizing:border-box;height:100px;overflow:hidden;padding:5px;resize:none;width:100%}.wprm-print .wprm-private-notes-container{cursor:default}.wprm-print .wprm-private-notes-container .wprm-private-notes-input,.wprm-print .wprm-private-notes-container .wprm-private-notes-placeholder{display:none!important}.wprm-print .wprm-private-notes-container .wprm-private-notes-user{display:block!important}input[type=number].wprm-recipe-servings{display:inline;margin:0;padding:5px;width:60px}.wprm-recipe-servings-text-buttons-container{display:inline-flex}.wprm-recipe-servings-text-buttons-container input[type=text].wprm-recipe-servings{border-radius:0!important;display:inline;margin:0;outline:0;padding:0;text-align:center;vertical-align:top;width:40px}.wprm-recipe-servings-text-buttons-container .wprm-recipe-servings-change,.wprm-recipe-servings-text-buttons-container input[type=text].wprm-recipe-servings{border:1px solid #333;font-size:16px;height:30px;user-select:none}.wprm-recipe-servings-text-buttons-container .wprm-recipe-servings-change{background:#333;border-radius:3px;color:#fff;cursor:pointer;display:inline-block;line-height:26px;text-align:center;width:20px}.wprm-recipe-servings-text-buttons-container .wprm-recipe-servings-change:active{font-weight:700}.wprm-recipe-servings-text-buttons-container .wprm-recipe-servings-change.wprm-recipe-servings-decrement{border-bottom-right-radius:0!important;border-right:none;border-top-right-radius:0!important}.wprm-recipe-servings-text-buttons-container .wprm-recipe-servings-change.wprm-recipe-servings-increment{border-bottom-left-radius:0!important;border-left:none;border-top-left-radius:0!important}.wprm-recipe-servings-container .tippy-box{padding:5px 10px}</style><link rel="preload" data-rocket-preload as="image" href="https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-300x450.jpg" imagesrcset="https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-300x450.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-150x225.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-600x900.jpg 600w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2.jpg 736w" imagesizes="auto, (max-width: 340px) calc(100vw - 40px), 300px" fetchpriority="high">
<meta name="description" content="This buttery Lemon Garlic Swordfish recipe is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes amazing." />
<link rel="canonical" href="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/" />
<meta property="og:locale" content="en_US" />
<meta property="og:type" content="recipe" />
<meta property="og:title" content="Lemon Garlic Swordfish Recipe" />
<meta property="og:description" content="This buttery Lemon Garlic Swordfish recipe is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes amazing." />
<meta property="og:url" content="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/" />
<meta property="og:site_name" content="Chew Out Loud" />
<meta property="article:publisher" content="https://www.facebook.com/chewoutloud" />
<meta property="article:author" content="https://www.facebook.com/chewoutloud" />
<meta property="article:published_time" content="2018-08-28T21:56:54+00:00" />
<meta property="article:modified_time" content="2023-11-30T19:06:41+00:00" />
<meta property="og:image" content="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg" />
<meta property="og:image:width" content="736" />
<meta property="og:image:height" content="736" />
<meta property="og:image:type" content="image/jpeg" />
<meta name="author" content="Amy Dong" />
<meta name="twitter:label1" content="Written by" />
<meta name="twitter:data1" content="Amy Dong" />
<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://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#article","isPartOf":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/"},"author":{"name":"Amy Dong","@id":"https://www.chewoutloud.com/#/schema/person/98f2018bf7ee2104153805882fb867ca"},"headline":"Lemon Garlic Swordfish Recipe","datePublished":"2018-08-28T21:56:54+00:00","dateModified":"2023-11-30T19:06:41+00:00","wordCount":872,"commentCount":255,"publisher":{"@id":"https://www.chewoutloud.com/#organization"},"image":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#primaryimage"},"thumbnailUrl":"https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","keywords":["chives","garlic","lemon","lemon juice","lemon peel","olive oil","swordfish","video"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#respond"]}]},{"@type":"WebPage","@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/","url":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/","name":"Lemon Garlic Swordfish Recipe | Chew Out Loud","isPartOf":{"@id":"https://www.chewoutloud.com/#website"},"primaryImageOfPage":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#primaryimage"},"image":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#primaryimage"},"thumbnailUrl":"https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","datePublished":"2018-08-28T21:56:54+00:00","dateModified":"2023-11-30T19:06:41+00:00","description":"This buttery Lemon Garlic Swordfish recipe is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes amazing.","breadcrumb":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#breadcrumb"},"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/"]}]},{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#primaryimage","url":"https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","contentUrl":"https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","width":736,"height":736,"caption":"lemon butter swordfish recipe"},{"@type":"BreadcrumbList","@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https://www.chewoutloud.com/"},{"@type":"ListItem","position":2,"name":"Recipes","item":"https://www.chewoutloud.com/recipe-index/"},{"@type":"ListItem","position":3,"name":"Lunch","item":"https://www.chewoutloud.com/course/lunch/"},{"@type":"ListItem","position":4,"name":"Lemon Garlic Swordfish Recipe"}]},{"@type":"WebSite","@id":"https://www.chewoutloud.com/#website","url":"https://www.chewoutloud.com/","name":"Chew Out Loud","description":"Cook smarter, not harder","publisher":{"@id":"https://www.chewoutloud.com/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https://www.chewoutloud.com/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-US"},{"@type":"Organization","@id":"https://www.chewoutloud.com/#organization","name":"Chew Out Loud","url":"https://www.chewoutloud.com/","logo":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.chewoutloud.com/#/schema/logo/image/","url":"https://www.chewoutloud.com/wp-content/uploads/2023/09/logo-512x512-1.jpg","contentUrl":"https://www.chewoutloud.com/wp-content/uploads/2023/09/logo-512x512-1.jpg","width":512,"height":512,"caption":"Chew Out Loud"},"image":{"@id":"https://www.chewoutloud.com/#/schema/logo/image/"},"sameAs":["https://www.facebook.com/chewoutloud","https://x.com/chewoutloud","https://instagram.com/chewoutloud/","https://www.pinterest.com/chewoutloud/","https://www.youtube.com/channel/UCG5iIP4Vv8qEq1egH7IrH3A"]},{"@type":"Person","@id":"https://www.chewoutloud.com/#/schema/person/98f2018bf7ee2104153805882fb867ca","name":"Amy Dong","image":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.chewoutloud.com/#/schema/person/image/","url":"https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=96&d=mm&r=g","contentUrl":"https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=96&d=mm&r=g","caption":"Amy Dong"},"sameAs":["https://www.chewoutloud.com/welcome/","https://www.facebook.com/chewoutloud","https://x.com/chewoutloud"]},{"@type":"Recipe","name":"Lemon Garlic Swordfish Recipe","author":{"@id":"https://www.chewoutloud.com/#/schema/person/98f2018bf7ee2104153805882fb867ca"},"description":"This buttery Lemon Garlic Swordfish is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes like you spent way more time on it than you did. ","datePublished":"2018-08-28T16:56:54+00:00","image":["https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-500x500.jpg","https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-500x375.jpg","https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-480x270.jpg"],"recipeYield":["4"],"prepTime":"PT20M","cookTime":"PT10M","recipeIngredient":["2 TB salted butter (softened to room temp)","1 TB freshly chopped chives","2 TB garlic cloves (minced)","1/8 tsp kosher salt","1/4 tsp freshly ground black pepper","1 TB juice from fresh lemon","1 TB grated lemon peel","2 TB olive oil","2 1-inch thick each swordfish fillets, about 6-7 oz each","kosher salt and freshly ground black pepper"],"recipeInstructions":[{"@type":"HowToStep","text":"Preheat oven to 400F with rack on middle position. In a small pan, combine all Lemon Garlic Mixture ingredients and stir to fully combine. Set aside.","name":"Preheat oven to 400F with rack on middle position. In a small pan, combine all Lemon Garlic Mixture ingredients and stir to fully combine. Set aside.","url":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#wprm-recipe-15298-step-0-0"},{"@type":"HowToStep","text":"Use paper towels to pat-dry all excess moisture from the swordfish fillets. Evenly sprinkle both sides of fillets with pinches of kosher salt and freshly ground black pepper. Set aside.","name":"Use paper towels to pat-dry all excess moisture from the swordfish fillets. Evenly sprinkle both sides of fillets with pinches of kosher salt and freshly ground black pepper. Set aside.","url":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#wprm-recipe-15298-step-0-1"},{"@type":"HowToStep","text":"In a large, oven-proof pan, heat the olive oil over medium high heat. Once oil is hot, add the swordfish fillets to pan and let cook until browned on one side, about 3 minutes (do not move fish around much.) Carefully flip fish fillets over to the other side, turn stove off, and immediately transfer pan into hot oven.","name":"In a large, oven-proof pan, heat the olive oil over medium high heat. Once oil is hot, add the swordfish fillets to pan and let cook until browned on one side, about 3 minutes (do not move fish around much.) Carefully flip fish fillets over to the other side, turn stove off, and immediately transfer pan into hot oven.","url":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#wprm-recipe-15298-step-0-2"},{"@type":"HowToStep","text":"Let fish roast about 5-6 minutes or just until the top is golden and center is just cooked through. Take care not to overcook. A minute before fish is done cooking in oven, cook small pan of prepared lemon-garlic mixture over medium high heat, constantly stirring, just until melted and bubbly. Immediately turn heat off and pour mixture over the cooked fish. Be sure to pour on any juices from the swordfish pan as well.","name":"Let fish roast about 5-6 minutes or just until the top is golden and center is just cooked through. Take care not to overcook. A minute before fish is done cooking in oven, cook small pan of prepared lemon-garlic mixture over medium high heat, constantly stirring, just until melted and bubbly. Immediately turn heat off and pour mixture over the cooked fish. Be sure to pour on any juices from the swordfish pan as well.","url":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#wprm-recipe-15298-step-0-3"}],"aggregateRating":{"@type":"AggregateRating","ratingValue":"4.75","ratingCount":"316","reviewCount":"18"},"review":[{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"What an easy and delicious recipe. I will be adding this to my “entertaining “ file. I did double the butter sauce as my filets were about 12oz each","author":{"@type":"Person","name":"Brenda"},"datePublished":"2025-04-30"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This is my go to recipe for swordfish; my husband and I really LOVE It!!!! It's So EASY!!!","author":{"@type":"Person","name":"Pat Stanton"},"datePublished":"2025-04-29"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"By far the best swordfish recipe!! Made it for dinner tonight and it was easy \r\nYummy, Yummy","author":{"@type":"Person","name":"Roberta"},"datePublished":"2025-04-27"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Wow this was amazing. My husband told me several times during our meal. Thank you for sharing this wonderful recipe","author":{"@type":"Person","name":"M"},"datePublished":"2025-03-28"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Recipe was delicious. I'd never tried sword fish, so this was so tasty and easy to make!","author":{"@type":"Person","name":"Carol"},"datePublished":"2025-02-18"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Outstanding! Did not have enough lemons but half an orange fresh pressed orange juice did the trick and came out fantastic. Thanks for sharing.","author":{"@type":"Person","name":"Jpod"},"datePublished":"2025-02-08"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Made swordfish tonight using this recipe - Excellent! I didn’t have any chives on hand so I substituted scallions. So simple and delicious. Definitely gonna make it again.","author":{"@type":"Person","name":"Joy"},"datePublished":"2025-01-29"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Fresh local south Florida swordfish. Simple and delicious. Actually said after first bite, “ this may be the best fish I’ve ever eaten “.","author":{"@type":"Person","name":"Myra Maisano"},"datePublished":"2025-01-06"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"So incredibly moist and flavorful, our whole family devoured it!","author":{"@type":"Person","name":"Christy Budnick"},"datePublished":"2024-12-09"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Make this!! Follow the recipe. Have made swordfish many times.. definitely best recipe. Yummooo!!","author":{"@type":"Person","name":"Debi"},"datePublished":"2024-11-27"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"I prepared this dish and it was so delicious!!!","author":{"@type":"Person","name":"Keisha"},"datePublished":"2024-11-13"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Awesome! I switched out fresh rosemary for chives and used a cast iron skillet and it was perfection-perfectly cooked. Thank you","author":{"@type":"Person","name":"Holly"},"datePublished":"2024-11-02"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This recipe is PERFECT. Prepare exactly as written and I guarantee you’ll think you’re in a fine dining restaurant. Family said it was the best fish they’ve ever eaten. I agree. Having had swordfish steak at The Palm in Vegas, this preparation was superb.","author":{"@type":"Person","name":"Michelle"},"datePublished":"2024-10-18"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Tasty = a little salty but delicious!","author":{"@type":"Person","name":"Robert Kay"},"datePublished":"2024-10-14"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"AMAZING!! Easy, fast and sooo good!\r\nDefinitely restaurant quality, great job","author":{"@type":"Person","name":"Jodi Brady"},"datePublished":"2024-10-12"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This recipe is absolutely delicious. Simply to make and perfect! My husband asked me to add this recipe to our dinner rotation.","author":{"@type":"Person","name":"Barbara B Stella"},"datePublished":"2024-10-08"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Made as written. Delicious!","author":{"@type":"Person","name":"Lisa"},"datePublished":"2024-10-02"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"OMG! I've been making swordfish for years My husband loves my grilled swordfish. I decided to try this recipe tonight. It is AMAZING! The fish melted in our mouths. Thank you!","author":{"@type":"Person","name":"Sonia J"},"datePublished":"2024-10-01"}],"recipeCategory":["fish","Main","seafood"],"recipeCuisine":["American"],"suitableForDiet":["https://schema.org/GlutenFreeDiet","https://schema.org/LowLactoseDiet"],"keywords":"lemon butter swordfish recipe","nutrition":{"@type":"NutritionInformation","calories":"241 kcal","sugarContent":"0.4 g","sodiumContent":"696.4 mg","fatContent":"18.5 g","saturatedFatContent":"6 g","transFatContent":"0.3 g","carbohydrateContent":"2 g","fiberContent":"0.3 g","proteinContent":"17 g","cholesterolContent":"71.4 mg","servingSize":"1 serving"},"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#recipe","isPartOf":{"@id":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#article"},"mainEntityOfPage":"https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/"}]}</script>
<!-- / Yoast SEO Premium plugin. -->
<link rel='dns-prefetch' href='//a.omappapi.com' />
<link rel='dns-prefetch' href='//assets.pinterest.com' />
<link rel='dns-prefetch' href='//stats.wp.com' />
<link rel='dns-prefetch' href='//use.typekit.net' />
<link rel='dns-prefetch' href='//fonts.gstatic.com' />
<link rel='dns-prefetch' href='//www.googletagmanager.com' />
<link rel="alternate" type="application/rss+xml" title="Chew Out Loud » Feed" href="https://www.chewoutloud.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="Chew Out Loud » Comments Feed" href="https://www.chewoutloud.com/comments/feed/" />
<link rel="alternate" type="application/rss+xml" title="Chew Out Loud » Lemon Garlic Swordfish Recipe Comments Feed" href="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/feed/" />
<!-- This site uses the Google Analytics by ExactMetrics plugin v8.4.1 - Using Analytics tracking - https://www.exactmetrics.com/ -->
<script src="//www.googletagmanager.com/gtag/js?id=G-5C31Y5X4JJ" data-cfasync="false" data-wpfc-render="false" type="text/javascript" async></script>
<script data-cfasync="false" data-wpfc-render="false" type="text/javascript">
var em_version = '8.4.1';
var em_track_user = true;
var em_no_track_reason = '';
var ExactMetricsDefaultLocations = {"page_location":"https:\/\/www.chewoutloud.com\/lemon-garlic-swordfish-recipe\/"};
if ( typeof ExactMetricsPrivacyGuardFilter === 'function' ) {
var ExactMetricsLocations = (typeof ExactMetricsExcludeQuery === 'object') ? ExactMetricsPrivacyGuardFilter( ExactMetricsExcludeQuery ) : ExactMetricsPrivacyGuardFilter( ExactMetricsDefaultLocations );
} else {
var ExactMetricsLocations = (typeof ExactMetricsExcludeQuery === 'object') ? ExactMetricsExcludeQuery : ExactMetricsDefaultLocations;
}
var disableStrs = [
'ga-disable-G-5C31Y5X4JJ',
];
/* Function to detect opted out users */
function __gtagTrackerIsOptedOut() {
for (var index = 0; index < disableStrs.length; index++) {
if (document.cookie.indexOf(disableStrs[index] + '=true') > -1) {
return true;
}
}
return false;
}
/* Disable tracking if the opt-out cookie exists. */
if (__gtagTrackerIsOptedOut()) {
for (var index = 0; index < disableStrs.length; index++) {
window[disableStrs[index]] = true;
}
}
/* Opt-out function */
function __gtagTrackerOptout() {
for (var index = 0; index < disableStrs.length; index++) {
document.cookie = disableStrs[index] + '=true; expires=Thu, 31 Dec 2099 23:59:59 UTC; path=/';
window[disableStrs[index]] = true;
}
}
if ('undefined' === typeof gaOptout) {
function gaOptout() {
__gtagTrackerOptout();
}
}
window.dataLayer = window.dataLayer || [];
window.ExactMetricsDualTracker = {
helpers: {},
trackers: {},
};
if (em_track_user) {
function __gtagDataLayer() {
dataLayer.push(arguments);
}
function __gtagTracker(type, name, parameters) {
if (!parameters) {
parameters = {};
}
if (parameters.send_to) {
__gtagDataLayer.apply(null, arguments);
return;
}
if (type === 'event') {
parameters.send_to = exactmetrics_frontend.v4_id;
var hookName = name;
if (typeof parameters['event_category'] !== 'undefined') {
hookName = parameters['event_category'] + ':' + name;
}
if (typeof ExactMetricsDualTracker.trackers[hookName] !== 'undefined') {
ExactMetricsDualTracker.trackers[hookName](parameters);
} else {
__gtagDataLayer('event', name, parameters);
}
} else {
__gtagDataLayer.apply(null, arguments);
}
}
__gtagTracker('js', new Date());
__gtagTracker('set', {
'developer_id.dNDMyYj': true,
});
if ( ExactMetricsLocations.page_location ) {
__gtagTracker('set', ExactMetricsLocations);
}
__gtagTracker('config', 'G-5C31Y5X4JJ', {"forceSSL":"true"} );
window.gtag = __gtagTracker; (function () {
/* https://developers.google.com/analytics/devguides/collection/analyticsjs/ */
/* ga and __gaTracker compatibility shim. */
var noopfn = function () {
return null;
};
var newtracker = function () {
return new Tracker();
};
var Tracker = function () {
return null;
};
var p = Tracker.prototype;
p.get = noopfn;
p.set = noopfn;
p.send = function () {
var args = Array.prototype.slice.call(arguments);
args.unshift('send');
__gaTracker.apply(null, args);
};
var __gaTracker = function () {
var len = arguments.length;
if (len === 0) {
return;
}
var f = arguments[len - 1];
if (typeof f !== 'object' || f === null || typeof f.hitCallback !== 'function') {
if ('send' === arguments[0]) {
var hitConverted, hitObject = false, action;
if ('event' === arguments[1]) {
if ('undefined' !== typeof arguments[3]) {
hitObject = {
'eventAction': arguments[3],
'eventCategory': arguments[2],
'eventLabel': arguments[4],
'value': arguments[5] ? arguments[5] : 1,
}
}
}
if ('pageview' === arguments[1]) {
if ('undefined' !== typeof arguments[2]) {
hitObject = {
'eventAction': 'page_view',
'page_path': arguments[2],
}
}
}
if (typeof arguments[2] === 'object') {
hitObject = arguments[2];
}
if (typeof arguments[5] === 'object') {
Object.assign(hitObject, arguments[5]);
}
if ('undefined' !== typeof arguments[1].hitType) {
hitObject = arguments[1];
if ('pageview' === hitObject.hitType) {
hitObject.eventAction = 'page_view';
}
}
if (hitObject) {
action = 'timing' === arguments[1].hitType ? 'timing_complete' : hitObject.eventAction;
hitConverted = mapArgs(hitObject);
__gtagTracker('event', action, hitConverted);
}
}
return;
}
function mapArgs(args) {
var arg, hit = {};
var gaMap = {
'eventCategory': 'event_category',
'eventAction': 'event_action',
'eventLabel': 'event_label',
'eventValue': 'event_value',
'nonInteraction': 'non_interaction',
'timingCategory': 'event_category',
'timingVar': 'name',
'timingValue': 'value',
'timingLabel': 'event_label',
'page': 'page_path',
'location': 'page_location',
'title': 'page_title',
'referrer' : 'page_referrer',
};
for (arg in args) {
if (!(!args.hasOwnProperty(arg) || !gaMap.hasOwnProperty(arg))) {
hit[gaMap[arg]] = args[arg];
} else {
hit[arg] = args[arg];
}
}
return hit;
}
try {
f.hitCallback();
} catch (ex) {
}
};
__gaTracker.create = newtracker;
__gaTracker.getByName = newtracker;
__gaTracker.getAll = function () {
return [];
};
__gaTracker.remove = noopfn;
__gaTracker.loaded = true;
window['__gaTracker'] = __gaTracker;
})();
} else {
console.log("");
(function () {
function __gtagTracker() {
return null;
}
window['__gtagTracker'] = __gtagTracker;
window['gtag'] = __gtagTracker;
})();
}
</script>
<!-- / Google Analytics by ExactMetrics -->
<style id='wp-emoji-styles-inline-css' type='text/css'></style>
<style id='wp-block-library-theme-inline-css' type='text/css'></style>
<style id='classic-theme-styles-inline-css' type='text/css'></style>
<style id='safe-svg-svg-icon-style-inline-css' type='text/css'></style>
<style id='global-styles-inline-css' type='text/css'></style>
<style id='akismet-widget-style-inline-css' type='text/css'></style>
<style id='rocket-lazyload-inline-css' type='text/css'>
.rll-youtube-player{position:relative;padding-bottom:56.23%;height:0;overflow:hidden;max-width:100%;}.rll-youtube-player:focus-within{outline: 2px solid currentColor;outline-offset: 5px;}.rll-youtube-player iframe{position:absolute;top:0;left:0;width:100%;height:100%;z-index:100;background:0 0}.rll-youtube-player img{bottom:0;display:block;left:0;margin:auto;max-width:100%;width:100%;position:absolute;right:0;top:0;border:none;height:auto;-webkit-transition:.4s all;-moz-transition:.4s all;transition:.4s all}.rll-youtube-player img:hover{-webkit-filter:brightness(75%)}.rll-youtube-player .play{height:100%;width:100%;left:0;top:0;position:absolute;background:url(https://www.chewoutloud.com/wp-content/plugins/wp-rocket/assets/img/youtube.png) no-repeat center;background-color: transparent !important;cursor:pointer;border:none;}.wp-embed-responsive .wp-has-aspect-ratio .rll-youtube-player{position:absolute;padding-bottom:0;width:100%;height:100%;top:0;bottom:0;left:0;right:0}
</style>
<script type="text/javascript" src="https://www.chewoutloud.com/wp-content/plugins/google-analytics-dashboard-for-wp/assets/js/frontend-gtag.min.js?ver=8.4.1" id="exactmetrics-frontend-script-js" async="async" data-wp-strategy="async"></script>
<script data-cfasync="false" data-wpfc-render="false" type="text/javascript" id='exactmetrics-frontend-script-js-extra'>/* <![CDATA[ */
var exactmetrics_frontend = {"js_events_tracking":"true","download_extensions":"zip,mp3,mpeg,pdf,docx,pptx,xlsx,rar","inbound_paths":"[{\"path\":\"\\\/go\\\/\",\"label\":\"affiliate\"},{\"path\":\"\\\/recommend\\\/\",\"label\":\"affiliate\"}]","home_url":"https:\/\/www.chewoutloud.com","hash_tracking":"false","v4_id":"G-5C31Y5X4JJ"};/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-includes/js/jquery/jquery.min.js?ver=3.7.1" id="jquery-core-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=3.4.1" id="jquery-migrate-js" data-rocket-defer defer></script>
<script data-minify="1" type="text/javascript" src="https://www.chewoutloud.com/wp-content/cache/min/1/wp-content/themes/col2021/fontfaceobserver.js?ver=1745438593" id="fontfaceobserver-js"></script>
<script type="text/javascript" id="fontfaceobserver-js-after">
/* <![CDATA[ */
document.documentElement.classList.add('acumin-pro-wide-inactive');
var acuminfont = new FontFaceObserver('acumin-pro-wide');
if (sessionStorage.acuminLoaded) {
document.documentElement.classList.remove('acumin-pro-wide-inactive');
document.documentElement.classList.add('acumin-pro-wide-active');
} else {
acuminfont.load().then(function() {
sessionStorage.acuminLoaded = true;
document.documentElement.classList.remove('acumin-pro-wide-inactive');
document.documentElement.classList.add('acumin-pro-wide-active');
}).catch(function() {
sessionStorage.acuminLoaded = false;
});
}
/* ]]> */
</script>
<!--[if lt IE 9]>
<script type="text/javascript" src="https://www.chewoutloud.com/wp-content/themes/col2021/html5.js?ver=3.7.3" id="col-html5-js"></script>
<![endif]-->
<link rel="https://api.w.org/" href="https://www.chewoutloud.com/wp-json/" /><link rel="alternate" title="JSON" type="application/json" href="https://www.chewoutloud.com/wp-json/wp/v2/posts/15294" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://www.chewoutloud.com/xmlrpc.php?rsd" />
<link rel='shortlink' href='https://www.chewoutloud.com/?p=15294' />
<link rel="alternate" title="oEmbed (JSON)" type="application/json+oembed" href="https://www.chewoutloud.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.chewoutloud.com%2Flemon-garlic-swordfish-recipe%2F" />
<link rel="alternate" title="oEmbed (XML)" type="text/xml+oembed" href="https://www.chewoutloud.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.chewoutloud.com%2Flemon-garlic-swordfish-recipe%2F&format=xml" />
<!-- [slickstream] Page Generated at: 5/4/2025, 11:04:07 PM EST --> <script>console.info(`[slickstream] Page Generated at: 5/4/2025, 11:04:07 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":1746416352750,"epoch":1725469259050,"siteCode":"CM8QGKB3","services":{"engagementCacheableApiDomain":"https:\/\/c05f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c05b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c05f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c05b-wss.app.slickstream.com\/socket?site=CM8QGKB3"},"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":["chewoutloud.com"],"abTests":[],"wpPluginTtl":3600,"v2":{"phone":{"placeholders":[],"bootTriggerTimeout":250,"emailCapture":{"mainTitle":"WANT TO SAVE THIS RECIPE?","mainDesc":"Enter your email and we\u2019ll send it straight to your inbox!","saveButtonText":"GO","confirmTitle":"Success!","confirmDesc":"The email will be in your inbox soon.","optInText":"Send me new recipes from Chew Out Loud","optInDefaultOff":false,"cssSelector":"#jump-to-recipe","formIconType":"none"},"bestBy":1746416352750,"epoch":1725469259050,"siteCode":"CM8QGKB3","services":{"engagementCacheableApiDomain":"https:\/\/c05f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c05b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c05f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c05b-wss.app.slickstream.com\/socket?site=CM8QGKB3"},"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":["chewoutloud.com"],"abTests":[],"wpPluginTtl":3600},"tablet":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1746416352750,"epoch":1725469259050,"siteCode":"CM8QGKB3","services":{"engagementCacheableApiDomain":"https:\/\/c05f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c05b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c05f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c05b-wss.app.slickstream.com\/socket?site=CM8QGKB3"},"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":["chewoutloud.com"],"abTests":[],"wpPluginTtl":3600},"desktop":{"placeholders":[],"bootTriggerTimeout":250,"emailCapture":{"mainTitle":"WANT TO SAVE THIS RECIPE?","mainDesc":"Enter your email and we\u2019ll send it straight to your inbox!","saveButtonText":"GO","confirmTitle":"Success!","confirmDesc":"The email will be in your inbox soon.","optInText":"Send me new recipes from Chew Out Loud","optInDefaultOff":false,"cssSelector":"#jump-to-recipe","formIconType":"none"},"bestBy":1746416352750,"epoch":1725469259050,"siteCode":"CM8QGKB3","services":{"engagementCacheableApiDomain":"https:\/\/c05f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c05b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c05f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c05b-wss.app.slickstream.com\/socket?site=CM8QGKB3"},"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":["chewoutloud.com"],"abTests":[],"wpPluginTtl":3600},"unknown":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1746416352750,"epoch":1725469259050,"siteCode":"CM8QGKB3","services":{"engagementCacheableApiDomain":"https:\/\/c05f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c05b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c05f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c05b-wss.app.slickstream.com\/socket?site=CM8QGKB3"},"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":["chewoutloud.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 and we\\u2019ll send it straight to your inbox!\",\"saveButtonText\":\"GO\",\"confirmTitle\":\"Success!\",\"confirmDesc\":\"The email will be in your inbox soon.\",\"optInText\":\"Send me new recipes from Chew Out Loud\",\"optInDefaultOff\":false,\"cssSelector\":\"#jump-to-recipe\",\"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","CM8QGKB3");
</script>
<!-- [slickstream] END Bootloader -->
<!-- [slickstream] Page Metadata: -->
<meta property="slick:wppostid" content="15294" />
<meta property="slick:featured_image" content="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg" />
<meta property="slick:group" content="post" />
<script type="application/x-slickstream+json">{"@context":"https://slickstream.com","@graph":[{"@type":"Plugin","version":"2.0.3"},{"@type":"Site","name":"Chew Out Loud","url":"https://www.chewoutloud.com","description":"Cook smarter, not harder","atomUrl":"https://www.chewoutloud.com/feed/atom/","rtl":false},{"@type":"WebPage","@id":15294,"isFront":false,"isHome":false,"isCategory":false,"isTag":false,"isSingular":true,"date":"2018-08-28T16:56:54-05:00","modified":"2023-11-30T13:06:41-06:00","title":"Lemon Garlic Swordfish Recipe","pageType":"post","postType":"post","featured_image":"https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg","author":"Amy Dong","tags":["chives","garlic","lemon","lemon juice","lemon peel","olive oil","swordfish","video"],"taxonomies":[{"name":"col_course","label":"Courses","description":"","terms":[{"@id":10562,"name":"Fish and Seafood Recipes","slug":"fish-and-seafood-recipes"},{"@id":10565,"name":"Healthy 30-Minute Dinners","slug":"healthy-30-minute-dinners"},{"@id":10558,"name":"Lunch","slug":"lunch"}]},{"name":"col_diet","label":"Diets","description":"","terms":[{"@id":10495,"name":"Dairy-Free","slug":"dairy-free"},{"@id":10492,"name":"Gluten-Free","slug":"gluten-free"},{"@id":10497,"name":"Healthy Fish and Seafood","slug":"healthy-fish-and-seafood"}]},{"name":"col_method","label":"Methods","description":"","terms":[{"@id":10513,"name":"Healthy Oven Recipes","slug":"healthy-oven-recipes"}]}]}]}</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><style type="text/css"></style><style type="text/css"></style><style type="text/css"></style> <style></style>
<link rel="apple-touch-icon" sizes="180x180" href="/wp-content/uploads/fbrfg/apple-touch-icon.png?v=2022">
<link rel="icon" type="image/png" sizes="32x32" href="/wp-content/uploads/fbrfg/favicon-32x32.png?v=2022">
<link rel="icon" type="image/png" sizes="16x16" href="/wp-content/uploads/fbrfg/favicon-16x16.png?v=2022">
<link rel="manifest" href="/wp-content/uploads/fbrfg/site.webmanifest?v=2022">
<link rel="mask-icon" href="/wp-content/uploads/fbrfg/safari-pinned-tab.svg?v=2022" color="#2e292a">
<link rel="shortcut icon" href="/wp-content/uploads/fbrfg/favicon.ico?v=2022">
<meta name="msapplication-TileColor" content="#2e292a">
<meta name="msapplication-config" content="/wp-content/uploads/fbrfg/browserconfig.xml?v=2022">
<meta name="theme-color" content="#ffffff"><!-- Pinterest Analytics -->
<meta name="p:domain_verify" content="137e7815f8182d2b6361780d48ebee1a"/>
<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 type="text/css" id="wp-custom-css"></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 id="rocket-lazyload-nojs-css">.rll-youtube-player, [data-lazy-src]{display:none !important;}</style></noscript><meta name="generator" content="WP Rocket 3.18.3" data-wpr-features="wpr_remove_unused_css wpr_delay_js wpr_defer_js wpr_minify_js wpr_lazyload_images wpr_lazyload_iframes wpr_oci wpr_minify_css wpr_preload_links wpr_desktop wpr_dns_prefetch" /></head>
<body id="bodyel" class="wp-singular post-template-default single single-post postid-15294 single-format-standard wp-embed-responsive wp-theme-col2021">
<div id="fullwrap">
<a class="skip-to-content screen-reader-text" href="#body">Skip to content</a>
<header id="header">
<div id="header-a">
<div id="topbar">
<div class="container">
<ul id="menu-top-bar" class="menu"><li id="menu-item-25179" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-25179"><a href="https://www.chewoutloud.com/welcome/">Welcome | About</a></li><li id="menu-item-25166" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25166"><a href="#list/favorites"><svg class="cicon icon-heart" aria-hidden="true"><use xlink:href="#icon-heart"></use></svg>My Saved Recipes</a></li><li id="menu-item-62748" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-62748"><a href="https://www.chewoutloud.com/shop/">Shop</a></li></ul> </div>
</div>
<div id="logobar">
<div class="container">
<div id="header-b" class="clearfix">
<div id="logo"><a href="https://www.chewoutloud.com"><img src="https://www.chewoutloud.com/wp-content/themes/col2021/images/logo.svg" width="175" height="80" alt="Chew Out Loud" /></a></div>
<div id="toggles">
<ul>
<li class="search"><button class="togglesearch"><svg class="cicon icon-search"><title>Search</title><use xlink:href="#icon-search"></use></svg></button></li><!--
--><li class="menu"><button class="togglemenu"><span class="screen-reader-text">Menu</span><span class="icon"></span></button></li>
</ul>
</div>
<div id="searchwrap">
<div id="searchwrap-a">
<button class="closebtn closesearch"><span class="screen-reader-text">Close Search</span><span class="icon"></span></button>
<h2>Search</h2>
<form class="searchform" method="get" action="https://www.chewoutloud.com">
<div class="inputs">
<div class="input"><label for="searchinput" class="screen-reader-text">Search</label><input id="searchinput" placeholder="Search" name="s" type="text" /></div>
<button type="submit"><svg class="cicon icon-search"><title>Search</title><use xlink:href="#icon-search"></use></svg></button>
</div>
</form> </div>
</div>
<div id="menuwrap">
<button class="closebtn closemenu"><span class="screen-reader-text">Close Menu</span><span class="icon"></span></button>
<nav id="menu" class="menubar"><ul id="menu-header-2025" class="menu"><li id="menu-item-69387" class="menu-item menu-item-type-taxonomy menu-item-object-col_course current-post-ancestor menu-item-has-children menu-item-69387"><div class="linkwrap"><a href="https://www.chewoutloud.com/course/dinner/">Dinner</a><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><div class="submenu"><ul class="sub-menu"><li id="menu-item-69390" class="menu-item menu-item-type-taxonomy menu-item-object-col_course current-post-ancestor current-menu-parent current-post-parent menu-item-69390"><a href="https://www.chewoutloud.com/course/dinner/fish-and-seafood-recipes/">Fish and Seafood</a></li><li id="menu-item-69389" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69389"><a href="https://www.chewoutloud.com/course/dinner/chicken/">Chicken</a></li><li id="menu-item-69388" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69388"><a href="https://www.chewoutloud.com/course/dinner/beef-recipes/">Beef</a></li><li id="menu-item-69391" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69391"><a href="https://www.chewoutloud.com/course/dinner/vegetarian-recipes/">Vegetarian</a></li><li id="menu-item-69470" class="menu-item menu-item-type-taxonomy menu-item-object-col_diet current-post-ancestor menu-item-69470"><a href="https://www.chewoutloud.com/diet/healthy/">Healthy</a></li><li id="menu-item-69468" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69468"><a href="https://www.chewoutloud.com/course/make-ahead-meal-prep/">Make-Ahead / Meal-Prep</a></li><li id="menu-item-69469" class="menu-item menu-item-type-taxonomy menu-item-object-col_course current-post-ancestor menu-item-69469"><a href="https://www.chewoutloud.com/course/30-minute-meals/">30-Minute Meals</a></li></ul></div></li><li id="menu-item-69392" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-has-children menu-item-69392"><div class="linkwrap"><a href="https://www.chewoutloud.com/course/desserts/">Desserts</a><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><div class="submenu"><ul class="sub-menu"><li id="menu-item-69396" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69396"><a href="https://www.chewoutloud.com/course/desserts/cookie-recipes/">Cookies</a></li><li id="menu-item-69393" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69393"><a href="https://www.chewoutloud.com/course/desserts/cake-and-cupcake-recipes/">Cakes and Cupcakes</a></li><li id="menu-item-69394" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69394"><a href="https://www.chewoutloud.com/course/desserts/cheesecake-recipes/">Cheesecakes</a></li><li id="menu-item-69395" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69395"><a href="https://www.chewoutloud.com/course/desserts/chocolate-recipes/">Chocolate and Brownies</a></li><li id="menu-item-69397" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69397"><a href="https://www.chewoutloud.com/course/desserts/dessert-bar-recipes/">Dessert Bars</a></li><li id="menu-item-69398" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69398"><a href="https://www.chewoutloud.com/course/desserts/ice-cream-recipes/">Ice Cream</a></li><li id="menu-item-69399" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69399"><a href="https://www.chewoutloud.com/course/desserts/pie-recipes/">Pies</a></li></ul></div></li><li id="menu-item-69384" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-has-children menu-item-69384"><div class="linkwrap"><a href="https://www.chewoutloud.com/course/breakfast-brunch/">Breakfast</a><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><div class="submenu"><ul class="sub-menu"><li id="menu-item-69385" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69385"><a href="https://www.chewoutloud.com/course/breakfast-brunch/savory-breakfast-recipes/">Savory</a></li><li id="menu-item-69386" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69386"><a href="https://www.chewoutloud.com/course/breakfast-brunch/sweet-breakfast-recipes/">Sweet</a></li></ul></div></li><li id="menu-item-69400" class="has-mega-menu menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-69400"><div class="linkwrap"><a href="https://www.chewoutloud.com/recipe-index/">Recipe Index</a><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><div class="submenu megamenu"><div class="megamenu-wrap"><div class="megamenu-cols"><ul class="sub-menu"><li id="menu-item-69401" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-69401"><div class="linkwrap"><span>Popular</span><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><ul class="sub-menu"><li id="menu-item-69436" class="menu-item menu-item-type-taxonomy menu-item-object-col_course current-post-ancestor current-menu-parent current-post-parent menu-item-69436"><a href="https://www.chewoutloud.com/course/dinner/fish-and-seafood-recipes/">Fish and Seafood</a></li></ul></li><li id="menu-item-69402" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-69402"><div class="linkwrap"><span>Course</span><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><ul class="sub-menu"><li id="menu-item-69409" class="menu-item menu-item-type-taxonomy menu-item-object-col_course current-post-ancestor menu-item-69409"><a href="https://www.chewoutloud.com/course/dinner/">Dinner</a></li><li id="menu-item-69408" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69408"><a href="https://www.chewoutloud.com/course/breakfast-brunch/">Breakfast / Brunch</a></li><li id="menu-item-69414" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69414"><a href="https://www.chewoutloud.com/course/side-dishes/">Side Dishes</a></li><li id="menu-item-69416" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69416"><a href="https://www.chewoutloud.com/course/soups-stews/">Soups / Stews</a></li><li id="menu-item-69406" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69406"><a href="https://www.chewoutloud.com/course/appetizers/">Appetizers</a></li><li id="menu-item-69412" class="menu-item menu-item-type-taxonomy menu-item-object-col_course menu-item-69412"><a href="https://www.chewoutloud.com/course/salads/">Salads</a></li></ul></li><li id="menu-item-69403" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-69403"><div class="linkwrap"><span>Diet</span><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><ul class="sub-menu"><li id="menu-item-69417" class="menu-item menu-item-type-taxonomy menu-item-object-col_diet current-post-ancestor current-menu-parent current-post-parent menu-item-69417"><a href="https://www.chewoutloud.com/diet/dairy-free/">Dairy-Free</a></li><li id="menu-item-69418" class="menu-item menu-item-type-taxonomy menu-item-object-col_diet current-post-ancestor current-menu-parent current-post-parent menu-item-69418"><a href="https://www.chewoutloud.com/diet/gluten-free/">Gluten-Free</a></li><li id="menu-item-69419" class="menu-item menu-item-type-taxonomy menu-item-object-col_diet current-post-ancestor menu-item-69419"><a href="https://www.chewoutloud.com/diet/healthy/">Healthy</a></li><li id="menu-item-69420" class="menu-item menu-item-type-taxonomy menu-item-object-col_diet menu-item-69420"><a href="https://www.chewoutloud.com/diet/vegetarian/">Vegetarian</a></li></ul></li><li id="menu-item-69404" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-69404"><div class="linkwrap"><span>Cuisine</span><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><ul class="sub-menu"><li id="menu-item-69421" class="menu-item menu-item-type-taxonomy menu-item-object-col_cuisine menu-item-69421"><a href="https://www.chewoutloud.com/cuisine/asian/">Asian</a></li><li id="menu-item-69425" class="menu-item menu-item-type-taxonomy menu-item-object-col_cuisine menu-item-69425"><a href="https://www.chewoutloud.com/cuisine/mexican-tex-mex/">Mexican & Tex Mex</a></li><li id="menu-item-69423" class="menu-item menu-item-type-taxonomy menu-item-object-col_cuisine menu-item-69423"><a href="https://www.chewoutloud.com/cuisine/italian/">Italian</a></li><li id="menu-item-69424" class="menu-item menu-item-type-taxonomy menu-item-object-col_cuisine menu-item-69424"><a href="https://www.chewoutloud.com/cuisine/mediterranean/">Mediterranean</a></li></ul></li><li id="menu-item-69405" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-has-children menu-item-69405"><div class="linkwrap"><span>Method</span><button class="dropdown-toggle"><svg class="cicon icon-angle-down"><title>Toggle dropdown</title><use xlink:href="#icon-angle-down"></use></svg></button></div><ul class="sub-menu"><li id="menu-item-69426" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69426"><a href="https://www.chewoutloud.com/method/air-fryer/">Air Fryer</a></li><li id="menu-item-69429" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69429"><a href="https://www.chewoutloud.com/method/instant-pot/">Instant Pot</a></li><li id="menu-item-69430" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69430"><a href="https://www.chewoutloud.com/method/one-pan-recipes/">One-Pan</a></li><li id="menu-item-69432" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69432"><a href="https://www.chewoutloud.com/method/sheet-pan/">Sheet Pan</a></li><li id="menu-item-69433" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69433"><a href="https://www.chewoutloud.com/method/slow-cooker/">Slow Cooker</a></li><li id="menu-item-69428" class="menu-item menu-item-type-taxonomy menu-item-object-col_method menu-item-69428"><a href="https://www.chewoutloud.com/method/grill/">Grill</a></li></ul></li></ul></div><div class="megamenu-all"><a class="btn" href="https://www.chewoutloud.com/recipe-index/">All Recipes</a></div></div></div></li></ul></nav> </div>
<div id="menuoverlay"></div>
</div>
</div>
</div>
</div>
</header>
<main id="body">
<div class="bodysection bodysection-white">
<div class="container notop nobot">
<div class="breadcrumb"><span><span><a href="https://www.chewoutloud.com/">Home</a></span> <span class="sep"><svg class="cicon icon-angle-right" aria-hidden="true"><use xlink:href="#icon-angle-right"></use></svg></span> <span><a href="https://www.chewoutloud.com/recipe-index/">Recipes</a></span> <span class="sep"><svg class="cicon icon-angle-right" aria-hidden="true"><use xlink:href="#icon-angle-right"></use></svg></span> <span><a href="https://www.chewoutloud.com/course/lunch/">Lunch</a></span> <span class="sep"><svg class="cicon icon-angle-right" aria-hidden="true"><use xlink:href="#icon-angle-right"></use></svg></span> <span class="breadcrumb_last" aria-current="page">Lemon Garlic Swordfish Recipe</span></span></div> <article class="postdiv">
<header class="postheader">
<h1 class="posttitle">Lemon Garlic Swordfish Recipe</h1>
<div class="postdates">
<ul>
<li>By <a href="https://www.chewoutloud.com/welcome/" rel="author external">Amy Dong</a></li>
<li>Updated Nov. 30, 2023</li>
</ul>
</div>
<div class="postmeta">
<ul>
<li class="rating"><div class="rating-a"><style></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><stop offset="33%" stop-opacity="1"></stop><stop offset="33%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-1-50"><stop offset="0%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-1-66"><stop offset="0%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs></svg><style></style><div id="wprm-recipe-user-rating-1" class="wprm-recipe-rating wprm-recipe-rating-recipe-15298 wprm-user-rating wprm-recipe-rating-separate"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><div class="wprm-recipe-rating-details wprm-block-text-normal"><span class="wprm-recipe-rating-count">316</span> ratings</div></div></div></li>
<li><div class="sharebuttons-new">
<ul>
<li class="pinterest"><a tabindex="0" target="_blank" href="https://pinterest.com/pin/create/button/?media=https%3A%2F%2Fwww.chewoutloud.com%2Fwp-content%2Fuploads%2F2018%2F08%2Flemon-swordfish-0.jpg&description=Lemon%20Garlic%20Swordfish%20Recipe" data-pin-custom="true"><svg class="cicon icon-pinterest"><title>Pin</title><use xlink:href="#icon-pinterest"></use></svg></a></li>
<li class="facebook"><a target="_blank" href="https://www.facebook.com/sharer/sharer.php?u=https%3A%2F%2Fwww.chewoutloud.com%2Flemon-garlic-swordfish-recipe%2F"><svg class="cicon icon-facebook"><title>Share on Facebook</title><use xlink:href="#icon-facebook"></use></svg></a></li>
<li class="yummly"><a target="_blank" href="https://www.yummly.com/urb/verify?url=https%3A%2F%2Fwww.chewoutloud.com%2Flemon-garlic-swordfish-recipe%2F&title=Lemon%20Garlic%20Swordfish%20Recipe&yumtype=button"><svg class="cicon icon-yummly"><title>Yum</title><use xlink:href="#icon-yummly"></use></svg></a></li>
</ul>
</div></li>
<li class="comlink"><a href="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/#comments"><svg class="cicon icon-comments" aria-hidden="true"><use xlink:href="#icon-comments"></use></svg> <span class="lowtext">255 comments</span></a></li>
<li class="jumptorecipe"><a class="btn" href="#jump-to-recipe">Jump to recipe</a></li>
</ul>
</div>
</header>
<div class="postcols clearfix">
<div class="maincol">
<div class="maincol-a notop nobot">
<p>This buttery <strong>Lemon Garlic Swordfish</strong> is stunningly delicious. This recipe results in a <em>tender, flavor-packed fish</em> that tastes like you spent way more time on it than you did.</p>
<div class="wp-block-image">
<figure class="aligncenter"><img fetchpriority="high" decoding="async" width="683" height="1024" src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-1-683x1024.jpg" alt="lemon garlic swordfish recipe fish recipe " class="wp-image-15295" srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-1-683x1024.jpg 683w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-1-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-1.jpg 736w" sizes="(max-width: 723px) calc(100vw - 40px), 683px"><figcaption class="wp-element-caption">Tender, flavorful swordfish is way easier than you might iimagine.</figcaption></figure></div>
<h2 class="wp-block-heading" id="h-the-only-swordfish-recipe-you-ll-need">The Only Swordfish Recipe you’ll need</h2>
<p>This delicious Lemon Garlic Swordfish brought me back to our long-ago BK years (Before Kids) when Hubby and I frequently experimented with various fish, whole grains, and fresh veggies for dinner.</p>
<p>We would take time preparing healthy sautéed greens almost every night. We’d often grill, bake, or pan-sear some kind of fish…<a href="https://www.chewoutloud.com/mahi-mahi-with-mango-avocado-salsa/">Mahi Mahi with Mango Avocado Salsa</a> or <a href="https://www.chewoutloud.com/marinated-seared-ahi/">Marinated Seared Ahi</a> were among our favorites. <a href="https://www.chewoutloud.com/pan-seared-halibut-recipe/">Seared Halibut</a> and <a href="https://www.chewoutloud.com/lemon-butter-cod-recipe/">Lemon Butter Cod</a> made regular appearances on our little kitchen table as well.</p>
<p>Then came the kid-years, when just about the only things we managed to “grill” were cheese sandwiches. And the only kind of fish that made it onto our plates were covered in breading and shaped like sticks. Some of you know what I’m talking about. If you don’t, rest assured that you’re not missing out on the food scene.</p>
<p>This Lemon Garlic Swordfish feels like a throwback that’s making a comeback. It’s totally back in dinner rotation. Get ready to devour this buttery, lemony, garlicky goodness.</p>
<div class="wp-block-image">
<figure class="aligncenter"><img decoding="async" width="683" height="1024" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20683%201024'%3E%3C/svg%3E" alt="lemon garlic swordfish recipe fish recipe " class="wp-image-15297" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-683x1024.jpg 683w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2.jpg 736w" data-lazy-sizes="(max-width: 723px) calc(100vw - 40px), 683px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-683x1024.jpg"><noscript><img decoding="async" width="683" height="1024" src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-683x1024.jpg" alt="lemon garlic swordfish recipe fish recipe " class="wp-image-15297" srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-683x1024.jpg 683w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2.jpg 736w" sizes="(max-width: 723px) calc(100vw - 40px), 683px"></noscript><figcaption class="wp-element-caption">Be sure your swordfish fillets are at least 1-inch thick</figcaption></figure></div>
<h2 class="wp-block-heading" id="h-how-to-make-lemon-garlic-swordfish"><span style="color: #808080;">How to make Lemon Garlic Swordfish</span></h2>
<ol class="is-style-circles wp-block-list">
<li>Start off with <strong>high quality 1-inch thick swordfish fillets</strong>.</li>
<li>It’s important to <strong>towel-dry </strong>the fish so that all excess water/moisture is removed. Give it a sprinkle of kosher salt and freshly ground black pepper on both sides.</li>
<li>Swordfish is a steaky white fish that is firm, with great flavor potential. It stands up really well to <strong>pan-roasting</strong> with a <a href="https://amzn.to/3G1yyMU" target="_blank" rel="noreferrer noopener nofollow sponsored">large oven-proof pan</a>, so that’s exactly what we do here. We start off with <strong>browning one side</strong> of the fish for a few minutes and then immediately flipping the fish over to its other side and transferring the pan into a <strong>hot oven</strong>. </li>
<li>It only takes 5-ish minutes for the fish to finish cooking in the oven; as a rule of thumb, always try to have your fish<em> just-cooked</em> and no more. Avoid overcooking at all costs, as that is what makes fish lose its tender texture.</li>
<li>Lastly, you’ll slather on the amazing <strong>butter-garlic-lemon</strong> mixture. The flavor combination is stunning and perfect over swordfish.</li>
<li>It’ll taste like you spent way more time on it than you actually did. Enjoy 🙂</li>
</ol>
<h2 class="wp-block-heading" id="h-watch-us-make-this-swordfish-recipe">Watch Us Make This Swordfish Recipe</h2>
<div class="adthrive-video-player in-post" itemscope itemtype="https://schema.org/VideoObject" data-video-id="kxG2QnFx" data-player-type="static" override-embed=""><span class="jumplink" id="jump-to-video"></span>
<meta itemprop="uploadDate" content="2019-12-20T02:32:40.000Z">
<meta itemprop="name" content="Lemon Garlic Swordfish">
<meta itemprop="description" content="This buttery Lemon Garlic Swordfish is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes like you spent way more time on it than you did.
">
<meta itemprop="thumbnailUrl" content="https://content.jwplatform.com/thumbs/kxG2QnFx-720.jpg">
<meta itemprop="contentUrl" content="https://content.jwplatform.com/videos/kxG2QnFx.mp4">
</div>
<div class="calloutbox notop nobot">
<h2><span class="cursive">Did you make this?</span></h2>
<p>Please give us a rating and comment below. We love hearing from you!</p>
</div>
<div><div id="jump-to-recipe"></div><div id="wprm-recipe-container-15298" class="wprm-recipe-container" data-recipe-id="15298" data-servings="4"><div class="wprm-recipe wprm-recipe-template-col-recipe"><div class="col-recipe-wrap">
<div class="col-recipe-wrap-a notop nobot">
<div class="wprm-recipe-image wprm-block-image-normal"><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;" width="150" height="150" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20150%20150'%3E%3C/svg%3E" class="attachment-150x150 size-150x150" alt="lemon butter swordfish recipe" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-500x500.jpg 500w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg 736w" data-lazy-sizes="(max-width: 190px) calc(100vw - 40px), 150px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-150x150.jpg"><noscript><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;" width="150" height="150" src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-150x150.jpg" class="attachment-150x150 size-150x150" alt="lemon butter swordfish recipe" srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-500x500.jpg 500w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0.jpg 736w" sizes="(max-width: 190px) calc(100vw - 40px), 150px"></noscript></div>
<h2 data-toc="Lemon Garlic Swordfish Recipe Recipe" class="wprm-recipe-name wprm-block-text-bold">Lemon Garlic Swordfish Recipe</h2>
<style></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><stop offset="33%" stop-opacity="1"></stop><stop offset="33%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-0-50"><stop offset="0%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-0-66"><stop offset="0%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs></svg><style></style><div id="wprm-recipe-user-rating-0" class="wprm-recipe-rating wprm-recipe-rating-recipe-15298 wprm-user-rating wprm-recipe-rating-separate wprm-user-rating-not-voted wprm-user-rating-allowed" data-recipe="15298" data-average="4.75" data-count="316" data-total="1500" 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="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="#FDA41D" 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="#FDA41D" 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"></polygon></g></svg></span><div class="wprm-recipe-rating-details wprm-block-text-normal"><span class="wprm-recipe-rating-average">4.75</span> from <span class="wprm-recipe-rating-count">316</span> ratings</div></div>
<div class="col-recipe-buttons">
<a href="https://www.chewoutloud.com/wprm_print/lemon-garlic-swordfish-recipe" style="color: #fff;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal" data-recipe-id="15298" data-template="" target="_blank" rel="nofollow">Print</a>
<a href="https://www.pinterest.com/pin/create/bookmarklet/?url=https%3A%2F%2Fwww.chewoutloud.com%2Flemon-garlic-swordfish-recipe%2F&media=https%3A%2F%2Fwww.chewoutloud.com%2Fwp-content%2Fuploads%2F2018%2F08%2Flemon-swordfish-2.jpg&description=This+buttery+Lemon+Garlic+Swordfish+is+stunningly+delicious.+This+recipe+results+in+a+tender%2C+flavor-packed+fish+that+tastes+like+you+spent+way+more+time+on+it+than+you+did.%C2%A0&is_video=false" style="color: #fff;" class="wprm-recipe-pin wprm-recipe-link wprm-block-text-normal" target="_blank" rel="nofollow noopener" data-recipe="15298" data-url="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/" data-media="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-2.jpg" data-description="This buttery Lemon Garlic Swordfish is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes like you spent way more time on it than you did. " data-repin="" role="button">Pin</a>
<a href="#" rel="nofollow noreferrer" style="color: #fff;visibility: hidden;" class="wprm-recipe-slickstream-not-saved wprm-recipe-slickstream wprm-recipe-link wprm-block-text-normal" data-recipe-id="15298">Save</a><a href="#" rel="nofollow noreferrer" style="color: #fff;visibility: hidden;display: none;" class="wprm-recipe-slickstream-saved wprm-recipe-slickstream wprm-recipe-link wprm-block-text-normal" data-recipe-id="15298">Saved</a>
</div>
<div class="wprm-recipe-summary wprm-block-text-normal"><span style="display: block;"><em>This buttery Lemon Garlic Swordfish is stunningly delicious. This recipe results in a tender, flavor-packed fish that tastes like you spent way more time on it than you did. </em></span></div>
<div class="wprm-recipe-meta-container wprm-recipe-times-container wprm-recipe-details-container wprm-recipe-details-container-inline wprm-block-text-normal" style=""><div class="wprm-recipe-times-container-inner"><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal 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 Time: </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-prep_time wprm-recipe-prep_time-minutes">20<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-inline wprm-block-text-normal 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 Time: </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-cook_time wprm-recipe-cook_time-minutes">10<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></div>
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-inline wprm-block-text-normal" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal 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 wprm-recipe-details wprm-recipe-servings-15298 wprm-recipe-servings-adjustable-tooltip wprm-block-text-normal" data-recipe="15298" aria-label="Adjust recipe servings">4</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-inline 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://www.chewoutloud.com/welcome/" target="_self">Amy Dong</a></span></div></div>
<div class="wprm-recipe-ingredients-container wprm-recipe-ingredients-no-images wprm-recipe-15298-ingredients-container wprm-block-text-normal wprm-ingredient-style-regular wprm-recipe-images-before" data-recipe="15298" data-servings="4"><h3 class="wprm-recipe-header wprm-recipe-ingredients-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none wprm-header-has-actions wprm-header-has-actions" style=""><span class="ing">Ingredients</span> <div class="wprm-recipe-adjustable-servings-container wprm-recipe-adjustable-servings-15298-container wprm-toggle-container wprm-block-text-normal" style="background-color: #ffffff;border-color: #333333;color: #333333;border-radius: 0;"><button class="wprm-recipe-adjustable-servings wprm-toggle wprm-toggle-active" data-multiplier="1" data-servings="4" data-recipe="15298" style="background-color: #333333;color: #ffffff;" aria-label="Adjust servings by 1x">1x</button><button class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="2" data-servings="4" data-recipe="15298" style="background-color: #333333;color: #ffffff;border-left: 1px solid #333333;" aria-label="Adjust servings by 2x">2x</button><button class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="3" data-servings="4" data-recipe="15298" style="background-color: #333333;color: #ffffff;border-left: 1px solid #333333;" aria-label="Adjust servings by 3x">3x</button></div></h3><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-bold">For the Lemon Garlic Mixture: </h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="1"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/461QvXg" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">salted butter</a></span>, <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">softened to room temp</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="2"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name">freshly chopped chives</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="3"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name">garlic cloves</span>, <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">minced</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="4"><span class="wprm-recipe-ingredient-amount">⅛</span> <span class="wprm-recipe-ingredient-unit">tsp</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3CrcQjd" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">kosher salt</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="5"><span class="wprm-recipe-ingredient-amount">¼</span> <span class="wprm-recipe-ingredient-unit">tsp</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/41vLyof" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">freshly ground black pepper</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="6"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name">juice from fresh lemon</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="7"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name">grated lemon peel</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">For the Fish:</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="9"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">TB</span> <span class="wprm-recipe-ingredient-name"><a href="https://amzn.to/3TUROAR" class="wprm-recipe-ingredient-link" target="_blank" rel="nofollow sponsored">olive oil</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="10"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-name">1-inch thick each swordfish fillets, about 6-7 oz each</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="11"><span class="wprm-recipe-ingredient-name">kosher salt and freshly ground black pepper</span></li></ul></div></div>
<div class="wprm-recipe-instructions-container wprm-recipe-15298-instructions-container wprm-block-text-normal" data-recipe="15298"><h3 class="wprm-recipe-header wprm-recipe-instructions-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Instructions</h3><div class="wprm-recipe-instruction-group"><ul class="wprm-recipe-instructions"><li id="wprm-recipe-15298-step-0-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text">Preheat oven to 400F with rack on middle position. In a small pan, combine all Lemon Garlic Mixture ingredients and stir to fully combine. Set aside.</div></li><li id="wprm-recipe-15298-step-0-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text">Use paper towels to pat-dry all excess moisture from the swordfish fillets. Evenly sprinkle both sides of fillets with pinches of kosher salt and freshly ground black pepper. Set aside.</div></li><li id="wprm-recipe-15298-step-0-2" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text"><span style="display: block;">In a large, <a href="https://amzn.to/3G1yyMU" target="_blank" rel="nofollow sponsored">oven-proof pan</a>, heat the olive oil over medium high heat. Once oil is hot, add the swordfish fillets to pan and let cook until browned on one side, about 3 minutes (do not move fish around much.) Carefully flip fish fillets over to the other side, turn stove off, and immediately transfer pan into hot oven.</span></div></li><li id="wprm-recipe-15298-step-0-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text">Let fish roast about 5-6 minutes or just until the top is golden and center is just cooked through. Take care not to overcook. A minute before fish is done cooking in oven, cook small pan of prepared lemon-garlic mixture over medium high heat, constantly stirring, just until melted and bubbly. Immediately turn heat off and pour mixture over the cooked fish. Be sure to pour on any juices from the swordfish pan as well.</div></li></ul></div></div>
<div class="wprm-recipe-equipment-container wprm-block-text-normal" data-recipe="15298"><h3 class="wprm-recipe-header wprm-recipe-equipment-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Equipment</h3><ul class="wprm-recipe-equipment wprm-recipe-equipment-list"><li class="wprm-recipe-equipment-item" style="list-style-type: disc;"><div class="wprm-recipe-equipment-name"><a href="https://amzn.to/3GYEOGo" class="wprm-recipe-equipment-link" target="_blank" rel="nofollow sponsored">Splatter Screen for Frying Pan</a></div></li><li class="wprm-recipe-equipment-item" style="list-style-type: disc;"><div class="wprm-recipe-equipment-name"><a href="https://amzn.to/3G1yyMU" class="wprm-recipe-equipment-link" target="_blank" rel="nofollow sponsored">Large Oven Proof Pan</a></div></li></ul></div>
<div class="wprm-recipe-notes-container wprm-block-text-normal"><h3 class="wprm-recipe-header wprm-recipe-notes-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Notes</h3><div class="wprm-recipe-notes"><ul>
<li>This dish is amazing with <a href="https://www.chewoutloud.com/easy-rice-pilaf-mushrooms/" target="_blank" rel="noopener">Easy Rice Pilaf with Mushrooms</a> or <a href="https://www.chewoutloud.com/farro-salad-with-butternut-and-avocado/" target="_blank" rel="noopener">Farro Salad with Butternut and Avocado</a></li>
<li><a href="https://amzn.to/3GYEOGo" target="_blank" rel="nofollow noopener sponsored">A large splatter guard</a> really helps against those random oil sizzles from getting everywhere, while still allowing plenty of ventilation.</li>
</ul>
<span style="display: block;"><strong>If you enjoyed this recipe, please come back and give it a rating. We ❤️ hearing from you. </strong></span><div class="wprm-spacer"></div>
<span style="display: block;"><strong>Join our <a href="https://chewoutloud.kit.com/99dc39396a">Free Recipe Club</a> and get our newest, best recipes each week! </strong></span></div></div>
<div class="wprm-private-notes-container wprm-block-text-normal" data-recipe="15298"><div class="wprm-private-notes-placeholder"><a href="#" role="button">Click here to add your own private notes.</a></div><div class="wprm-private-notes-user"></div><textarea class="wprm-private-notes-input" aria-label="Your own private notes about this recipe"></textarea></div>
<h3 class="wprm-recipe-header wprm-recipe-nutrition-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Nutrition (per serving)</h3><div class="wprm-nutrition-label-container wprm-nutrition-label-container-simple wprm-block-text-normal" style="text-align: left;"><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calories"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Calories: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">241</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">kcal</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-carbohydrates"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Carbohydrates: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">2</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-protein"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Protein: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">17</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fat"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">18.5</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-saturated_fat"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Saturated Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">6</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-trans_fat"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Trans Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">0.3</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-cholesterol"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Cholesterol: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">71.4</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">mg</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sodium"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Sodium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">696.4</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">mg</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fiber"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Fiber: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">0.3</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span><span style="color: #2E292A"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sugar"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #2E292A">Sugar: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #2E292A">0.4</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #2E292A">g</span></span></div>
<div class="wprm-recipe-meta-container wprm-recipe-tags-container wprm-recipe-details-container wprm-recipe-details-container-inline wprm-block-text-normal" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-inline 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">fish, Main, seafood</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-inline 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-inline wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-suitablefordiet-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-suitablefordiet-label">Diet: </span><span class="wprm-recipe-suitablefordiet wprm-block-text-normal">Gluten Free, Low Lactose</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-method-container" style=""><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-method-label">Method: </span><span class="wprm-recipe-method wprm-block-text-normal">Oven, pan fry, roast, Stovetop</span></div></div>
</div>
</div></div></div></div>
<h2 class="wp-block-heading" id="h-eat-more-fish">Eat More Fish</h2>
<p><a href="https://www.chewoutloud.com/crispy-baja-fish-tacos-with-creamy-lime-sauce/">Crispy Baja Fish Tacos with Creamy Lime Sauce</a></p>
<div class="wp-block-image">
<figure class="aligncenter is-resized"><img decoding="async" width="1000" height="1000" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201000%201000'%3E%3C/svg%3E" alt="baja fish taco" class="wp-image-12160" style="width:250px;height:250px" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00.jpg 1000w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-768x768.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-976x976.jpg 976w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-500x500.jpg 500w" data-lazy-sizes="(max-width: 820px) calc(100vw - 40px), 780px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00.jpg"><noscript><img decoding="async" width="1000" height="1000" src="https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00.jpg" alt="baja fish taco" class="wp-image-12160" style="width:250px;height:250px" srcset="https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00.jpg 1000w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-768x768.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-976x976.jpg 976w, https://www.chewoutloud.com/wp-content/uploads/2017/08/Baja-Fish-Tacos-00-500x500.jpg 500w" sizes="(max-width: 820px) calc(100vw - 40px), 780px"></noscript></figure></div>
<p><a href="https://www.chewoutloud.com/15-minute-ginger-soy-asian-steamed-fish/">15-Minute Ginger Soy Asian Steamed Fish</a></p>
<div class="wp-block-image">
<figure class="aligncenter is-resized"><img decoding="async" width="550" height="550" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20550%20550'%3E%3C/svg%3E" alt="steamed fish" class="wp-image-9561" style="width:275px;height:275px" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212.jpg 550w, https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212-488x488.jpg 488w" data-lazy-sizes="(max-width: 590px) calc(100vw - 40px), 550px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212.jpg"><noscript><img decoding="async" width="550" height="550" src="https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212.jpg" alt="steamed fish" class="wp-image-9561" style="width:275px;height:275px" srcset="https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212.jpg 550w, https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2016/02/Ginger-Soy-Asian-Fish-no-watermark--e1495160665212-488x488.jpg 488w" sizes="(max-width: 590px) calc(100vw - 40px), 550px"></noscript></figure></div>
<p><a href="https://www.chewoutloud.com/sheet-pan-lemon-basil-salmon/">Sheet Pan Lemon Basil Salmon</a></p>
<div class="wp-block-image">
<figure class="aligncenter is-resized"><img decoding="async" width="736" height="736" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20736%20736'%3E%3C/svg%3E" alt="baked salmon" class="wp-image-15235" style="width:368px;height:368px" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0.jpg 736w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-500x500.jpg 500w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-488x488.jpg 488w" data-lazy-sizes="(max-width: 776px) calc(100vw - 40px), 736px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0.jpg"><noscript><img decoding="async" width="736" height="736" src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0.jpg" alt="baked salmon" class="wp-image-15235" style="width:368px;height:368px" srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0.jpg 736w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-300x300.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-225x225.jpg 225w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-353x353.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-706x706.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-500x500.jpg 500w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-basil-sheet-pan-salmon-0-488x488.jpg 488w" sizes="(max-width: 776px) calc(100vw - 40px), 736px"></noscript></figure></div>
<p><a href="https://www.chewoutloud.com/easy-lemon-butter-fish-15-minutes/">Easy Lemon Butter Fish in 20 Minutes</a></p>
<div class="wp-block-image">
<figure class="aligncenter is-resized"><img decoding="async" width="1024" height="1024" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201024%201024'%3E%3C/svg%3E" alt="lemon butter fish" class="wp-image-7633" style="width:256px;height:256px" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2.jpg 1024w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-120x120.jpg 120w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-976x976.jpg 976w" data-lazy-sizes="(max-width: 820px) calc(100vw - 40px), 780px" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2.jpg"><noscript><img decoding="async" width="1024" height="1024" src="https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2.jpg" alt="lemon butter fish" class="wp-image-7633" style="width:256px;height:256px" srcset="https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2.jpg 1024w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-150x150.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-320x320.jpg 320w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-120x120.jpg 120w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-488x488.jpg 488w, https://www.chewoutloud.com/wp-content/uploads/2015/04/Fish-Lemon-Butter-Sauce-2-976x976.jpg 976w" sizes="(max-width: 820px) calc(100vw - 40px), 780px"></noscript></figure></div>
<footer class="postfooter">
<div class="postsection">
<h2 class="line"><span>You might also like</span></h2>
<div class="imagegrid imagegrid-main4 griditems-vertical griditems breaknarrow">
<ul>
<li><div class="li-a"><a href="https://www.chewoutloud.com/easy-fish-recipes/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="fish recipes collection roundup" data-lazy-sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-1248x1872.jpg 1248w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="fish recipes collection roundup" sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-1248x1872.jpg 1248w"></noscript> </div>
</div>
<div class="gridtitle">12 Easy Fish Recipes</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/lemon-butter-cod-recipe/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="cod, fish, cod recipe, pan fried cod" data-lazy-sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-367x550.jpg 367w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-366x550.jpg 366w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="cod, fish, cod recipe, pan fried cod" sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-367x550.jpg 367w, https://www.chewoutloud.com/wp-content/uploads/2020/02/Lemon-Butter-Cod-Recipe-in-pan-0-366x550.jpg 366w"></noscript> </div>
</div>
<div class="gridtitle">Lemon Butter Cod Recipe</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/easy-perfect-mahi-mahi-recipe/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mahi Mahi Fillets in Pan with Lemon Butter Sauce." data-lazy-sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-780x1174.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-768x1156.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1021x1536.jpg 1021w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1361x2048.jpg 1361w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-150x226.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce.jpg 1560w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mahi Mahi Fillets in Pan with Lemon Butter Sauce." sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-780x1174.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-768x1156.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1021x1536.jpg 1021w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1361x2048.jpg 1361w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-150x226.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce.jpg 1560w"></noscript> </div>
</div>
<div class="gridtitle">Easy Perfect Mahi Mahi Recipe</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/hot-imitation-crab-dip/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="imitation crab dip in bowl with crackers" data-lazy-sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-490x736.jpg 490w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="imitation crab dip in bowl with crackers" sizes="(max-width: 212px) calc(100vw - 40px), 172px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2014/11/Imitation-Crab-Dip-in-bowl-square-490x736.jpg 490w"></noscript> </div>
</div>
<div class="gridtitle">Hot Imitation Crab Dip</div>
</a>
</div></li> </ul>
</div>
</div>
<div class="commentsection" id="comments">
<div class="postsection addcomment notop nobot">
<div class="wprm-user-rating-summary">
<div class="wprm-user-rating-summary-stars"><style></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-2-33"><stop offset="0%" stop-opacity="1"></stop><stop offset="33%" stop-opacity="1"></stop><stop offset="33%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-2-50"><stop offset="0%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="1"></stop><stop offset="50%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs><defs><lineargradient id="wprm-recipe-user-rating-2-66"><stop offset="0%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="1"></stop><stop offset="66%" stop-opacity="0"></stop><stop offset="100%" stop-opacity="0"></stop></lineargradient></defs></svg><style></style><div id="wprm-recipe-user-rating-2" 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"></polygon></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"></polygon></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"></polygon></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"></polygon></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"></polygon></g></svg></span></div></div>
<div class="wprm-user-rating-summary-details">
4.75 from 316 votes (<a href="#" role="button" class="wprm-user-rating-summary-details-no-comments" data-modal-uid="2" data-recipe-id="15298" data-post-id="15294">171 ratings without comment</a>)
</div>
</div>
<div id="respond" class="comment-respond">
<h2 class="line" id="reply-title-outer"><span id="reply-title">Add a comment <small><a rel="nofollow" id="cancel-comment-reply-link" href="/lemon-garlic-swordfish-recipe/#respond" style="display:none;">Cancel reply</a></small></span></h2><form action="https://www.chewoutloud.com/wp-comments-post.php" method="post" id="commentform" class="comment-form"><div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-3630785132">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: -23px !important; width: 26px !important; height: 26px !important;" checked><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-0" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-0" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-empty-0" x="0" y="0"></use>
<use xlink:href="#wprm-star-empty-0" x="24" y="0"></use>
<use xlink:href="#wprm-star-empty-0" x="48" y="0"></use>
<use xlink:href="#wprm-star-empty-0" x="72" y="0"></use>
<use xlink:href="#wprm-star-empty-0" x="96" y="0"></use>
</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: 26px !important; height: 26px !important;"><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-1" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-1" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-1" x="0" y="0"></use>
<use xlink:href="#wprm-star-empty-1" x="24" y="0"></use>
<use xlink:href="#wprm-star-empty-1" x="48" y="0"></use>
<use xlink:href="#wprm-star-empty-1" x="72" y="0"></use>
<use xlink:href="#wprm-star-empty-1" x="96" y="0"></use>
</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: 26px !important; height: 26px !important;"><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-2" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-2" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-2" x="0" y="0"></use>
<use xlink:href="#wprm-star-full-2" x="24" y="0"></use>
<use xlink:href="#wprm-star-empty-2" x="48" y="0"></use>
<use xlink:href="#wprm-star-empty-2" x="72" y="0"></use>
<use xlink:href="#wprm-star-empty-2" x="96" y="0"></use>
</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: 26px !important; height: 26px !important;"><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-3" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-3" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-3" x="0" y="0"></use>
<use xlink:href="#wprm-star-full-3" x="24" y="0"></use>
<use xlink:href="#wprm-star-full-3" x="48" y="0"></use>
<use xlink:href="#wprm-star-empty-3" x="72" y="0"></use>
<use xlink:href="#wprm-star-empty-3" x="96" y="0"></use>
</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: 26px !important; height: 26px !important;"><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-4" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-4" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-4" x="0" y="0"></use>
<use xlink:href="#wprm-star-full-4" x="24" y="0"></use>
<use xlink:href="#wprm-star-full-4" x="48" y="0"></use>
<use xlink:href="#wprm-star-full-4" x="72" y="0"></use>
<use xlink:href="#wprm-star-empty-4" x="96" y="0"></use>
</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-3630785132" style="width: 26px !important; height: 26px !important;"><span aria-hidden="true" style="width: 130px !important; height: 26px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="80px" height="16px" viewbox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-5" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-5" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-5" x="0" y="0"></use>
<use xlink:href="#wprm-star-full-5" x="24" y="0"></use>
<use xlink:href="#wprm-star-full-5" x="48" y="0"></use>
<use xlink:href="#wprm-star-full-5" x="72" y="0"></use>
<use xlink:href="#wprm-star-full-5" x="96" y="0"></use>
</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="required"></textarea></p><div class="appearing-fields"><div class="comtwocol"><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="required"></p>
<p class="comment-form-email"><label for="email">Email <span class="required">*</span></label> <input id="email" name="email" type="text" value="" size="30" maxlength="100" autocomplete="email" required="required"></p></div>
</div><p class="form-submit"><input name="submit" type="submit" id="submit" class="submit" value="Post Comment"> <input type="hidden" name="comment_post_ID" value="15294" 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="6ccf3b68ea"></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="81"><script type="rocketlazyloadscript">document.getElementById( "ak_js_1" ).setAttribute( "value", ( new Date() ).getTime() );</script></p></form> </div><!-- #respond -->
</div>
<div class="postsection commentsection notop nobot">
<h2 class="line"><span>255 comments</span></h2>
<div class="ajaxwrap">
<ul class="commentlist">
<li class="comment-li">
<article id="comment-233054" class="comment even thread-even depth-1 comdiv">
<div class="comavatar"><img alt="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset="https://secure.gravatar.com/avatar/70e02b2d6b43bc0792941373c0f9b7620d16a4313bf56dd39264fc1f7f203ed9?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async" data-lazy-src="https://secure.gravatar.com/avatar/70e02b2d6b43bc0792941373c0f9b7620d16a4313bf56dd39264fc1f7f203ed9?s=48&d=mm&r=g"><noscript><img alt="" src="https://secure.gravatar.com/avatar/70e02b2d6b43bc0792941373c0f9b7620d16a4313bf56dd39264fc1f7f203ed9?s=48&d=mm&r=g" srcset="https://secure.gravatar.com/avatar/70e02b2d6b43bc0792941373c0f9b7620d16a4313bf56dd39264fc1f7f203ed9?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async"></noscript></div>
<div class="comright">
<div class="commeta">
<ul>
<li class="comauth">Brenda</li>
<li><time datetime="2025-04-30T17:58:23-05:00">April 30, 2025</time></li>
<li class="comrating"><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.chewoutloud.com/wp-content/themes/col2021/images/stars-5.svg" alt="5 stars" width="80" height="16">
</li>
</ul>
</div>
<div class="comcontent notop nobot">
<p>What an easy and delicious recipe. I will be adding this to my “entertaining “ file. I did double the butter sauce as my filets were about 12oz each</p>
</div>
<div class="comactions">
<ul>
<li class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-233054" data-commentid="233054" data-postid="15294" data-belowelement="comment-233054" data-respondelement="respond" data-replyto="Reply to Brenda" aria-label="Reply to Brenda">Reply</a></li> </ul>
</div>
</div>
</article>
</li><!-- #comment-## -->
<li class="comment-li">
<article id="comment-232980" class="comment odd alt thread-odd thread-alt depth-1 comdiv">
<div class="comavatar"><img alt="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset="https://secure.gravatar.com/avatar/8098b517d0f4dd0f5f0ae407d8a152c0e9814f85d74cbaeecd66bda9da1cb8a8?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async" data-lazy-src="https://secure.gravatar.com/avatar/8098b517d0f4dd0f5f0ae407d8a152c0e9814f85d74cbaeecd66bda9da1cb8a8?s=48&d=mm&r=g"><noscript><img alt="" src="https://secure.gravatar.com/avatar/8098b517d0f4dd0f5f0ae407d8a152c0e9814f85d74cbaeecd66bda9da1cb8a8?s=48&d=mm&r=g" srcset="https://secure.gravatar.com/avatar/8098b517d0f4dd0f5f0ae407d8a152c0e9814f85d74cbaeecd66bda9da1cb8a8?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async"></noscript></div>
<div class="comright">
<div class="commeta">
<ul>
<li class="comauth">Pat Stanton</li>
<li><time datetime="2025-04-29T12:28:21-05:00">April 29, 2025</time></li>
<li class="comrating"><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.chewoutloud.com/wp-content/themes/col2021/images/stars-5.svg" alt="5 stars" width="80" height="16">
</li>
</ul>
</div>
<div class="comcontent notop nobot">
<p>This is my go to recipe for swordfish; my husband and I really LOVE It!!!! It’s So EASY!!!</p>
</div>
<div class="comactions">
<ul>
<li class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-232980" data-commentid="232980" data-postid="15294" data-belowelement="comment-232980" data-respondelement="respond" data-replyto="Reply to Pat Stanton" aria-label="Reply to Pat Stanton">Reply</a></li> </ul>
</div>
</div>
</article>
</li><!-- #comment-## -->
<li class="comment-li">
<article id="comment-232972" class="comment even thread-even depth-1 comdiv">
<div class="comavatar"><img alt="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset="https://secure.gravatar.com/avatar/499dd5d4cfc1dfbfd9736f66146bf96fe7815aa497928149289d55fdf5a8d13a?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async" data-lazy-src="https://secure.gravatar.com/avatar/499dd5d4cfc1dfbfd9736f66146bf96fe7815aa497928149289d55fdf5a8d13a?s=48&d=mm&r=g"><noscript><img alt="" src="https://secure.gravatar.com/avatar/499dd5d4cfc1dfbfd9736f66146bf96fe7815aa497928149289d55fdf5a8d13a?s=48&d=mm&r=g" srcset="https://secure.gravatar.com/avatar/499dd5d4cfc1dfbfd9736f66146bf96fe7815aa497928149289d55fdf5a8d13a?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async"></noscript></div>
<div class="comright">
<div class="commeta">
<ul>
<li class="comauth">AZMOM22</li>
<li><time datetime="2025-04-29T06:54:13-05:00">April 29, 2025</time></li>
</ul>
</div>
<div class="comcontent notop nobot">
<p>It says to brown the fish on one side, then flip the fish and put it in the oven. Should I be browning both sides of the fish before putting in the oven, or just one side, flip and into the oven?</p>
</div>
<div class="comactions">
<ul>
<li class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-232972" data-commentid="232972" data-postid="15294" data-belowelement="comment-232972" data-respondelement="respond" data-replyto="Reply to AZMOM22" aria-label="Reply to AZMOM22">Reply</a></li> </ul>
</div>
</div>
</article>
<ul class="children">
<li class="comment-li">
<article id="comment-233243" class="comment byuser comment-author-chewoutloud bypostauthor odd alt depth-2 comdiv">
<div class="comavatar"><img alt="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset="https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async" data-lazy-src="https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=48&d=mm&r=g"><noscript><img alt="" src="https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=48&d=mm&r=g" srcset="https://secure.gravatar.com/avatar/e3557a29f4a3bfbce95c85085f3d149b01cfe4bdd08d19c3df6a81ee695467f7?s=96&d=mm&r=g 2x" class="avatar avatar-48 photo" height="48" width="48" decoding="async"></noscript></div>
<div class="comright">
<div class="commeta">
<ul>
<li class="comauth">Amy Dong</li>
<li><time datetime="2025-05-04T07:53:23-05:00">May 4, 2025</time></li>
</ul>
</div>
<div class="comcontent notop nobot">
<p>No need to brown both sides. Just the 1 side, flip, and oven 🙂</p>
</div>
<div class="comactions">
<ul>
<li class="reply"><a rel="nofollow" class="comment-reply-link" href="#comment-233243" data-commentid="233243" data-postid="15294" data-belowelement="comment-233243" data-respondelement="respond" data-replyto="Reply to Amy Dong" aria-label="Reply to Amy Dong">Reply</a></li> </ul>
</div>
</div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul>
<div class="prevnext ajaxnav" data-type="comments">
<div class="prevnext-a notop nobot">
<div class="next"><a href="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/comment-page-48/#comments" class="btn">Load More</a></div>
</div>
</div>
</div>
</div>
</div> </footer>
</div>
</div>
<aside id="sidebar" class="sidebar notop nobot">
<section id="col_welcome-2" class="section notop nobot section-welcome"><div class="welcome-image"><img fetchpriority="high" width="300" height="450" src="https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-300x450.jpg" class="attachment-welcome size-welcome" alt="Amy Dong" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-300x450.jpg 300w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-150x225.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2-600x900.jpg 600w, https://www.chewoutloud.com/wp-content/uploads/2022/02/amy-dong-2.jpg 736w" sizes="(max-width: 340px) calc(100vw - 40px), 300px"></div><div class="welcome-box notop nobot"><h2><span class="cursive" style="text-transform:none;">Hi, I’m Amy</span></h2> <div class="textwidget"><p>Welcome to Chew Out Loud. Here, you’ll find smart strategies for simple yet delicious meals your family will love. <a href="https://www.chewoutloud.com/welcome/">Learn More </a></p>
</div>
</div></section><section id="custom_html-10" class="widget_text section notop nobot widget_custom_html"><h2 class="line"><span>30-Minute Recipes</span></h2><div class="textwidget custom-html-widget"><!-- This site is converting visitors into subscribers and customers with OptinMonster - https://optinmonster.com :: Campaign Title: COL - FORM - 30 Minute Recipes Sidebar - DT - INL -->
<div id="om-cvdfqcaw6cqp4liqweav-holder" style="min-height: 385px;"></div>
<script type="rocketlazyloadscript">(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,'cvdfqcaw6cqp4liqweav');</script>
<!-- / https://optinmonster.com --></div></section><section id="col_widget_post_grid-2" class="section notop nobot section-postgrid"><h2 class="line"><span>Popular</span></h2><div class="imagegrid imagegrid-side2 griditems-vertical griditems breaknarrow">
<ul>
<li><div class="li-a"><a href="https://www.chewoutloud.com/easy-jamaican-jerk-chicken-recipe/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="jamaican jerk chicken in a baking dish." data-lazy-sizes="142px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-780x1170.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-768x1152.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1024x1536.jpg 1024w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1365x2048.jpg 1365w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-150x225.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical.jpg 1560w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="jamaican jerk chicken in a baking dish." sizes="142px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-780x1170.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-768x1152.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1024x1536.jpg 1024w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1365x2048.jpg 1365w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-150x225.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2021/04/jerk-chicken-finished-dish-vertical.jpg 1560w"></noscript> </div>
</div>
<div class="gridtitle">Easy Jamaican Jerk Chicken Recipe</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/lemon-garlic-swordfish-recipe/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="lemon butter swordfish recipe" data-lazy-sizes="142px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-490x736.jpg 490w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="lemon butter swordfish recipe" sizes="142px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2018/08/lemon-swordfish-0-490x736.jpg 490w"></noscript> </div>
</div>
<div class="gridtitle">Lemon Garlic Swordfish Recipe</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/easy-perfect-mahi-mahi-recipe/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mahi Mahi Fillets in Pan with Lemon Butter Sauce." data-lazy-sizes="142px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-780x1174.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-768x1156.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1021x1536.jpg 1021w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1361x2048.jpg 1361w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-150x226.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce.jpg 1560w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mahi Mahi Fillets in Pan with Lemon Butter Sauce." sizes="142px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-213x320.jpg 213w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-780x1174.jpg 780w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-768x1156.jpg 768w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1021x1536.jpg 1021w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1361x2048.jpg 1361w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-150x226.jpg 150w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce-1248x1872.jpg 1248w, https://www.chewoutloud.com/wp-content/uploads/2022/10/Mahi-Mahi-Fillets-in-Pan-with-Lemon-Butter-Sauce.jpg 1560w"></noscript> </div>
</div>
<div class="gridtitle">Easy Perfect Mahi Mahi Recipe</div>
</a>
</div></li><li><div class="li-a"><a href="https://www.chewoutloud.com/mint-chocolate-chip-ice-cream/">
<div class="gridimage">
<div class="gridimage-a">
<img width="172" height="258" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20172%20258'%3E%3C/svg%3E" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mint Chip Ice Cream, Mint Chocolate Chip Ice Cream, Ice Cream Recipe, Homemade Ice Cream" data-lazy-sizes="142px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-490x736.jpg 490w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-172x258.jpg"><noscript><img width="172" height="258" src="https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-172x258.jpg" class="attachment-post-thumbnail-small size-post-thumbnail-small wp-post-image" alt="Mint Chip Ice Cream, Mint Chocolate Chip Ice Cream, Ice Cream Recipe, Homemade Ice Cream" sizes="142px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-491x736.jpg 491w, https://www.chewoutloud.com/wp-content/uploads/2020/04/Mint-Chip-Ice-Cream-Square-490x736.jpg 490w"></noscript> </div>
</div>
<div class="gridtitle">Homemade Mint Chocolate Chip Ice Cream</div>
</a>
</div></li> </ul>
</div>
</section><section id="col_widget_post_grid-3" class="section notop nobot section-postgrid"><h2 class="line"><span>Collections</span></h2><div class="imagegrid imagegrid-side1 griditems-vertical griditems breaknarrow">
<ul>
<li><div class="li-a"><a href="https://www.chewoutloud.com/easy-fish-recipes/">
<div class="gridimage">
<div class="gridimage-a">
<img width="353" height="529" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20353%20529'%3E%3C/svg%3E" class="attachment-post-thumbnail-medium size-post-thumbnail-medium wp-post-image" alt="fish recipes collection roundup" data-lazy-sizes="300px" decoding="async" data-lazy-srcset="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-1248x1872.jpg 1248w" data-lazy-src="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg"><noscript><img width="353" height="529" src="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg" class="attachment-post-thumbnail-medium size-post-thumbnail-medium wp-post-image" alt="fish recipes collection roundup" sizes="300px" decoding="async" srcset="https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-353x529.jpg 353w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-400x600.jpg 400w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-172x258.jpg 172w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-297x445.jpg 297w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-624x936.jpg 624w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-706x1058.jpg 706w, https://www.chewoutloud.com/wp-content/uploads/2021/03/Easy-Fish-Recipes-Collection-Collage-1248x1872.jpg 1248w"></noscript> </div>
</div>
<div class="gridtitle">12 Easy Fish Recipes</div>
</a>
</div></li> </ul>
</div>
</section></aside> </div>
</article>
</div>
</div>
</main>
<div class="cta">
<div class="container notop nobot">
<h2 class="plain">Get our <span class="cursive">free</span> email series: 5 Easy Recipes in 30 Minutes or Less</h2>
<p>Plus our newest recipes each week</p>
<div class="customckform"><script type="rocketlazyloadscript" data-minify="1" async data-uid="7662b82364" data-rocket-src="https://www.chewoutloud.com/wp-content/cache/min/1/7662b82364/index.js?ver=1745438593"></script></div>
</div>
</div>
<footer id="footer">
<div class="container">
<div class="ftcols">
<div class="ftcols-a">
<div class="col ftmenus">
<div class="col-a notop nobot">
<ul id="menu-footer-columns" class="toplevel"><li id="menu-item-25149" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-has-children menu-item-25149"><a href="https://www.chewoutloud.com/category/cook/">Cook</a><ul class="sub-menu"><li id="menu-item-25152" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25152"><a href="https://www.chewoutloud.com/category/cook/seasonal-ingredients/">Seasonal Ingredients</a></li><li id="menu-item-25150" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25150"><a href="https://www.chewoutloud.com/category/cook/pantry-staples/">Pantry Staples</a></li><li id="menu-item-25151" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25151"><a href="https://www.chewoutloud.com/category/cook/meal-prep/">Meal Prep</a></li></ul></li><li id="menu-item-25146" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-has-children menu-item-25146"><a href="https://www.chewoutloud.com/category/bake/">Bake</a><ul class="sub-menu"><li id="menu-item-25148" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25148"><a href="https://www.chewoutloud.com/category/bake/seasonal/">Seasonal</a></li><li id="menu-item-25147" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25147"><a href="https://www.chewoutloud.com/category/bake/10-ingredients-or-less/">10 Ingredients or Less</a></li></ul></li><li id="menu-item-25157" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-has-children menu-item-25157"><a href="https://www.chewoutloud.com/category/learn/">Learn</a><ul class="sub-menu"><li id="menu-item-25158" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25158"><a href="https://www.chewoutloud.com/category/learn/cooking-basics/">Cooking Basics</a></li><li id="menu-item-25160" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25160"><a href="https://www.chewoutloud.com/category/learn/techniques/">Techniques</a></li><li id="menu-item-25159" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25159"><a href="https://www.chewoutloud.com/category/learn/recipes-using-key-tools/">Recipes Using Key Tools</a></li></ul></li><li id="menu-item-25153" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-has-children menu-item-25153"><a href="https://www.chewoutloud.com/category/gather/">Gather</a><ul class="sub-menu"><li id="menu-item-25154" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25154"><a href="https://www.chewoutloud.com/category/gather/favorites/">Favorites</a></li><li id="menu-item-25156" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25156"><a href="https://www.chewoutloud.com/category/gather/menus/">Menus</a></li><li id="menu-item-25155" class="menu-item menu-item-type-taxonomy menu-item-object-category menu-item-25155"><a href="https://www.chewoutloud.com/category/gather/holidays/">Holidays</a></li></ul></li></ul> </div>
</div>
</div>
</div>
<div class="socialicons"><ul id="menu-social-icons-full" class="menu"><li id="menu-item-25139" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25139"><a target="_blank" href="https://www.instagram.com/chewoutloud"><svg class="cicon icon-instagram"><title>Instagram</title><use xlink:href="#icon-instagram"></use></svg></a></li><li id="menu-item-25140" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25140"><a target="_blank" href="https://www.pinterest.com/chewoutloud/"><svg class="cicon icon-pinterest"><title>Pinterest</title><use xlink:href="#icon-pinterest"></use></svg></a></li><li id="menu-item-41054" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-41054"><a href="https://www.facebook.com/chewoutloud"><svg class="cicon icon-facebook"><title>Facebook</title><use xlink:href="#icon-facebook"></use></svg></a></li><li id="menu-item-25142" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25142"><a target="_blank" href="https://www.youtube.com/channel/UCG5iIP4Vv8qEq1egH7IrH3A"><svg class="cicon icon-youtube"><title>YouTube</title><use xlink:href="#icon-youtube"></use></svg></a></li></ul></div>
<div class="ftsmall">
<ul id="menu-footer-menu" class="menu"><li id="menu-item-25162" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25162"><span>© 2025 Chew Out Loud</span></li><li id="menu-item-25163" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-privacy-policy menu-item-25163"><a rel="privacy-policy" href="https://www.chewoutloud.com/privacy/">Privacy Policy</a></li><li id="menu-item-40896" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-40896"><a href="https://www.chewoutloud.com/accessibility/">Accessibility Policy</a></li><li id="menu-item-25164" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-25164"><a href="https://www.chewoutloud.com/contact/">Contact Us</a></li><li id="menu-item-25165" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-25165"><a target="_blank" rel="nofollow" href="https://www.cre8d-design.com">Site by cre8d</a></li></ul> </div>
</div>
</footer>
</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><script type="speculationrules">
{"prefetch":[{"source":"document","where":{"and":[{"href_matches":"\/*"},{"not":{"href_matches":["\/wp-*.php","\/wp-admin\/*","\/wp-content\/uploads\/*","\/wp-content\/*","\/wp-content\/plugins\/*","\/wp-content\/themes\/col2021\/*","\/*\\?(.+)"]}},{"not":{"selector_matches":"a[rel~=\"nofollow\"]"}},{"not":{"selector_matches":".no-prefetch, .no-prefetch a"}}]},"eagerness":"conservative"}]}
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript">(function (d) {var f = d.getElementsByTagName('SCRIPT')[0],p = d.createElement('SCRIPT');p.type = 'text/javascript';p.async = true;p.src = '//assets.pinterest.com/js/pinit.js';f.parentNode.insertBefore(p, f);})(document);</script><script type="rocketlazyloadscript">window.wprm_recipes = {"recipe-15298":{"type":"food","name":"Lemon Garlic Swordfish Recipe","slug":"wprm-lemon-garlic-swordfish-recipe","image_url":"https:\/\/www.chewoutloud.com\/wp-content\/uploads\/2018\/08\/lemon-swordfish-0.jpg","rating":{"count":316,"total":1500,"average":4.75,"type":{"comment":145,"no_comment":0,"user":171},"user":0},"ingredients":[{"uid":1,"amount":"2","unit":"TB","name":"salted butter","notes":"softened to room temp","unit_id":11459,"id":11478,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"TB","unitParsed":"TB"}}},{"uid":2,"amount":"1","unit":"TB","name":"freshly chopped chives","notes":"","unit_id":11459,"id":12476,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"TB","unitParsed":"TB"}}},{"uid":3,"amount":"2","unit":"TB","name":"garlic cloves","notes":"minced","unit_id":11459,"id":10429,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"TB","unitParsed":"TB"}}},{"uid":4,"amount":"1\/8","unit":"tsp","name":"kosher salt","notes":"","unit_id":11413,"id":10420,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/8","unit":"tsp","unitParsed":"tsp"}}},{"uid":5,"amount":"1\/4","unit":"tsp","name":"freshly ground black pepper","notes":"","unit_id":11413,"id":10421,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/4","unit":"tsp","unitParsed":"tsp"}}},{"uid":6,"amount":"1","unit":"TB","name":"juice from fresh lemon","notes":"","unit_id":11459,"id":12027,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"TB","unitParsed":"TB"}}},{"uid":7,"amount":"1","unit":"TB","name":"grated lemon peel","notes":"","unit_id":11459,"id":12028,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"TB","unitParsed":"TB"}}},{"uid":9,"amount":"2","unit":"TB","name":"olive oil","notes":"","unit_id":11459,"id":11583,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"TB","unitParsed":"TB"}}},{"uid":10,"amount":"2","unit":"","name":"1-inch thick each swordfish fillets, about 6-7 oz each","notes":"","id":12477,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"","unitParsed":""}}},{"uid":11,"amount":"","unit":"","name":"kosher salt and freshly ground black pepper","notes":"","id":11527,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"","unit":"","unitParsed":""}}}],"originalServings":"4","originalServingsParsed":4,"currentServings":"4","currentServingsParsed":4,"currentServingsFormatted":"4","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> <svg aria-hidden="true" style="position: absolute; width: 0; height: 0; overflow: hidden;" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink">
<defs>
<symbol id="icon-heart" viewBox="0 0 35 32"><path d="M16.873 29.536c0.943 0 1.819-0.369 2.478-1.041l11.561-11.778c3.526-3.605 4.264-10.407-0.699-14.586-3.81-3.203-9.695-2.722-13.34 0.989-3.645-3.711-9.531-4.199-13.34-0.989-4.956 4.172-4.231 10.974-0.699 14.579l11.561 11.778c0.659 0.672 1.542 1.048 2.478 1.048zM16.649 26.267l-11.561-11.778c-2.406-2.452-2.893-7.092 0.481-9.933 2.564-2.155 6.519-1.832 8.997 0.692l2.307 2.353 2.307-2.353c2.491-2.538 6.446-2.847 8.997-0.699 3.368 2.841 2.867 7.507 0.481 9.939l-11.561 11.778c-0.158 0.158-0.29 0.158-0.448 0z"></path></symbol>
<symbol id="icon-search" viewBox="0 0 32 32"><path d="M31.781 29.306l-7.587-7.587c-0.144-0.144-0.331-0.219-0.531-0.219h-0.825c1.969-2.281 3.163-5.25 3.163-8.5 0-7.181-5.819-13-13-13s-13 5.819-13 13 5.819 13 13 13c3.25 0 6.219-1.194 8.5-3.163v0.825c0 0.2 0.081 0.387 0.219 0.531l7.588 7.588c0.294 0.294 0.769 0.294 1.063 0l1.413-1.413c0.294-0.294 0.294-0.769 0-1.063zM13 23c-5.525 0-10-4.475-10-10s4.475-10 10-10 10 4.475 10 10-4.475 10-10 10z"></path></symbol>
<symbol id="icon-angle-down" viewBox="0 0 20 32"><path d="M9.469 21.738l-9.25-9.175c-0.294-0.294-0.294-0.769 0-1.063l1.238-1.238c0.294-0.294 0.769-0.294 1.062 0l7.481 7.406 7.481-7.406c0.294-0.294 0.769-0.294 1.063 0l1.238 1.238c0.294 0.294 0.294 0.769 0 1.063l-9.25 9.175c-0.294 0.294-0.769 0.294-1.063 0z"></path></symbol>
<symbol id="icon-angle-right" viewBox="0 0 12 32"><path d="M10.431 16.531l-7.362 7.25c-0.294 0.294-0.769 0.294-1.063 0l-0.444-0.444c-0.294-0.294-0.294-0.769 0-1.063l6.394-6.275-6.388-6.275c-0.294-0.294-0.294-0.769 0-1.063l0.444-0.444c0.294-0.294 0.769-0.294 1.063 0l7.362 7.25c0.287 0.294 0.287 0.769-0.006 1.063z"></path></symbol>
<symbol id="icon-pinterest" viewBox="0 0 26 32"><path d="M5.757 31.512c3.15-4.313 3.037-5.156 4.462-10.8 0.769 1.462 2.756 2.25 4.331 2.25 6.637 0 9.619-6.469 9.619-12.3 0-6.206-5.363-10.256-11.25-10.256-6.412 0-12.75 4.275-12.75 11.194 0 4.4 2.475 6.9 3.975 6.9 0.619 0 0.975-1.725 0.975-2.213 0-0.581-1.481-1.819-1.481-4.238 0-5.025 3.825-8.587 8.775-8.587 4.256 0 7.406 2.419 7.406 6.863 0 3.319-1.331 9.544-5.644 9.544-1.556 0-2.887-1.125-2.887-2.738 0-2.363 1.65-4.65 1.65-7.087 0-4.138-5.869-3.388-5.869 1.613 0 1.050 0.131 2.213 0.6 3.169-0.862 3.712-2.625 9.244-2.625 13.069 0 1.181 0.169 2.344 0.281 3.525 0.213 0.238 0.106 0.212 0.431 0.094z"></path></symbol>
<symbol id="icon-facebook" viewBox="0 0 18 32"><path d="M11.348 32v-14h4.668l0.889-5.791h-5.557v-3.758c0-1.584 0.776-3.129 3.265-3.129h2.526v-4.931c0 0-2.293-0.391-4.484-0.391-4.576 0-7.567 2.774-7.567 7.795v4.414h-5.087v5.791h5.087v14h6.261z"></path></symbol>
<symbol id="icon-yummly" viewBox="0 0 25 32"><path d="M25.019 23.34c0-0.212-0.212-0.324-0.324-0.324-0.324-0.113-0.536 0-1.396-0.437-0.649-0.324-3.78-1.834-8.096-2.271l3.131-17.702c0.113-0.762 0.113-1.396-0.113-1.834-0.324-0.649-1.185-0.762-2.045-0.649-0.762 0.113-1.298 0.324-1.396 0.437-0.113 0.113-0.212 0.212-0.212 0.437 0 0.324 0.324 0.649 0.113 1.834 0 0.324-1.086 5.938-1.947 10.79-2.271 1.396-5.289 2.045-5.938 1.185-0.324-0.437-0.212-1.185 0.113-2.37 0.113-0.212 1.396-5.289 1.721-6.799 0.762-2.807 0.212-5.289-2.694-5.614-2.482-0.212-4.852 1.185-5.614 2.045-0.536 0.536-0.324 1.185 0.113 2.045 0.324 0.649 0.86 1.086 0.973 1.086 0.113 0.113 0.324 0.113 0.437 0 0.86-0.973 2.37-1.622 2.92-1.185 0.437 0.437 0.324 1.086 0.113 1.834 0 0-1.622 6.051-2.271 8.632-0.437 1.834 0 3.569 1.396 4.429 0.973 0.649 2.482 0.536 3.667 0.437 2.595-0.324 4.105-1.396 4.316-1.622-0.324 1.622-0.437 2.694-0.437 2.694s-2.92 0.212-5.289 1.721c-3.131 1.834-4.429 6.15-2.37 8.421s5.501 1.396 7.010 0.437c1.396-0.973 3.131-2.92 3.992-7.335 4.753 0.212 5.938 2.694 7.983 2.807 1.269-0.226 2.243-1.622 2.144-3.131zM8.827 27.656c-0.649 0.437-1.396 0.437-1.834 0-0.437-0.536-0.536-3.343 3.879-4.105 0-0.113-0.748 3.244-2.045 4.105z"></path></symbol>
<symbol id="icon-comments" viewBox="0 0 37 32"><path d="M4.803 32c-0.866 0.016-1.666-0.458-2.069-1.223-0.483-0.886-0.377-1.894 0.282-2.699 0.296-0.36 0.642-0.771 1.027-1.164v0.001c0.905-0.919 1.606-2.017 2.061-3.225-0.347-0.236-0.699-0.483-1.043-0.748-1.942-1.499-3.295-3.16-4.13-5.076-0.741-1.696-1.040-3.413-0.895-5.104 0.144-1.649 0.711-3.284 1.692-4.858 1.807-2.904 4.49-4.979 8.202-6.343 5.413-1.993 10.915-2.078 16.356-0.256 3.583 1.201 6.294 3.074 8.288 5.722 1.574 2.094 2.354 4.515 2.256 7.002s-1.065 4.839-2.791 6.82c-2.462 2.823-5.756 4.691-10.063 5.708-2.427 0.576-4.984 0.748-7.807 0.527-2.817 2.337-6.147 3.922-9.901 4.714-0.311 0.065-0.603 0.106-0.886 0.144l-0.17 0.024v0.001c-0.135 0.020-0.272 0.030-0.407 0.032l-0-0zM18.463 2.977c-2.511 0-5.020 0.458-7.508 1.374-3.065 1.128-5.256 2.806-6.702 5.124-1.479 2.374-1.673 4.727-0.596 7.199 0.63 1.446 1.683 2.724 3.217 3.908 0.38 0.292 0.784 0.567 1.213 0.858 0.199 0.135 0.406 0.276 0.612 0.419l0.843 0.589-0.253 0.999h0.003c-0.496 1.958-1.473 3.764-2.84 5.252 2.991-0.748 5.652-2.086 7.914-3.994 0.194-0.164 0.894-0.688 1.764-0.612 2.616 0.229 4.956 0.086 7.154-0.432 3.684-0.871 6.466-2.43 8.507-4.77 2.603-2.984 2.76-6.938 0.401-10.076-1.616-2.15-3.86-3.684-6.853-4.685-2.214-0.754-4.535-1.143-6.875-1.151h-0z"></path></symbol>
<symbol id="icon-instagram" viewBox="0 0 32 32"><path d="M22.168 31.444c2.493-0.118 4.701-0.688 6.521-2.514 1.819-1.819 2.389-4.028 2.514-6.521 0.146-2.569 0.146-10.264 0-12.833-0.118-2.493-0.687-4.701-2.514-6.521-1.819-1.819-4.028-2.389-6.521-2.514-2.569-0.146-10.271-0.146-12.84 0-2.486 0.118-4.694 0.687-6.521 2.507s-2.389 4.028-2.514 6.521c-0.146 2.569-0.146 10.271 0 12.84 0.118 2.493 0.688 4.701 2.514 6.521s4.028 2.389 6.521 2.514c2.569 0.146 10.271 0.146 12.84 0zM15.751 28.75c-2.264 0-7.132 0.181-9.174-0.625-1.361-0.542-2.41-1.59-2.958-2.958-0.813-2.049-0.625-6.91-0.625-9.174s-0.181-7.132 0.625-9.174c0.542-1.361 1.59-2.41 2.958-2.958 2.049-0.813 6.91-0.625 9.174-0.625s7.132-0.181 9.174 0.625c1.361 0.542 2.41 1.59 2.958 2.958 0.813 2.049 0.625 6.91 0.625 9.174s0.188 7.132-0.625 9.174c-0.542 1.361-1.59 2.41-2.958 2.958-2.049 0.813-6.91 0.625-9.174 0.625zM24.056 9.549c1.028 0 1.861-0.826 1.861-1.861 0-1.028-0.833-1.861-1.861-1.861s-1.861 0.833-1.861 1.861c0 1.028 0.826 1.861 1.861 1.861zM15.751 23.972c4.417 0 7.979-3.563 7.979-7.979s-3.563-7.979-7.979-7.979c-4.417 0-7.979 3.563-7.979 7.979s3.563 7.979 7.979 7.979zM15.751 21.181c-2.854 0-5.187-2.326-5.187-5.187s2.326-5.188 5.187-5.188c2.861 0 5.188 2.326 5.188 5.188s-2.333 5.187-5.188 5.187z"></path></symbol>
<symbol id="icon-youtube" viewBox="0 0 48 32"><path d="M41.873 31.044c1.958-0.527 3.501-2.014 4.024-3.985 0.842-3.164 0.939-9.373 0.95-10.751v-0.55c-0.011-1.378-0.107-7.587-0.95-10.751-0.523-1.971-2.066-3.523-4.024-4.050-3.187-0.86-14.989-0.947-17.364-0.956h-0.836c-2.375 0.009-14.177 0.097-17.364 0.956-1.958 0.527-3.501 2.079-4.024 4.050-0.842 3.164-0.939 9.373-0.95 10.751l-0.001 0.204c0 0.023 0 0.041 0 0.053v0.018c0 0 0 0.024 0 0.071l0.001 0.204c0.011 1.378 0.107 7.587 0.95 10.751 0.523 1.971 2.066 3.459 4.024 3.985 3.115 0.84 14.457 0.943 17.188 0.956h1.189c2.731-0.013 14.073-0.115 17.188-0.956zM19.436 22.8v-13.535l11.896 6.768-11.896 6.767z"></path></symbol>
</defs>
</svg>
<!-- This site is converting visitors into subscribers and customers with OptinMonster - https://optinmonster.com :: Campaign Title: COL - WS - Tried and True EBook 2025 - DT - POP - FULL - 20SEC -->
<script type="rocketlazyloadscript">(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,'sxhyn7zf1nytriul70kn');</script>
<!-- / OptinMonster --><!-- This site is converting visitors into subscribers and customers with OptinMonster - https://optinmonster.com :: Campaign Title: COL - WS - Tried and True EBook 2025 - MB - POP - FULL - 20SEC -->
<script type="rocketlazyloadscript">(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,'ym0fvmchzubm4i69oxft');</script>
<!-- / OptinMonster --> <script type="rocketlazyloadscript" data-rocket-type="text/javascript">
var sxhyn7zf1nytriul70kn_shortcode = true;var ym0fvmchzubm4i69oxft_shortcode = true; </script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/plugins/faq-schema-block-to-accordion/assets/js/YSFA-JS.min.js?ver=1.0.5" id="YSFA-js-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" id="rocket-browser-checker-js-after">
/* <![CDATA[ */
"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 type="text/javascript" id="rocket-preload-links-js-extra">
/* <![CDATA[ */
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:\/\/www.chewoutloud.com","onHoverDelay":"100","rateThrottle":"3"};
/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" id="rocket-preload-links-js-after">
/* <![CDATA[ */
(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 type="rocketlazyloadscript">(function(d){var s=d.createElement("script");s.type="text/javascript";s.src="https://a.omappapi.com/app/js/api.min.js";s.async=true;s.id="omapi-script";d.getElementsByTagName("head")[0].appendChild(s);})(document);</script><script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/themes/col2021/jquery.my-menu-aim-2.1.min.js?ver=2.1" id="menu-aim-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/themes/col2021/intersection-observer.min.js?ver=1.0" id="intersection-observer-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/themes/col2021/jquery.matchheight.min.js?ver=0.7.2" id="matchheight-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/themes/col2021/swiper-bundle.min.js?ver=7.0.8" id="swiper-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-minify="1" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/cache/min/1/js/pinit.js?ver=1745438593" id="pinit-js" async defer data-pin-hover="true" data-pin-tall="true"></script>
<script type="rocketlazyloadscript" data-minify="1" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/cache/min/1/wp-content/themes/col2021/jscript.js?ver=1745438593" id="col-jscript-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-includes/js/comment-reply.min.js?ver=6.8" id="comment-reply-js" async="async" data-wp-strategy="async"></script>
<script type="text/javascript" id="jetpack-stats-js-before">
/* <![CDATA[ */
_stq = window._stq || [];
_stq.push([ "view", JSON.parse("{\"v\":\"ext\",\"blog\":\"54946061\",\"post\":\"15294\",\"tz\":\"-5\",\"srv\":\"www.chewoutloud.com\",\"j\":\"1:14.5\"}") ]);
_stq.push([ "clickTrackerInit", "54946061", "15294" ]);
/* ]]> */
</script>
<script type="text/javascript" src="https://stats.wp.com/e-202519.js" id="jetpack-stats-js" defer="defer" data-wp-strategy="defer"></script>
<script type="text/javascript" id="wprm-public-js-extra">
/* <![CDATA[ */
var wprm_public = {"user":"0","endpoints":{"analytics":"https:\/\/www.chewoutloud.com\/wp-json\/wp-recipe-maker\/v1\/analytics","integrations":"https:\/\/www.chewoutloud.com\/wp-json\/wp-recipe-maker\/v1\/integrations","manage":"https:\/\/www.chewoutloud.com\/wp-json\/wp-recipe-maker\/v1\/manage","utilities":"https:\/\/www.chewoutloud.com\/wp-json\/wp-recipe-maker\/v1\/utilities"},"settings":{"jump_output_hash":true,"features_comment_ratings":true,"template_color_comment_rating":"#fda41d","instruction_media_toggle_default":"on","video_force_ratio":false,"analytics_enabled":true,"google_analytics_enabled":false,"print_new_tab":true,"print_recipe_identifier":"slug"},"post_id":"15294","home_url":"https:\/\/www.chewoutloud.com\/","print_slug":"wprm_print","permalinks":"\/%postname%\/","ajax_url":"https:\/\/www.chewoutloud.com\/wp-admin\/admin-ajax.php","nonce":"1bcedd3f30","api_nonce":"c7fe3f71e2","translations":[],"version":{"free":"9.8.3","pro":"9.8.2"}};
/* ]]> */
</script>
<script type="text/javascript" src="https://www.chewoutloud.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.js?ver=9.8.3" id="wprm-public-js" data-rocket-defer defer></script>
<script type="text/javascript" id="wprmp-public-js-extra">
/* <![CDATA[ */
var wprmp_public = {"user":"0","endpoints":{"private_notes":"https:\/\/www.chewoutloud.com\/wp-json\/wp-recipe-maker\/v1\/private-notes","user_rating":"https:\/\/www.chewoutloud.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":"scroll","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><strong>Thanks for rating. Join our <\/strong><a href=\"https:\/\/chewoutloud.kit.com\/99dc39396a\" rel=\"noopener noreferrer\" target=\"_blank\"><strong>Free Recipe Club<\/strong><\/a><strong>! <\/strong><\/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":"Be the first to rate!","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":"#343434"},"timer":{"sound_file":"https:\/\/www.chewoutloud.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":536870912,"text":{"image_size":"The file is too large. Maximum size:"}}};
/* ]]> */
</script>
<script type="text/javascript" src="https://www.chewoutloud.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.js?ver=9.8.2" id="wprmp-public-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-minify="1" defer data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/cache/min/1/wp-content/plugins/akismet/_inc/akismet-frontend.js?ver=1745438593" id="akismet-frontend-js"></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.chewoutloud.com/wp-content/plugins/optinmonster/assets/dist/js/helper.min.js?ver=2.16.19" id="optinmonster-wp-helper-js" data-rocket-defer defer></script>
<div id="wprm-popup-modal-user-rating" class="wprm-popup-modal wprm-popup-modal-user-rating" data-type="user-rating" aria-hidden="true">
<div 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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-0" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-0" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-empty-0" x="0" y="0" />
<use xlink:href="#wprm-star-empty-0" x="24" y="0" />
<use xlink:href="#wprm-star-empty-0" x="48" y="0" />
<use xlink:href="#wprm-star-empty-0" x="72" y="0" />
<use xlink:href="#wprm-star-empty-0" x="96" y="0" />
</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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-1" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-1" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-1" x="0" y="0" />
<use xlink:href="#wprm-star-empty-1" x="24" y="0" />
<use xlink:href="#wprm-star-empty-1" x="48" y="0" />
<use xlink:href="#wprm-star-empty-1" x="72" y="0" />
<use xlink:href="#wprm-star-empty-1" x="96" y="0" />
</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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-2" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-2" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-2" x="0" y="0" />
<use xlink:href="#wprm-star-full-2" x="24" y="0" />
<use xlink:href="#wprm-star-empty-2" x="48" y="0" />
<use xlink:href="#wprm-star-empty-2" x="72" y="0" />
<use xlink:href="#wprm-star-empty-2" x="96" y="0" />
</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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-3" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-3" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-3" x="0" y="0" />
<use xlink:href="#wprm-star-full-3" x="24" y="0" />
<use xlink:href="#wprm-star-full-3" x="48" y="0" />
<use xlink:href="#wprm-star-empty-3" x="72" y="0" />
<use xlink:href="#wprm-star-empty-3" x="96" y="0" />
</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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-4" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-4" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-4" x="0" y="0" />
<use xlink:href="#wprm-star-full-4" x="24" y="0" />
<use xlink:href="#wprm-star-full-4" x="48" y="0" />
<use xlink:href="#wprm-star-full-4" x="72" y="0" />
<use xlink:href="#wprm-star-empty-4" x="96" y="0" />
</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="80px" height="16px" viewBox="0 0 120 24">
<defs>
<polygon class="wprm-star-full" id="wprm-star-full-5" fill="#FDA41D" stroke="#FDA41D" 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"></polygon>
<polygon class="wprm-star-empty" id="wprm-star-empty-5" fill="none" stroke="#FDA41D" 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"></polygon>
</defs>
<use xlink:href="#wprm-star-full-5" x="0" y="0" />
<use xlink:href="#wprm-star-full-5" x="24" y="0" />
<use xlink:href="#wprm-star-full-5" x="48" y="0" />
<use xlink:href="#wprm-star-full-5" x="72" y="0" />
<use xlink:href="#wprm-star-full-5" x="96" y="0" />
</svg></span> </fieldset>
</div>
<textarea name="wprm-user-rating-comment" class="wprm-user-rating-modal-comment" placeholder="I love getting a rating, but a review would be even better! Please consider leaving me a comment - thank you! " 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 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 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 type="rocketlazyloadscript" data-rocket-type="text/javascript">var omapi_localized = {
ajax: 'https://www.chewoutloud.com/wp-admin/admin-ajax.php?optin-monster-ajax-route=1',
nonce: 'd9d0874880',
slugs:
{"sxhyn7zf1nytriul70kn":{"slug":"sxhyn7zf1nytriul70kn","mailpoet":false},"ym0fvmchzubm4i69oxft":{"slug":"ym0fvmchzubm4i69oxft","mailpoet":false}} };</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript">var omapi_data = {"object_id":15294,"object_key":"post","object_type":"post","term_ids":[1,3244,39,288,10844,11305,120,4736,10695,10562,10565,10558,10495,10492,10497,10513],"wp_json":"https:\/\/www.chewoutloud.com\/wp-json","wc_active":false,"edd_active":false,"nonce":"c7fe3f71e2"};</script>
<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="rocketlazyloadscript">!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>window.lazyLoadOptions=[{elements_selector:"img[data-lazy-src],.rocket-lazyload,iframe[data-lazy-src]",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,callback_loaded:function(element){if(element.tagName==="IFRAME"&&element.dataset.rocketLazyload=="fitvidscompatible"){if(element.classList.contains("lazyloaded")){if(typeof window.jQuery!="undefined"){if(jQuery.fn.fitVids){jQuery(element).parent().fitVids()}}}}}},{elements_selector:".rocket-lazyload",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,}];window.addEventListener('LazyLoad::Initialized',function(e){var lazyLoadInstance=e.detail.instance;if(window.MutationObserver){var observer=new MutationObserver(function(mutations){var image_count=0;var iframe_count=0;var rocketlazy_count=0;mutations.forEach(function(mutation){for(var i=0;i<mutation.addedNodes.length;i++){if(typeof mutation.addedNodes[i].getElementsByTagName!=='function'){continue}
if(typeof mutation.addedNodes[i].getElementsByClassName!=='function'){continue}
images=mutation.addedNodes[i].getElementsByTagName('img');is_image=mutation.addedNodes[i].tagName=="IMG";iframes=mutation.addedNodes[i].getElementsByTagName('iframe');is_iframe=mutation.addedNodes[i].tagName=="IFRAME";rocket_lazy=mutation.addedNodes[i].getElementsByClassName('rocket-lazyload');image_count+=images.length;iframe_count+=iframes.length;rocketlazy_count+=rocket_lazy.length;if(is_image){image_count+=1}
if(is_iframe){iframe_count+=1}}});if(image_count>0||iframe_count>0||rocketlazy_count>0){lazyLoadInstance.update()}});var b=document.getElementsByTagName("body")[0];var config={childList:!0,subtree:!0};observer.observe(b,config)}},!1)</script><script data-no-minify="1" async src="https://www.chewoutloud.com/wp-content/plugins/wp-rocket/assets/js/lazyload/17.8.3/lazyload.min.js"></script><script>function lazyLoadThumb(e,alt,l){var t='<img data-lazy-src="https://i.ytimg.com/vi/ID/hqdefault.jpg" alt="" width="480" height="360"><noscript><img src="https://i.ytimg.com/vi/ID/hqdefault.jpg" alt="" width="480" height="360"></noscript>',a='<button class="play" aria-label="Play Youtube video"></button>';if(l){t=t.replace('data-lazy-','');t=t.replace('loading="lazy"','');t=t.replace(/<noscript>.*?<\/noscript>/g,'');}t=t.replace('alt=""','alt="'+alt+'"');return t.replace("ID",e)+a}function lazyLoadYoutubeIframe(){var e=document.createElement("iframe"),t="ID?autoplay=1";t+=0===this.parentNode.dataset.query.length?"":"&"+this.parentNode.dataset.query;e.setAttribute("src",t.replace("ID",this.parentNode.dataset.src)),e.setAttribute("frameborder","0"),e.setAttribute("allowfullscreen","1"),e.setAttribute("allow","accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture"),this.parentNode.parentNode.replaceChild(e,this.parentNode)}document.addEventListener("DOMContentLoaded",function(){var exclusions=["high","logo.svg","gma.svg","pioneer-woman.svg"];var e,t,p,u,l,a=document.getElementsByClassName("rll-youtube-player");for(t=0;t<a.length;t++)(e=document.createElement("div")),(u='https://i.ytimg.com/vi/ID/hqdefault.jpg'),(u=u.replace('ID',a[t].dataset.id)),(l=exclusions.some(exclusion=>u.includes(exclusion))),e.setAttribute("data-id",a[t].dataset.id),e.setAttribute("data-query",a[t].dataset.query),e.setAttribute("data-src",a[t].dataset.src),(e.innerHTML=lazyLoadThumb(a[t].dataset.id,a[t].dataset.alt,l)),a[t].appendChild(e),(p=e.querySelector(".play")),(p.onclick=lazyLoadYoutubeIframe)});</script></body>
</html>
|