1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683
|
<!DOCTYPE html>
<html lang="en-ZA" xmlns:og="//opengraphprotocol.org/schema/" xmlns:fb="//www.facebook.com/2008/fbml">
<head>
<link rel="shortcut icon" href="https://bitsofcarey.com/wp-content/uploads/2020/11/favi.png" type="image/x-icon" />
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<meta name='robots' content='index, follow, max-image-preview:large, max-snippet:-1, max-video-preview:-1' />
<!-- This site is optimized with the Yoast SEO Premium plugin v23.3 (Yoast SEO v23.4) - https://yoast.com/wordpress/plugins/seo/ -->
<title>Parmesan, Polenta & Almond Crumbed Chicken</title>
<meta name="description" content="Parmesan, Polenta & Almond Crumbed Chicken. Corn meal, grated parmesan & almond meal is the perfect gluten free alternative to breadcrumbs." />
<link rel="canonical" href="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/" />
<meta property="og:locale" content="en_US" />
<meta property="og:type" content="recipe" />
<meta property="og:title" content="Parmesan, Polenta & Almond Crumbed Chicken" />
<meta property="og:description" content="Parmesan, Polenta & Almond Crumbed Chicken. Corn meal, grated parmesan & almond meal is the perfect gluten free alternative to breadcrumbs." />
<meta property="og:url" content="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/" />
<meta property="og:site_name" content="Bits of Carey" />
<meta property="article:published_time" content="2022-08-10T09:52:23+00:00" />
<meta property="og:image" content="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg" />
<meta property="og:image:width" content="768" />
<meta property="og:image:height" content="974" />
<meta property="og:image:type" content="image/jpeg" />
<meta name="author" content="Carey Erasmus" />
<meta name="twitter:card" content="summary_large_image" />
<meta name="twitter:label1" content="Written by" />
<meta name="twitter:data1" content="Carey Erasmus" />
<meta name="twitter:label2" content="Est. reading time" />
<meta name="twitter:data2" content="2 minutes" />
<script type="application/ld+json" class="yoast-schema-graph">{"@context":"https://schema.org","@graph":[{"@type":"Article","@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#article","isPartOf":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/"},"author":{"name":"Carey Erasmus","@id":"https://bitsofcarey.com/#/schema/person/d4df82c1194e88c069f4784b6b95057e"},"headline":"Parmesan, Polenta & Almond Crumbed Chicken","datePublished":"2022-08-10T09:52:23+00:00","dateModified":"2022-08-10T09:52:23+00:00","wordCount":461,"commentCount":0,"publisher":{"@id":"https://bitsofcarey.com/#/schema/person/d4df82c1194e88c069f4784b6b95057e"},"image":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#primaryimage"},"thumbnailUrl":"https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg","keywords":["chicken","crumbed chicken","gluten free","Midweek meals","parmesan polenta and almond","simple suppers"],"articleSection":["Poultry","Recipes"],"inLanguage":"en-ZA","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#respond"]}]},{"@type":"WebPage","@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/","name":"Parmesan, Polenta & Almond Crumbed Chicken","isPartOf":{"@id":"https://bitsofcarey.com/#website"},"primaryImageOfPage":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#primaryimage"},"image":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#primaryimage"},"thumbnailUrl":"https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg","datePublished":"2022-08-10T09:52:23+00:00","dateModified":"2022-08-10T09:52:23+00:00","description":"Parmesan, Polenta & Almond Crumbed Chicken. Corn meal, grated parmesan & almond meal is the perfect gluten free alternative to breadcrumbs.","breadcrumb":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#breadcrumb"},"inLanguage":"en-ZA","potentialAction":[{"@type":"ReadAction","target":["https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/"]}]},{"@type":"ImageObject","inLanguage":"en-ZA","@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#primaryimage","url":"https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg","contentUrl":"https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg","width":768,"height":974,"caption":"Parmesan, Polenta & Almond Crumbed Chicken"},{"@type":"BreadcrumbList","@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https://bitsofcarey.com/"},{"@type":"ListItem","position":2,"name":"Parmesan, Polenta & Almond Crumbed Chicken"}]},{"@type":"WebSite","@id":"https://bitsofcarey.com/#website","url":"https://bitsofcarey.com/","name":"Bits of Carey","description":"Culinary Consultant Food Stylist","publisher":{"@id":"https://bitsofcarey.com/#/schema/person/d4df82c1194e88c069f4784b6b95057e"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https://bitsofcarey.com/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-ZA"},{"@type":["Person","Organization"],"@id":"https://bitsofcarey.com/#/schema/person/d4df82c1194e88c069f4784b6b95057e","name":"Carey Erasmus","image":{"@type":"ImageObject","inLanguage":"en-ZA","@id":"https://bitsofcarey.com/#/schema/person/image/","url":"https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=96&d=mm&r=g","contentUrl":"https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=96&d=mm&r=g","caption":"Carey Erasmus"},"logo":{"@id":"https://bitsofcarey.com/#/schema/person/image/"}},{"@type":"Recipe","name":"Parmesan, Polenta & Almond Crumbed Chicken","author":{"@type":"Person","name":"Carey Erasmus"},"description":"A delicious gluten free alternative seasoned with lemon zest and dried herbs.","datePublished":"2022-08-10T11:52:23+00:00","image":["https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg","https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x500.jpg","https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x375.jpg","https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-480x270.jpg"],"recipeYield":["4"],"prepTime":"PT15M","cookTime":"PT12M","recipeIngredient":["4 chicken breast fillets (free range)","½ tsp coarse salt (ground)","½ tsp coarse black pepper (ground)","1 egg (large)","45 ml milk","¾ c (180 ml) yellow cornmeal ((fine polenta))","¾ c (180 ml) parmesan (finely grated)","½ c (125 ml) almond meal ((finely ground almonds))","½ tsp (2.5 ml) coarse salt (ground)","½ tsp (2.5 ml) coarse black pepper (ground)","1 tsp (5 ml) dried rosemary","½ tsp (2.5 ml) dried thyme","1 lemon (zested and cut into wedges)","olive oil (for drizzling)"],"recipeInstructions":[{"@type":"HowToStep","text":"Slice the chicken fillets in half to make thinner fillets. By doing it this way, you get 8 pieces of crispy, tender chicken.","name":"Slice the chicken fillets in half to make thinner fillets. By doing it this way, you get 8 pieces of crispy, tender chicken.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-0"},{"@type":"HowToStep","text":"Season with salt and pepper.","name":"Season with salt and pepper.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-1"},{"@type":"HowToStep","text":"Beat the egg and milk together.","name":"Beat the egg and milk together.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-2"},{"@type":"HowToStep","text":"In a large bowl, mix corn meal, parmesan almond meal, seasoning and lemon zest together until evenly combined.","name":"In a large bowl, mix corn meal, parmesan almond meal, seasoning and lemon zest together until evenly combined.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-3"},{"@type":"HowToStep","text":"Lightly coat each fillet with the crumb mixture. Then dip into egg mixture followed by a generous coating of crumb mixture. Set aside on a tray, cover and allow to stand for 10 minutes. This can be prepared beforehand and chilled.","name":"Lightly coat each fillet with the crumb mixture. Then dip into egg mixture followed by a generous coating of crumb mixture. Set aside on a tray, cover and allow to stand for 10 minutes. This can be prepared beforehand and chilled.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-4"},{"@type":"HowToStep","text":"Airfryer: Place crumbed chicken in the airfryer tray. Do not overcrowd. Drizzle with olive oil and use Airfry setting for 12 minutes or until golden and crispy. Oven Bake: Place on a lined baking tray. Drizzle generously with olive oil and bake for at 200°C for +- 20 - 25 minutes or until golden and crispy.","name":"Airfryer: Place crumbed chicken in the airfryer tray. Do not overcrowd. Drizzle with olive oil and use Airfry setting for 12 minutes or until golden and crispy. Oven Bake: Place on a lined baking tray. Drizzle generously with olive oil and bake for at 200°C for +- 20 - 25 minutes or until golden and crispy.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-5"},{"@type":"HowToStep","text":"Serve immediately with lemon wedges, salad and sauce of your choice.","name":"Serve immediately with lemon wedges, salad and sauce of your choice.","url":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#wprm-recipe-8528-step-0-6"}],"recipeCategory":["Main Course"],"keywords":"chicken, crispy chicken, crumbed chicken, Gluten Free","nutrition":{"@type":"NutritionInformation","calories":"679 kcal","carbohydrateContent":"45 g","proteinContent":"53 g","fatContent":"33 g","saturatedFatContent":"10 g","transFatContent":"0.02 g","cholesterolContent":"145 mg","sodiumContent":"1395 mg","fiberContent":"9 g","sugarContent":"3 g","unsaturatedFatContent":"8 g","servingSize":"1 serving"},"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#recipe","isPartOf":{"@id":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#article"},"mainEntityOfPage":"https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/"}]}</script>
<!-- / Yoast SEO Premium plugin. -->
<link rel='dns-prefetch' href='//fonts.googleapis.com' />
<meta property="og:title" content="Parmesan, Polenta & Almond Crumbed Chicken"/>
<meta property="og:type" content="article"/>
<meta property="og:url" content="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/"/>
<meta property="og:site_name" content="Bits of Carey"/>
<meta property="og:image" content="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg"/>
<!-- This site uses the Google Analytics by MonsterInsights plugin v9.0.1 - Using Analytics tracking - https://www.monsterinsights.com/ -->
<script src="//www.googletagmanager.com/gtag/js?id=G-JBG4ZT3838" data-cfasync="false" data-wpfc-render="false" type="text/javascript" async></script>
<script data-cfasync="false" data-wpfc-render="false" type="text/javascript">
var mi_version = '9.0.1';
var mi_track_user = true;
var mi_no_track_reason = '';
var MonsterInsightsDefaultLocations = {"page_location":"https:\/\/bitsofcarey.com\/parmesan-polenta-almond-crumbed-chicken\/"};
if ( typeof MonsterInsightsPrivacyGuardFilter === 'function' ) {
var MonsterInsightsLocations = (typeof MonsterInsightsExcludeQuery === 'object') ? MonsterInsightsPrivacyGuardFilter( MonsterInsightsExcludeQuery ) : MonsterInsightsPrivacyGuardFilter( MonsterInsightsDefaultLocations );
} else {
var MonsterInsightsLocations = (typeof MonsterInsightsExcludeQuery === 'object') ? MonsterInsightsExcludeQuery : MonsterInsightsDefaultLocations;
}
var disableStrs = [
'ga-disable-G-JBG4ZT3838',
];
/* 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.MonsterInsightsDualTracker = {
helpers: {},
trackers: {},
};
if (mi_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 = monsterinsights_frontend.v4_id;
var hookName = name;
if (typeof parameters['event_category'] !== 'undefined') {
hookName = parameters['event_category'] + ':' + name;
}
if (typeof MonsterInsightsDualTracker.trackers[hookName] !== 'undefined') {
MonsterInsightsDualTracker.trackers[hookName](parameters);
} else {
__gtagDataLayer('event', name, parameters);
}
} else {
__gtagDataLayer.apply(null, arguments);
}
}
__gtagTracker('js', new Date());
__gtagTracker('set', {
'developer_id.dZGIzZG': true,
});
if ( MonsterInsightsLocations.page_location ) {
__gtagTracker('set', MonsterInsightsLocations);
}
__gtagTracker('config', 'G-JBG4ZT3838', {"forceSSL":"true","link_attribution":"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 MonsterInsights -->
<link rel='stylesheet' id='wp-block-library-css' href='https://bitsofcarey.com/wp-includes/css/dist/block-library/style.min.css?ver=ba2b1d75f486d5395c9940671a8ae03f' type='text/css' media='all' />
<style id='classic-theme-styles-inline-css' type='text/css'>
/*! This file is auto-generated */
.wp-block-button__link{color:#fff;background-color:#32373c;border-radius:9999px;box-shadow:none;text-decoration:none;padding:calc(.667em + 2px) calc(1.333em + 2px);font-size:1.125em}.wp-block-file__button{background:#32373c;color:#fff;text-decoration:none}
</style>
<style id='global-styles-inline-css' type='text/css'>
:root{--wp--preset--aspect-ratio--square: 1;--wp--preset--aspect-ratio--4-3: 4/3;--wp--preset--aspect-ratio--3-4: 3/4;--wp--preset--aspect-ratio--3-2: 3/2;--wp--preset--aspect-ratio--2-3: 2/3;--wp--preset--aspect-ratio--16-9: 16/9;--wp--preset--aspect-ratio--9-16: 9/16;--wp--preset--color--black: #000000;--wp--preset--color--cyan-bluish-gray: #abb8c3;--wp--preset--color--white: #ffffff;--wp--preset--color--pale-pink: #f78da7;--wp--preset--color--vivid-red: #cf2e2e;--wp--preset--color--luminous-vivid-orange: #ff6900;--wp--preset--color--luminous-vivid-amber: #fcb900;--wp--preset--color--light-green-cyan: #7bdcb5;--wp--preset--color--vivid-green-cyan: #00d084;--wp--preset--color--pale-cyan-blue: #8ed1fc;--wp--preset--color--vivid-cyan-blue: #0693e3;--wp--preset--color--vivid-purple: #9b51e0;--wp--preset--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, 0.2);--wp--preset--shadow--deep: 12px 12px 50px rgba(0, 0, 0, 0.4);--wp--preset--shadow--sharp: 6px 6px 0px rgba(0, 0, 0, 0.2);--wp--preset--shadow--outlined: 6px 6px 0px -3px rgba(255, 255, 255, 1), 6px 6px rgba(0, 0, 0, 1);--wp--preset--shadow--crisp: 6px 6px 0px rgba(0, 0, 0, 1);}:where(.is-layout-flex){gap: 0.5em;}:where(.is-layout-grid){gap: 0.5em;}body .is-layout-flex{display: flex;}.is-layout-flex{flex-wrap: wrap;align-items: center;}.is-layout-flex > :is(*, div){margin: 0;}body .is-layout-grid{display: grid;}.is-layout-grid > :is(*, div){margin: 0;}:where(.wp-block-columns.is-layout-flex){gap: 2em;}:where(.wp-block-columns.is-layout-grid){gap: 2em;}:where(.wp-block-post-template.is-layout-flex){gap: 1.25em;}:where(.wp-block-post-template.is-layout-grid){gap: 1.25em;}.has-black-color{color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-color{color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-color{color: var(--wp--preset--color--white) !important;}.has-pale-pink-color{color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-color{color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-color{color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-color{color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-color{color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-color{color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-color{color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-color{color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-color{color: var(--wp--preset--color--vivid-purple) !important;}.has-black-background-color{background-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-background-color{background-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-background-color{background-color: var(--wp--preset--color--white) !important;}.has-pale-pink-background-color{background-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-background-color{background-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-background-color{background-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-background-color{background-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-background-color{background-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-background-color{background-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-background-color{background-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-background-color{background-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-background-color{background-color: var(--wp--preset--color--vivid-purple) !important;}.has-black-border-color{border-color: var(--wp--preset--color--black) !important;}.has-cyan-bluish-gray-border-color{border-color: var(--wp--preset--color--cyan-bluish-gray) !important;}.has-white-border-color{border-color: var(--wp--preset--color--white) !important;}.has-pale-pink-border-color{border-color: var(--wp--preset--color--pale-pink) !important;}.has-vivid-red-border-color{border-color: var(--wp--preset--color--vivid-red) !important;}.has-luminous-vivid-orange-border-color{border-color: var(--wp--preset--color--luminous-vivid-orange) !important;}.has-luminous-vivid-amber-border-color{border-color: var(--wp--preset--color--luminous-vivid-amber) !important;}.has-light-green-cyan-border-color{border-color: var(--wp--preset--color--light-green-cyan) !important;}.has-vivid-green-cyan-border-color{border-color: var(--wp--preset--color--vivid-green-cyan) !important;}.has-pale-cyan-blue-border-color{border-color: var(--wp--preset--color--pale-cyan-blue) !important;}.has-vivid-cyan-blue-border-color{border-color: var(--wp--preset--color--vivid-cyan-blue) !important;}.has-vivid-purple-border-color{border-color: var(--wp--preset--color--vivid-purple) !important;}.has-vivid-cyan-blue-to-vivid-purple-gradient-background{background: var(--wp--preset--gradient--vivid-cyan-blue-to-vivid-purple) !important;}.has-light-green-cyan-to-vivid-green-cyan-gradient-background{background: var(--wp--preset--gradient--light-green-cyan-to-vivid-green-cyan) !important;}.has-luminous-vivid-amber-to-luminous-vivid-orange-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-amber-to-luminous-vivid-orange) !important;}.has-luminous-vivid-orange-to-vivid-red-gradient-background{background: var(--wp--preset--gradient--luminous-vivid-orange-to-vivid-red) !important;}.has-very-light-gray-to-cyan-bluish-gray-gradient-background{background: var(--wp--preset--gradient--very-light-gray-to-cyan-bluish-gray) !important;}.has-cool-to-warm-spectrum-gradient-background{background: var(--wp--preset--gradient--cool-to-warm-spectrum) !important;}.has-blush-light-purple-gradient-background{background: var(--wp--preset--gradient--blush-light-purple) !important;}.has-blush-bordeaux-gradient-background{background: var(--wp--preset--gradient--blush-bordeaux) !important;}.has-luminous-dusk-gradient-background{background: var(--wp--preset--gradient--luminous-dusk) !important;}.has-pale-ocean-gradient-background{background: var(--wp--preset--gradient--pale-ocean) !important;}.has-electric-grass-gradient-background{background: var(--wp--preset--gradient--electric-grass) !important;}.has-midnight-gradient-background{background: var(--wp--preset--gradient--midnight) !important;}.has-small-font-size{font-size: var(--wp--preset--font-size--small) !important;}.has-medium-font-size{font-size: var(--wp--preset--font-size--medium) !important;}.has-large-font-size{font-size: var(--wp--preset--font-size--large) !important;}.has-x-large-font-size{font-size: var(--wp--preset--font-size--x-large) !important;}
: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;}
</style>
<link rel='stylesheet' id='contact-form-7-css' href='https://bitsofcarey.com/wp-content/plugins/contact-form-7/includes/css/styles.css?ver=5.9.8' type='text/css' media='all' />
<link rel='stylesheet' id='email-subscribers-css' href='https://bitsofcarey.com/wp-content/plugins/email-subscribers/lite/public/css/email-subscribers-public.css?ver=5.7.34' type='text/css' media='all' />
<link rel='stylesheet' id='bwg_fonts-css' href='https://bitsofcarey.com/wp-content/plugins/photo-gallery/css/bwg-fonts/fonts.css?ver=0.0.1' type='text/css' media='all' />
<link rel='stylesheet' id='sumoselect-css' href='https://bitsofcarey.com/wp-content/plugins/photo-gallery/css/sumoselect.min.css?ver=3.4.6' type='text/css' media='all' />
<link rel='stylesheet' id='mCustomScrollbar-css' href='https://bitsofcarey.com/wp-content/plugins/photo-gallery/css/jquery.mCustomScrollbar.min.css?ver=3.1.5' type='text/css' media='all' />
<link rel='stylesheet' id='bwg_googlefonts-css' href='https://fonts.googleapis.com/css?family=Ubuntu&subset=greek,latin,greek-ext,vietnamese,cyrillic-ext,latin-ext,cyrillic' type='text/css' media='all' />
<link rel='stylesheet' id='bwg_frontend-css' href='https://bitsofcarey.com/wp-content/plugins/photo-gallery/css/styles.min.css?ver=1.8.28' type='text/css' media='all' />
<link rel='stylesheet' id='mc4wp-form-basic-css' href='https://bitsofcarey.com/wp-content/plugins/mailchimp-for-wp/assets/css/form-basic.css?ver=4.9.17' type='text/css' media='all' />
<link rel='stylesheet' id='v4-shims-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/fontawesome/css/v4-shims.min.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='fontawesome-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/fontawesome/css/font-awesome.min.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='icomoon-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/customfonts/css/custom-fonts.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='creativo-style-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/style.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='cr-flexslider-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/general/flexslider.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='cr-owl-slider-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/general/flexslider.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='cr-magnific-popup-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/general/magnific-popup.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='tailwindcss-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/tailwind.css?ver=7.7.15' type='text/css' media='all' />
<style id='tailwindcss-inline-css' type='text/css'>
.button.style_3d:active {top: 5px;-webkit-box-shadow: 0px 0px 0px !important;box-shadow: 0px 0px 0px !important;}.button.button_green, #navigation ul li a.button.button_green, #top-menu li a.button.button_green, .button.button_green.style_3d:hover {background: #5bc98c;border-color: #5bc98c;color: #fff;}.button.button_green:hover, #navigation ul li a.button.button_green:hover, #top-menu li a.button.button_green:hover {background: #479e85;border-color: #479e85;color: #fff;}.button.button_green.style_3d {box-shadow: 0 5px 0 #4daa77;-webkit-box-shadow: 0 5px 0 #4daa77;}.button.button_blue, #navigation ul li a.button.button_blue, #top-menu li a.button.button_blue, .button.button_blue.style_3d:hover {background: #44b6df;border-color: #44b6df;color: #fff;}.button.button_blue:hover, #navigation ul li a.button.button_blue:hover, #top-menu li a.button.button_blue:hover {background: #368faf;border-color: #368faf;color: #fff;}.button.button_blue.style_3d {box-shadow: 0 5px 0 #368faf;-webkit-box-shadow: 0 5px 0 #368faf;}.button.button_yellow, #navigation ul li a.button.button_yellow, #top-menu li a.button.button_yellow, .button.button_yellow.style_3d:hover {background: #febf4d;border-color: #febf4d;color: #68422C;}.button.button_yellow:hover, #navigation ul li a.button.button_yellow:hover, #top-menu li a.button.button_yellow:hover {background: #d39119;border-color: #d39119;color: #fff;}.button.button_yellow.style_3d {box-shadow: 0 5px 0 #d39119;-webkit-box-shadow: 0 5px 0 #d39119;}.button.button_red, #navigation ul li a.button.button_red, #top-menu li a.button.button_red, .button.button_red.style_3d:hover {background-color: #F6677B;border-color: #F6677B;color: #fff;}.button.button_red:hover, #navigation ul li a.button.button_red:hover, #top-menu li a.button.button_red:hover {background-color: #d05b6c;border-color: #d05b6c;color: #fff;}.button.button_red.style_3d {box-shadow: 0 5px 0 #d05b6c;-webkit-box-shadow: 0 5px 0 #d05b6c;}.button.button_purple, #navigation ul li a.button.button_purple, #top-menu li a.button.button_purple, .button.button_purple.style_3d:hover {background: #ee79ba;border-color: #ee79ba;color: #fff;}.button.button_purple:hover, #navigation ul li a.button.button_purple:hover, #top-menu li a.button.button_purple:hover {background: #c95b98;border-color: #c95b98;color: #fff;}.button.button_purple.style_3d {box-shadow: 0 5px 0 #c95b98;-webkit-box-shadow: 0 5px 0 #c95b98;}.button.button_black, #navigation ul li a.button.button_black, .tp-caption a.button.button_black, #top-menu li a.button.button_black, .button.button_black.style_3d:hover {background: #5c5c5c;border-color: #5c5c5c;color: #c9d1d6;}.button.button_black:hover, #navigation ul li a.button.button_black:hover, .tp-caption a.button.button_black:hover, #top-menu li a.button.button_black:hover {background: #2d2d2d;border-color: #2d2d2d;color: #e8edef;}.button.button_black.style_3d {box-shadow: 0 5px 0 #2d2d2d;-webkit-box-shadow: 0 5px 0 #2d2d2d;}.button.button_grey, #navigation ul li a.button.button_grey, #top-menu li a.button.button_grey, .button.button_grey.style_3d:hover {background: #a9a9a9;border-color: #a9a9a9;color: #fff;}.button.button_grey:hover, #navigation ul li a.button.button_grey:hover, #top-menu li a.button.button_grey:hover {background: #8b8a8a;border-color: #8b8a8a;color: #fff;}.button.button_grey.style_3d {box-shadow: 0 5px 0 #8b8a8a;-webkit-box-shadow: 0 5px 0 #8b8a8a;}.button.button_white, .button.button_white:hover, #navigation.custom_menu_color ul li a.button.button_white, #top-menu li a.button.button_white, .tp-caption a.button.button_white, #navigation.custom_menu_color ul li a.button.button_white:hover, #top-menu li a.button.button_white:hover, .tp-caption a.button.button_white:hover {background: #fff;border-color: #fff;color: #2d2d2d;}body,.more,.meta .date,.review blockquote q,.review blockquote div strong,.footer-areah3,.image .image-extras .image-extras-content h4,.project-content .project-info h4,.post-content blockquote,input, textarea, keygen, select, button{font-family:"Open Sans", Arial, Helvetica, sans-serif;font-size:16px;line-height: 30px;font-weight: 400;letter-spacing: 0px;}#branding .text, #branding .tagline, .side_logo .text, .side_logo .tagline {font-family: "Open Sans", Arial, Helvetica, sans-serif;}#branding .text, .side_logo .text {font-size: 24px;font-weight: 300;}body {color: #666666;background-color: #ffffff}#navigation .has-mega-menu ul.twitter li i {color: #666666;}h1, h2, h3, h4, h5:not(.navi_heading), h6,.bellow_header_title,.full .title,.tab-holder .tabs li,.post_grid_category, .box-title-wrap{font-family: "Open Sans", Arial, Helvetica, sans-serif;}h1, h2, h3, h4, h5, h6 {font-weight: 400;line-height: normal;margin-bottom: 10px;}.content-body h1, .content-body h2, .content-body h3, .content-body h4, .content-body h5, .content-body h6 {margin-bottom: 10px;}h1, .content-body h1 {font-size: 36px;}h2, .content-body h2 {font-size: 30px;}h3, .content-body h3 {font-size: 24px;}h4, .content-body h4 {font-size: 18px;}h5, .content-body h5 {font-size: 14px;}h6, .content-body h6 {font-size: 12px;}p, .content-body p, .content-body blockquote, .cr-post-content blockquote, .single-post .post-content ul, .wpb_text_column ul, .vc_column_text ul {margin-bottom: 20px;}h3.sidebar-title {font-family: "Open Sans", Arial, Helvetica, sans-serif;font-size: 14px;}.featured_post h2 {font-family: "Open Sans", Arial, Helvetica, sans-serif;}h3.footer-widget-title, #creativo-footer-wrapper .elementor-widget-container h5 {font-family: "Open Sans", Arial, Helvetica, sans-serif;}#top-menu {font-family: "Open Sans", Arial, Helvetica, sans-serif;font-size: 12px;}button,.button, .wpcf7-submit, .mc4wp-form input[type=submit] {font-family: "Open Sans", Arial, Helvetica, sans-serif}.top_contact {font-family: "Open Sans", Arial, Helvetica, sans-serif;font-size: 12px;}#top-menu li a {color: #999999;}#top-menu li a:hover {color: #098291;}#top-menu > li {border-right: 1px solid #f2f2f2;}#navigation {font-family: "Open Sans", Arial, Helvetica, sans-serif;}.tp-bannertimer {background-image:none !important;height:7px;}.latest-posts h2, .page-title{font-family:"Open Sans", Arial, Helvetica, sans-serif;}.wrapper-out, .creativo-elements-template-wrapper {background-color: #ffffff;}.page-title-breadcrumb .page-title-holder {font-size: 18px;font-weight: 400;}.page-title-breadcrumb h3.subhead {font-size: 13px;font-weight: 400;}.page-title-breadcrumb .breadcrumbs {font-size: 13px;font-weight: 400;}.page-title-breadcrumb .page-title-holder, .page-title-breadcrumb h3.subhead {color: #4d4d4d;}.page-title-breadcrumb .breadcrumbs, .page-title-breadcrumb .breadcrumbs a {color: #4d4d4d;}.page-title-breadcrumb {background-color: #f8f8f8;border-bottom-color: #f8f8f8;}@media screen and (min-width: 830px) {.page-title-breadcrumb {height: ;}}.page-title-breadcrumb {display: none;height: 0px;}a,.front_widget a, .vc_front_widget a, h5.toggle a.default_color,.portfolio-navigation a:hover,h2.page404,.project-feed .title a,.post_meta li a:hover, .portfolio-item .portfolio_details a, .portfolio-navigation a{color:#333333;}#navigation .has-mega-menu ul.twitter li a, #navigation .has-mega-menu .contact ul li a, #navigation .has-mega-menu .latest-posts a {color:#333333 !important;}a:hover, .col h3 a:hover,.col h4 a:hover, h5.toggle a.default_color:hover, .portfolio-item .portfolio_details a:hover, .portfolio-navigation a:hover {color: #098291;}#navigation .has-mega-menu ul.twitter li a:hover, #navigation .has-mega-menu .contact ul li a:hover, #navigation .has-mega-menu .latest-posts a:hover {color: #098291 !important;background-color:transparent;}.post-gallery-item a:hover img, .recent-portfolio a:hover img, .recent-flickr a:hover img{border-color:;}.default_dc{color:#333333;}.reading-box.default_border {background-color: #5bc98c;color: #ffffff;}.reading-box.default_border:hover {background-color: #098291;color: #ffffff;}.reading-box.default_border .button {border-color: #ffffff;color: #ffffff;}.reading-box.default_border:hover .button {border-color: #ffffff;color: #ffffff;}.gallery_zoom{background-color: #098291;}.vc_front_widget {background-color: #ffffff;}.vc_front_widget a{color: #5bc98c;}.vc_front_widget:hover {background-color: #098291;color:#fff;}.vc_front_widget:hover a{color:#fff;}.progress-bar-content,.ch-info-back4,.ch-info-back3,.ch-info-back2,.ch-info-back1,.col:hover .bottom,.tp-bannertimer,.review_inside:after, .flex-direction-nav a:hover, figure.effect-zoe figcaption {background-color:#5bc98c;}.front_widget:hover, .front_widget:hover a, .portfolio-tabs:not(.filters_modern) a:hover, .portfolio-tabs:not(.filters_modern) li.active a{color:#fff; background-color:#5bc98c;}.portfolio-tabs.filters_modern li.active a {border-bottom-color: #5bc98c;}._border:hover, .review blockquote q, .recent-flickr a:hover img{border-color:#5bc98c;}.review blockquote div {color:#5bc98c;}.project-feed .info, figure a .text-overlay, figure.event_image_list .text-overlay {background: rgba(0,0,0,0.70);}.recent_posts_container figure a .text-overlay .info i, .project-feed a i, .blogpost figure a .text-overlay i,.event_calendar_wrap figure a .text-overlay .info i {background-color: #5bc98c;color: #fff;}.portfolio-tabs:not(.filters_modern) li.active a, .portfolio-tabs:not(.filters_modern) li a:hover {color: ;background-color: ;}.portfolio-tabs:not(.filters_modern) li {border-width: 1px;border-color: ;}.portfolio-tabs:not(.filters_modern) li a {color: ;background-color: ;}.button_default, .button, .tp-caption a.button, .button_default.style_3d:hover, input[type=submit], input[type=submit]:focus {background-color: #098291;border-color: #098291;color: #ffffff;font-size: 14px;font-weight: 400;line-height: ;}.button_default:hover, .button:hover, .tp-caption a.button:hover{background-color: #00618e;border-color: #00618e;color: #ffffff;}.button_default.style_3d {box-shadow: 0 5px 0 #076874;-webkit-box-shadow: 0 5px 0 #076874;}.footer_widget_content a, .footer_widget_content .tweets-container a, .footer_widget_content .tweets-container i{color:#5bc98c ;}.footer_widget_content a:hover, .footer_widget_content .tweets-container a:hover {color: #888888;}.wrapper-out, .creativo-elements-template-wrapper {}.portfolio-tabs.filters_modern li.active a {color: #000000;}.portfolio-tabs.filters_modern li:last-child {border-right: none;margin-right: 0;padding-right:0;}.portfolio-tabs.filters_modern li a {color: #9b9b9b;padding-left:0;padding-right:0;margin-left: 1rem;margin-right: 1rem;text-transform:uppercase;}.modern_overlay_effect {background-color: rgba(255,255,255, 1);}figure.modern_portfolio_layout h3 a {font-size: 17px;color: #9e9e9e;font-weight: ;}figure.modern_portfolio_layout span.portfolio_categ_list a {font-size: 17px;color: #4e5ee9;}.project-content h1, .project-content h2, .portfolio-modern-title {color: ;}.project-content.full_desc .project-description, .project-content .project-description, .sp_title_desc .sp_description, .modern-portfolio-content,.single .portfolio-modern-content{color: ;}.project-details, .single .portfolio-modern .portfolio-misc-info h3, .single .portfolio-modern .project-info-details span {color: ;}.project-details a, .single .portfolio-modern .project-info-details span a {color: ;}.project-content.full_desc .date, .portfolio-navigation, .project-details, .project-title-date, .default-portfolio-navigation {border-color: ;}.portfolio_prev_link a, .portfolio_next_link a {color: ;}.portfolio-share-items .get_social li, .portfolio-modern .get_social li {border-color: ;}.portfolio-share-items .get_social li a, .portfolio-modern .get_social li a {background-color: ;color: }.single .portfolio-modern .related-portfolio-title, .single .related-portfolio-title {color: ;}.project-content .date {color: ;}.single .portfolio-modern .modern-portfolio-details-wrap {background-color: ;}.single .portfolio-modern .social_icons .share_text {color: ;}.header .social-icons-wrap .vertical-icons {background-color:#ffffff;}.header{margin-bottom: 0px;margin-top: 0px;padding-bottom: 0px;padding-top: 0px;background-color:#ffffff;box-shadow: none;-webkit-box-shadow: none;}.single-post .post_container .blogpost > div:last-of-type {margin-bottom:0;}.single-post .post_container .blogpost, .page-template-default .post_container {}.design_modern .share_with_tags {margin-top: 0px;}.author-pic img{max-width: 150px;}.page-template-page-blog .wrapper-out,.page-template-page-blog-small .wrapper-out,.page-template-page-blog-grid .wrapper-out,.page-template-page-blog-masonry .wrapper-out,.single-post .wrapper-out,.page-template-page-blog .creativo-elements-template-wrapper,.page-template-page-blog-small .creativo-elements-template-wrapper,.page-template-page-blog-grid .creativo-elements-template-wrapper,.page-template-page-blog-masonry .creativo-elements-template-wrapper,.single-post .creativo-elements-template-wrapper {}@media screen and (min-width: 960px){.post_container:not(.style2) {width: 72%;}.sidebar {width: 25%;}}.grid-posts .content_wrapper {background-color: #fafafb;}.grid-posts .content_wrapper {padding-left: 15px;padding-right: 15px;}.grid-posts .content_wrapper .archive-featured-images .flexslider {margin-left: -15px;margin-right: -15px;}.post_meta li.category_output {font-size: 11px;}.post-content.archive, .sm_images .post-content, .blogpost_small_desc .post-content, .related_post_item .related_post_description{color: ;font-size: ;line-height: ;}.blogpost.layout_modern .content_wrapper {}.blogpost.layout_modern {padding-bottom: 40px;margin-bottom: 40px;}.cr-category-description .cr-categ-html-tag {font-weight: ;font-size: ;color: ;}.cr-category-description .cr-categ-description-content {font-weight: ;font-size: ;color: ;}@media screen and (min-width: 1024px) {.blogpost_small_pic {width: 30%;}}@media screen and (min-width: 1024px) {.blogpost_small_desc {width: 67%;padding: 0px;box-sizing:border-box;-webkit-box-sizing:border-box;}}.sm_images.layout_modern {padding-bottom: 20px;margin-bottom: 20px;background-color: ;}.blogpost .singlepost_title, .modern_heading_title .singlepost_title{font-size: 26px;font-weight: 400;line-height: ;color: #939393;}@media screen and (max-width: 1200px) {.blogpost .singlepost_title, .modern_heading_title .singlepost_title{font-size: 26px;}}@media screen and (max-width: 768px) {.blogpost .singlepost_title, .modern_heading_title .singlepost_title{font-size: 26px;}}.archives_title, .blogpost_small_desc .archives_title {font-size: 22px;font-weight: 400;line-height: ;}.archives_title a, .blogpost_small_desc .archives_title a {color: #494949;}.single-post .post_container, .single-post .modern_title_not_featured .post_meta li {color: ;}.single-post .post_container .post-content a {color: ;}.single-post .post_container .post-content a:hover {color: ;text-decoration: none;}.single-post .post_meta li {color: ;border-color: }.single-post .post_meta li a {color: ;}.portfolio-modern-description .portfolio-modern-title h3 a {font-size: 36px;color: ;}.portfolio-modern-description .portfolio-modern-categs a {font-size: 18px;color: ;}.portfolio-modern-description .portfolio-modern-content {font-size: 14px;color: ;}.portfolio-modern-description .project-info-details h3{font-size: 14px;color: ;}.portfolio-modern-description .project-info-details span {font-size: 14px;color: ;}.portfolio-modern-description .portfolio-modern-proj-details {background-color: ;border-color: ;}.figure_image_holder .effect-overlay {background-color: rgba( 0,0,0,0.75 );}.portfolio-wrapper figure.effect-zoe .effect-overlay a {color: #ffffff;}.portfolio-wrapper figure.effect-zoe .zoomin, .portfolio-wrapper figure.effect-zoe .launch {border-color: #ffffff;}figure.effect-zoe figcaption {background-color: ;}figure.effect-zoe figcaption h3 a {color: #ffffff;}.small_read_more a{color: #ffffff;}.small_read_more a:hover{color: #ffffff;}.modern_layout.view_more_button {color: #ffffff;font-weight: 500;}.modern_layout.view_more_button:hover {color: #ffffff;}.button.button_default.view_more_button {background-color: #01808e;border-color: #01808e;color: #ffffff;}.button.button_default.view_more_button:hover {background-color: #098291;border-color: #098291;color: #ffffff;}.get_social.share_archives, .page .post-content .get_social.share_archives {float: none;display: inline-block;top: initial;margin-right:20px;padding-right: 20px;border-right: 1px solid #ddd;}.blogpost.archive_pages {padding-bottom:20px;}.post-atts.archive {text-align: center;}.post_meta li {display: inline-block;font-size: 11px;color: #b5b8bf;}.post_meta li a {color: #b5b8bf;}.post_meta li a:hover {color: ;}.post_meta li {border-color: ;}.get_social.share_archives, .page .post-content .get_social.share_archives {margin-right:20px;padding-right: 20px;border-right: 1px solid #ddd;}.blogpost.archive_pages {padding-bottom:20px;}.archive_pages .post_meta {-webkit-box-pack: center;-ms-flex-pack: center;justify-content: center;text-align:center;}.archives_title, .grid-masonry .post_meta {text-align: center;}.post-atts.archive, .post-content.archive, .sm_images .post-content {text-align: center;}.archive_pages .post-atts {-webkit-box-pack: center;-ms-flex-pack: center;justify-content: center;}.post_container .get_social li a, .post_container_full .get_social li a {color: #333333;}.single_post_tags a {font-size: 11px;}.sidebar .get_social li a {color: #333333;background-color: ;border-radius: 50%;-webkit-border-radius: 50%;}.related-posts-title h3 {font-size: 13px;}aside.sidebar {background-color: ;}.sidebar-widget {margin-bottom: 45px;padding: 0px;background-color: ;color: ;font-size: 13px;}.latest-posts-content span{color: ;}.sidebar-widget a {color: ;font-size: 14px;font-weight: normal;}.sidebar-widget a:hover {color: ;}.sidebar-widget:not(.woocommerce) ul:not(.get_social):not(.instagram-pics):not(.instagram-widget) li:not(.jtwt_tweet) {border-bottom: 1px solid #ffffff;margin-bottom:10px;padding-bottom:10px;}.sidebar-widget ul li:last-child:not(.jtwt_tweet) {border: none;margin-bottom: 0;padding-bottom: 0;}.about-me-heading {font-size: 14px;}.about-me-description {font-size: 13px;}.sidebar-widget ul.twitter li i {color: ;}.sidebar-widget .contact ul li i {color: ;}.latest-posts h2 {font-size: 13px;}.latest-posts span {font-size: 11px;}input[type=text],input[type=email],input[type=password],input[type=search],input[type=tel],#commentform input:not(#submit), #commentform textarea,textarea,input:focus,textarea:focus {border-color: #ccc;background-color: ;color: #b2b2b6;}.title-holder h3.sidebar-title {color: #098291;font-weight: 600;margin-bottom: 20px;}.title-holder h3.sidebar-title:after {position: relative;left: 10px;content: "";display: inline-block;width: 100%;margin: 0 -100% 0 0;border-top: 1px solid #ececec;border-bottom:none;border-right:none;border-left:none;top: -4px;border-bottom: none;border-color: #ececec;border-width: 0px;}.title-holder h3.sidebar-title.title-pos-below:after {content: initial;}.title-holder h3.sidebar-title.title-pos-below {border:none;border-bottom: 0px solid #ececec;padding-bottom:10px;}.title-holder h3.sidebar-title {background-color: #ffffff;padding-bottom:10px;padding-top:10px;}.mc4wp-form {background-color: ;padding: 0px 0px;}.mc4wp-form label {font-size: 13px;color: ;font-style: normal;margin-bottom: 5px;}.mc4wp-form input[type=text], .mc4wp-form input[type=email], .mc4wp-form input[type=password], .mc4wp-form textarea {font-size: 15px;color: #444444;background-color: ;border: 1px solid #444444;}.mc4wp-form input[type=text]::-webkit-input-placeholder,.mc4wp-form input[type=email]::-webkit-input-placeholder,.mc4wp-form textarea::-webkit-input-placeholder {color: #444444;}.mc4wp-form input[type=submit] {background-color: #007584;border: none;color: #FFFFFF;}.mc4wp-form input[type=submit]:hover {background-color: #4c4c4c;color: #FFFFFF}.sidebar-widget ul li:not(.jtwt_tweet) {padding-left:0;}.sidebar-widget ul li:before {content: initial;}@media (min-width: 1024px) {.single-post .post_container.minimal_layout {width: 72%;margin: 0 auto;}.minimal_layout .flexslider.single_post_featured {margin-left: -14%;margin-right: -14%;}}#navigation ul.sub-menu li > a {min-width: 165px;box-sizing:border-box;}.main-navigation {float:right;}#navigation {font-size: 15px;}#navigation ul.sub-menu li > a {font-size: 13px;line-height: 35px;}#navigation ul li a, body #navigation input[type=text], .additional_icons a, .social-icons-wrap span.sharer,body #navigation form:not(.woo_submit_form) input[type=text], .additional_icons .top_social a:not(:hover),.header_transparent .additional_icons .top_social a:not(:hover) {color:#757575;}#navigation input[type=text]::-webkit-input-placeholder,body #navigation form:not(.woo_submit_form) input[type=text]::-webkit-input-placeholder {color:#757575;}#navigation ul li a {padding: 0 18px;}header.header_wrap #navigation > ul,header.header_wrap .additional_icons > ul,header.header_wrap .social-icons-wrap span.sharer,.side-panel-trigger a i,#header_search_wrap a i,.additional_icons .shopping_cart_icon a i {line-height: 85px;height: 85px;}header #navigation > ul, header .additional_icons > ul, header .social-icons-wrap span.sharer, .side-panel-trigger a i, #header_search_wrap a i, .additional_icons .shopping_cart_icon a i {transition: .2s all linear;-webkit-transition: .2s all linear;}.logo_separator {height: 85px;margin-left: 40px;margin-right: 10px;background-color: #444444}#navigation > ul > li > a:hover, #navigation > ul li:hover > a, #navigation ul li li:hover > a, #navigation > ul > li.current-menu-item > a, #navigation > ul > li.current-menu-parent > ul > li.current-menu-item > a, #one_page_navigation a.active_menu_item,#navigation ul li.current-menu-parent a, #one_page_navigation li.active a, #one_page_navigation li.active a {color:#098290 ;}#navigation > ul > li:before {content: "";width: 100%;height: 3px;position: absolute;background-color: transparent;transition: .2s background-color ease-in-out;-webkit-transition: .2s background-color ease-in-out;-moz-transition: .2s background-color ease-in-out;top: -1px;left:50%;transform: translateX(-50%);-webkit-transform: translateX(-50%);-moz-transform: translateX(-50%);-ms-transform: translateX(-50%);-o-transform: translateX(-50%);bottom:-1px;top: auto;}#navigation > ul > li:hover:before, #navigation > ul > li.current-menu-item:before {background-color: #098290;}#navigation li.has-mega-menu > ul.sub-menu, #navigation ul ul, .shopping_cart_items {border-color: #098290;border-top-width: 1px;}#navigation ul ul ul {top: -1px;}.shopping_cart_items:before {background-color: #098290;}#navigation ul.sub-menu {box-shadow: none;-webkit-box-shadow: none;}#navigation > ul > li > a {font-weight: 400;}#navigation > ul > li > a:hover, #navigation > ul li:hover > a, #navigation ul li.current-menu-parent a, #navigation ul li.current-menu-ancestor a,#navigation > ul > li.current-menu-item > a {background-color: #ffffff;}#navigation ul.sub-menu li > a {padding: 0 18px;font-weight: 400;}#navigation ul.sub-menu li > a, #navigation.custom_menu_color ul.sub-menu li > a {color: #666666 ;background-color:#ffffff;}#navigation ul.sub-menu li > a:hover, #navigation ul.sub-menu > li:hover > a {color: #ffffff ;background-color:#098290;}#navigation > ul > li.current-menu-parent > ul > li.current-menu-item > a {color: #ffffff ;}#navigation > ul > li.current-menu-parent > ul > li.current-menu-item > a {background-color: #098290;}#navigation ul ul, #navigation ul ul li {background-color:#ffffff;}#navigation ul.sub-menu li {border-bottom-color: #f4f4f4;}.header-el-pos-left .second_navi .container, .header-el-pos-left .container {-webkit-box-pack: justify;-ms-flex-pack: justify;justify-content: space-between;}.header-el-pos-left .container {-webkit-box-orient: horizontal;-webkit-box-direction: normal;-ms-flex-direction: row;flex-direction: row;}#navigation{margin-top:0;position: initial;}.logo_separator {display: none;}#navigation ul, #navigation ul li {float: none;}#navigation ul li {display: inline-block;}#navigation > ul, .additional_icons ul, .extra_header_button {line-height:50px;height: 50px;}.second_navi {background-color: #ffffff;border-color: #ffffff;}.header {box-shadow:none;-webkit-box-shadow:none;}.extra_header_button {display: block;}.full_header {box-shadow: none;-webkit-box-shadow: none;}body.hs-open #branding {opacity: 1;}#branding, #navigation, #navigation ul, #navigation ul li {float: none;}#branding .logo a img {margin:0 auto;}.second_navi_inner {height: 50px;text-align: center;}.header_right_side {float: none;text-align:center;}#navigation {margin-top:0;display: inline-block;}.extra_header_button {float: none;display: inline-block;vertical-align: top;}.additional_icons {display: inline-block;float: none;vertical-align: top;z-index:200;}.additional_icons ul, .extra_header_button {line-height:50px;height:50px;}#navigation ul {text-align:center;height: auto;line-height: normal;}#navigation ul li ul {text-align:left;}#navigation > ul > li {display:inline-block;line-height:50px;height:50px;}#navigation ul li ul li {display: inherit;}#branding, #navigation ul {text-align:center;}.banner{float: none;padding-bottom:20px;text-align:center;}#navigation ul li.header_search_li {}@media screen and (min-width: 831px){#navigation ul li.responsive-item, .additional_icons ul li.responsive-item {display:none;}}#navigation li.has-mega-menu > ul.sub-menu {background-color: ;}#navigation .has-mega-menu > ul.sub-menu > li.menu-item {border-color: #f1f1f1;}#navigation .has-mega-menu .megamenu-title, #navigation .has-mega-menu .megamenu-title a {color: #444444;font-size: 14px;font-weight: normal;}#navigation .has-mega-menu .megamenu-title a:hover {color: #098291;}#navigation .has-mega-menu ul.sub-menu li > a{color: #ffffff;background-color: transparent;min-width: auto;}#navigation .has-mega-menu ul.sub-menu li > a:hover,#navigation .has-mega-menu ul.sub-menu li.current_page_item > a{color: #098291;background-color: ;padding-left:20px;}.footer {background-color: #fafafb;}.footer_ii_wrap {background-color: ;}.footer_ii_wrap i {display: block;font-size: 30px;color: #dddddd;}.footer .instagram_footer_title {padding-top: 10px;padding-bottom: 10px;color: #ffffff;background-color: ;display: block;font-size: 15px;}.footer .instagram_footer_title a, .footer .instagram_footer_title a:hover {color: #ffffff;}.footer_widget {background-color: #222326;border-top-color: #eeeeee;border-bottom-color: #2e343a;}.footer_widget_content {font-size: 14px;}.copyright, .footer_navigation {font-size: 14px;}h3.footer-widget-title, #creativo-footer-wrapper .elementor-widget-container h5 {color: #ffffff;font-size: 14px;font-weight: 600;letter-spacing: 0px;}.recent-flickr a img {border-color: #454c54;}.footer_widget_content {color: #858d91;}.copyright {color: #7c7c7c;}.footer .copyright a {color: #006f7f;}.footer .copyright a:hover {color: #098291;}.footer .inner {padding:20px 10px;display: block;}.copyright, .footer_branding {float: none;text-align: center;}.footer .top_social{width: 100%;text-align:center;}.footer .top_social a {float: none;display: inline-block;}.footer_navigation{float: none;}#footer-menu {text-align:center;}.footer_widget_content {text-align:center;}.footer_widget_content .contact ul li {padding-left:0;}.footer_widget_content .contact ul li i {position: relative;margin-right:5px;}.footer_widget_content .contact ul li i.fa-mobile {top:3px;}#branding .logo, .side_logo img, #branding .text_logo {padding-top:25px;padding-bottom:25px;padding-left:0px;padding-right:0px;}@media (max-width: 1024px) {#branding .logo, .side_logo img, #branding .text_logo {padding: 15px 0;}}.top-bar .social-icons-wrap .top_social {background-color: #000;}.top_contact .contact_phone, .top_contact .contact_address{border-color: #999999;border-left-style: dotted;}.force-social-right, .force-social-left {border-color: #999999;border-style: dotted;}.separator_left {border-left: 1px dotted #999999;margin-left: 20px;padding-left: 10px;}.separator_right {border-right: 1px dotted #999999;margin-right: 20px;padding-right: 10px;}.top_contact a {color:#999999;}.top_contact a:hover {color:#098291;}.top_contact {color: #999999;}.single_post_tags a, .single_post_tags a:hover {background-color: #5bc98c;border-color: #5bc98c;}.author_box:after {background-color: #5bc98c;}.footer .top_social a {color: #848484;}.product_price, .product .summary .price {color: #098291;}.post-content blockquote {border-color: #5bc98c;}.responsive-menu-bar {background-color: #ffffff;color: #01808e;border-top: 1px solid #01808e;border-bottom: 1px solid #01808e;}@media (max-width: 960px) {.header[mobile-design="classic"] .header_reduced .container {-webkit-box-pack: center;-ms-flex-pack: center;justify-content: center;}}.responsive-menu-link .mobile_shopping_cart {color: #01808e;}.modern_mobile_navigation .mobile_shopping_cart{background-color: #ffffff;color: #01808e;}.modern_mobile_navigation .responsive-menu-bar {border: none;}.mobile-close_navbar, .mobile-shop-close_navbar {color: #444444;}#responsive_menu li a:not(.button){background-color: #ffffff;color: #444444;border-top-color: #dddddd;}.responsive-search input[type=submit] {background-color: #098291;color: #ffffff;border-color: #098291;}#mobile-panel #responsive_menu .sf-sub-indicator {color: #444444;}#mobile-panel, #responsive_menu {background-color: #ffffff;}#mobile-shop-panel {background-color: #ffffff;}#mobile-shop-panel .shopping_cart_total, #mobile-shop-panel .shopping_cart_items .cart_item{border-color: #dddddd;}#mobile-shop-panel a.cart_item_title,#mobile-shop-panel .shopping_cart_total .total_text,#mobile-shop-panel .shopping_cart_total .total_value,#mobile-shop-panel span.cart_item_price_quantity {color: #444444;}#mobile-shop-panel .cart_checkout .button_header_cart, #mobile-shop-panel .cart_checkout .button_header_cart.inverse {background-color: #444444;border-color: #444444;color: #ffffff;}.retina_logo {max-width: 700px;}#branding .logo a {}
</style>
<link rel='stylesheet' id='js_composer_front-css' href='https://bitsofcarey.com/wp-content/plugins/js_composer/assets/css/js_composer.min.css?ver=6.4.1' type='text/css' media='all' />
<link rel='stylesheet' id='vc-style-css' href='https://bitsofcarey.com/wp-content/themes/creativo/assets/css/vc/vc-style.css?ver=7.7.15' type='text/css' media='all' />
<link rel='stylesheet' id='google-fonts-css' href='https://fonts.googleapis.com/css?family=Open+Sans%3A400%2C400italic%2C700%2C700italic&latin&ver=6' type='text/css' media='all' />
<link rel='stylesheet' id='recent-posts-widget-with-thumbnails-public-style-css' href='https://bitsofcarey.com/wp-content/plugins/recent-posts-widget-with-thumbnails/public.css?ver=7.1.1' type='text/css' media='all' />
<link rel='stylesheet' id='wp-my-instagram-css' href='https://bitsofcarey.com/wp-content/plugins/wp-my-instagram/css/style.css?ver=1.0' type='text/css' media='all' />
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/google-analytics-for-wordpress/assets/js/frontend-gtag.min.js?ver=9.0.1" id="monsterinsights-frontend-script-js"></script>
<script data-cfasync="false" data-wpfc-render="false" type="text/javascript" id='monsterinsights-frontend-script-js-extra'>/* <![CDATA[ */
var monsterinsights_frontend = {"js_events_tracking":"true","download_extensions":"doc,pdf,ppt,zip,xls,docx,pptx,xlsx","inbound_paths":"[{\"path\":\"\\\/go\\\/\",\"label\":\"affiliate\"},{\"path\":\"\\\/recommend\\\/\",\"label\":\"affiliate\"}]","home_url":"https:\/\/bitsofcarey.com","hash_tracking":"false","v4_id":"G-JBG4ZT3838"};/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-includes/js/jquery/jquery.min.js?ver=3.7.1" id="jquery-core-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=3.4.1" id="jquery-migrate-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/photo-gallery/js/jquery.sumoselect.min.js?ver=3.4.6" id="sumoselect-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/photo-gallery/js/tocca.min.js?ver=2.0.9" id="bwg_mobile-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/photo-gallery/js/jquery.mCustomScrollbar.concat.min.js?ver=3.1.5" id="mCustomScrollbar-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/photo-gallery/js/jquery.fullscreen.min.js?ver=0.6.0" id="jquery-fullscreen-js"></script>
<script type="text/javascript" id="bwg_frontend-js-extra">
/* <![CDATA[ */
var bwg_objectsL10n = {"bwg_field_required":"field is required.","bwg_mail_validation":"This is not a valid email address.","bwg_search_result":"There are no images matching your search.","bwg_select_tag":"Select Tag","bwg_order_by":"Order By","bwg_search":"Search","bwg_show_ecommerce":"Show Ecommerce","bwg_hide_ecommerce":"Hide Ecommerce","bwg_show_comments":"Show Comments","bwg_hide_comments":"Hide Comments","bwg_restore":"Restore","bwg_maximize":"Maximize","bwg_fullscreen":"Fullscreen","bwg_exit_fullscreen":"Exit Fullscreen","bwg_search_tag":"SEARCH...","bwg_tag_no_match":"No tags found","bwg_all_tags_selected":"All tags selected","bwg_tags_selected":"tags selected","play":"Play","pause":"Pause","is_pro":"","bwg_play":"Play","bwg_pause":"Pause","bwg_hide_info":"Hide info","bwg_show_info":"Show info","bwg_hide_rating":"Hide rating","bwg_show_rating":"Show rating","ok":"Ok","cancel":"Cancel","select_all":"Select all","lazy_load":"0","lazy_loader":"https:\/\/bitsofcarey.com\/wp-content\/plugins\/photo-gallery\/images\/ajax_loader.png","front_ajax":"0","bwg_tag_see_all":"see all tags","bwg_tag_see_less":"see less tags"};
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/photo-gallery/js/scripts.min.js?ver=1.8.28" id="bwg_frontend-js"></script>
<link rel="https://api.w.org/" href="https://bitsofcarey.com/wp-json/" /><link rel="alternate" title="JSON" type="application/json" href="https://bitsofcarey.com/wp-json/wp/v2/posts/8523" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://bitsofcarey.com/xmlrpc.php?rsd" />
<link rel="alternate" title="oEmbed (JSON)" type="application/json+oembed" href="https://bitsofcarey.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F" />
<link rel="alternate" title="oEmbed (XML)" type="text/xml+oembed" href="https://bitsofcarey.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F&format=xml" />
<style type="text/css"> .tippy-box[data-theme~="wprm"] { background-color: #333333; color: #FFFFFF; } .tippy-box[data-theme~="wprm"][data-placement^="top"] > .tippy-arrow::before { border-top-color: #333333; } .tippy-box[data-theme~="wprm"][data-placement^="bottom"] > .tippy-arrow::before { border-bottom-color: #333333; } .tippy-box[data-theme~="wprm"][data-placement^="left"] > .tippy-arrow::before { border-left-color: #333333; } .tippy-box[data-theme~="wprm"][data-placement^="right"] > .tippy-arrow::before { border-right-color: #333333; } .tippy-box[data-theme~="wprm"] a { color: #FFFFFF; } .wprm-comment-rating svg { width: 18px !important; height: 18px !important; } img.wprm-comment-rating { width: 90px !important; height: 18px !important; } body { --comment-rating-star-color: #343434; } 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; }</style><style type="text/css">.wprm-glossary-term {color: #5A822B;text-decoration: underline;cursor: help;}</style><meta name="generator" content="Powered by WPBakery Page Builder - drag and drop page builder for WordPress."/>
<link rel="icon" href="https://bitsofcarey.com/wp-content/uploads/2020/11/cropped-Logo-icon-1-32x32.png" sizes="32x32" />
<link rel="icon" href="https://bitsofcarey.com/wp-content/uploads/2020/11/cropped-Logo-icon-1-192x192.png" sizes="192x192" />
<link rel="apple-touch-icon" href="https://bitsofcarey.com/wp-content/uploads/2020/11/cropped-Logo-icon-1-180x180.png" />
<meta name="msapplication-TileImage" content="https://bitsofcarey.com/wp-content/uploads/2020/11/cropped-Logo-icon-1-270x270.png" />
<style type="text/css" id="wp-custom-css">
/* Post scope 2 start*/
.post_scope_1 .posts-grid-item h3,
.post_scope_2 .posts-grid-item h3{
margin-top: 20px;
}
.post_scope_1 .posts-grid-item h3 a,
.post_scope_2 .posts-grid-item h3 a{
display: block;
text-align: center;
}
.post_scope_1 .posts-grid-item .description .post_grid_desc,
.post_scope_2 .posts-grid-item .description .post_grid_desc {
min-height: 132px;
display: flex;
flex-wrap: wrap;
align-content: space-between;
text-align: center;
}
.post_scope_1 .posts-grid-item .description .post_grid_desc .post_grid_read_more,
.post_scope_2 .posts-grid-item .description .post_grid_desc .post_grid_read_more {
display: block;
border: 1px solid;
min-width: 140px !important;
margin: 30px auto 0;
padding: 10px 0;
text-align: center;
}
.post_scope_1 .posts-grid-item .description .post_grid_desc .post_grid_read_more:hover,
.post_scope_2 .posts-grid-item .description .post_grid_desc .post_grid_read_more:hover {
color: #fff;
background: #088290;
}
/* Post scope 2 end*/
/* Grid Post start*/
.grid-posts .content_wrapper .post_meta, .grid-posts li.post-categories, .grid-posts li.post-author, .grid-posts li.post-comments {
display: none;
}
.category-recipes .grid-posts .content_wrapper .post_meta.relative {
display:block;
}
.grid-posts .post_grid_read_more{
display: block;
border: 1px solid;
max-width: 140px !important;
margin: 30px auto 0;
padding: 10px 0;
text-align: center;
color: #058290;
font-size: 17px;
line-height: 1.6;
}
.grid-posts .post_grid_read_more:hover{
color: #fff;
background: #088290;
}
.posts-grid-item.mb-6 h3, .grid-posts h2 {
height: 55px;
overflow: hidden;
}
.posts-grid-item.mb-6 h3 {
margin-bottom:5px;
}
.posts-grid-item.mb-6 .date_text, .grid-posts .post_meta .post-date {
width:100% !important;
text-align:center;
font-size:16px;
margin:0 0 15px;
padding:0;
}
.grid-posts {
background-color: #fafafb;
}
.home span.text-overlay {
display: none;
}
/* Grid Post end*/
/* unvisited link */
a:link {
color: #05808f;
}
/* visited link */
a:visited {
color: #05808f;
}
/* mouse over link */
a:hover {
color: #e5ad35;
}
/* selected link */
a:active {
color: #e5ad35;
}
@media screen and (max-device-width: 480px)
{
.second_navi {
display: none;
}
}
@media screen and (max-device-width: 820px)
{
.second_navi {
display: none;
}
}
</style>
<noscript><style> .wpb_animate_when_almost_visible { opacity: 1; }</style></noscript>
<!-- Global site tag (gtag.js) - Google Analytics -->
<script async src="https://www.googletagmanager.com/gtag/js?id=G-5E6PWDQJXK"></script>
<script>
window.dataLayer = window.dataLayer || [];
function gtag(){dataLayer.push(arguments);}
gtag('js', new Date());
gtag('config', 'G-5E6PWDQJXK');
</script><meta name="google-site-verification" content="Qx_-Yo_Pz2U5M7zqvnLYrqzE8xJ3Y86NJBzNzu0h8e4" /></head>
<body data-rsssl=1 class="post-template-default single single-post postid-8523 single-format-standard wpb-js-composer js-comp-ver-6.4.1 vc_responsive" data-layout="extra_wide" data-show-landscape="no" sticky-footer="false" data-backtop="979">
<!-- page loading effect -->
<!-- side panel usage -->
<!-- side panel usage end -->
<!-- mobile menu slide effect -->
<div class="body-overlay-mobile opacity-0 fixed top-0 left-0 w-full h-full pointer-events-none bg-black transition-all duration-200 ease-in"></div>
<div id="mobile-panel" class="dark fixed top-0 p-4 box-border overflow-hidden overflow-y-scroll h-full background-white duration-300 ease-in">
<div id="mobile-panel-trigger" class="block">
<a href="#" class="mobile-close_navbar block relative text-right mb-5 text-xl leading-tight"><i class="fa fa-close"></i></a>
<div class="modern_mobile_wrapper relative xl:hidden">
<div class="mobile_menu_slide">
<ul id="responsive_menu"><li id="menu-item-17" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-home menu-item-17"><a href="https://bitsofcarey.com/">HOME</a></li>
<li id="menu-item-5881" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-5881"><a href="https://bitsofcarey.com/about-me/">ABOUT ME</a></li>
<li id="menu-item-5893" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-5893"><a href="https://bitsofcarey.com/bespoke-services/">BESPOKE SERVICES</a></li>
<li id="menu-item-20" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-20"><a href="https://bitsofcarey.com/category/recipes/">RECIPES</a></li>
<li id="menu-item-7995" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-7995"><a href="https://bitsofcarey.com/my-work/">MY WORK</a></li>
<li id="menu-item-5913" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-5913"><a href="https://bitsofcarey.com/contact-me/">CONTACT ME</a></li>
</ul> <div class="mobile_search_holder">
<div class="responsive-search">
<form action="https://bitsofcarey.com" method="get" class="header_search_form relative">
<input type="text" name="s" class="form-control" value="" placeholder="Search here...">
<input type="submit" value="" class="responsive_search_submit absolute right-0 px-3 h-10">
</form>
</div>
</div>
</div>
</div>
</div>
</div>
<!-- side panel usage end -->
<!-- mobile shopping cart -->
<!-- mobil shopping cart end -->
<div id="wrapper-out" class="wrapper-out relative overflow-hidden " data-container-width=0 data-container-pos=top>
<div class="full_header relative z-20">
<div class="header_area header-style-style2 header-width-normal header-el-pos-default">
<header class="header_wrap relative z-10" sticky-mobile-menu="no">
<div class="header z-10 transition-all duration-200 ease-in "
mobile-design=classic header-version="style2"
data-centered="yes"
data-resize="no"
resize-factor="0.3"
data-transparent="no"
logo-resize="no">
<div class="header_reduced">
<div class="container relative mx-auto flex px-4 xl:px-0 flex-col lg:flex-row items-center justify-center">
<div id="branding">
<div class="logo mobile_logo_render" data-custom-logo="false">
<a href="https://bitsofcarey.com" rel="home" title="Bits of Carey">
<img src="https://bitsofcarey.com/wp-content/uploads/2020/11/logo-1.png" alt="Bits of Carey" title="Bits of Carey" class="original_logo normal_logo show_logo desktop_logo">
<img src="https://bitsofcarey.com/wp-content/uploads/2020/11/retina-1.png" alt="Bits of Carey" title="Bits of Carey" class="original_logo retina_logo show_logo desktop_logo">
<img src="https://bitsofcarey.com/wp-content/uploads/2020/11/logo-1.png" alt="Bits of Carey" title="Bits of Carey" class="mobile_logo">
</a>
</div>
</div>
</div>
</div>
</div>
</header>
<div class="second_navi hidden lg:block border-t border-b ">
<div class="container second_navi_inner relative flex mx-auto items-center justify-center">
<nav id="navigation" class="main_menu">
<ul id="menu-main-menu-1" class="menu flex items-center z-10"><li id="menu-item-17" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-home no-mega-menu" data-menuanchor="https://bitsofcarey.com/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/">HOME</a></li>
<li id="menu-item-5881" class="menu-item menu-item-type-post_type menu-item-object-page no-mega-menu" data-menuanchor="https://bitsofcarey.com/about-me/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/about-me/">ABOUT ME</a></li>
<li id="menu-item-5893" class="menu-item menu-item-type-post_type menu-item-object-page no-mega-menu" data-menuanchor="https://bitsofcarey.com/bespoke-services/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/bespoke-services/">BESPOKE SERVICES</a></li>
<li id="menu-item-20" class="menu-item menu-item-type-custom menu-item-object-custom no-mega-menu" data-menuanchor="https://bitsofcarey.com/category/recipes/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/category/recipes/">RECIPES</a></li>
<li id="menu-item-7995" class="menu-item menu-item-type-post_type menu-item-object-page no-mega-menu" data-menuanchor="https://bitsofcarey.com/my-work/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/my-work/">MY WORK</a></li>
<li id="menu-item-5913" class="menu-item menu-item-type-post_type menu-item-object-page no-mega-menu" data-menuanchor="https://bitsofcarey.com/contact-me/"><a class="menu-item-link relative block px-4 " href="https://bitsofcarey.com/contact-me/">CONTACT ME</a></li>
</ul> <form action="https://bitsofcarey.com" method="get" class="header_search z-0">
<input type="text" name="s" class="form-control" value="" placeholder="Type & Hit Enter..">
</form>
</nav>
<div class="additional_icons">
<ul class="transition flex duration-300 ease-in-out">
<li class="header_menu_social flex items-center size-medium ml-1">
<div class="social-icons-wrap"><div class="top_social flex justify-center flex-wrap"><a href="https://twitter.com/bitsofcarey" class="twitter stip" original-title="Twitter" title=" Follow on Twitter" target="_blank" rel="nofollow"><i class="fa fa-twitter"></i></a><a href="https://www.facebook.com/pages/Bits-of-Carey/177588849008210" class="facebook stip" original-title="Facebook" title=" Follow on Facebook" target="_blank" rel="nofollow"><i class="fa fa-facebook"></i></a><a href="http://instagram.com/bitsofcarey" class="instagram stip" original-title="Instagram" title=" Follow on Instagram" target="_blank" rel="nofollow"><i class="fa fa-instagram"></i></a><a href="https://www.linkedin.com/in/carey-erasmus-38356253/" class="linkedin stip" original-title="LinkedIn" title=" Follow on LinkedIn" target="_blank" rel="nofollow"><i class="fa fa-linkedin"></i></a><a href="http://www.pinterest.com/bitsofcarey/" class="pinterest stip" original-title="Pinterest" title=" Follow on Pinterest" target="_blank" rel="nofollow"><i class="fa fa-pinterest"></i></a><a href="https://www.youtube.com/channel/UCTcTLu1miSt3QvC5oUZ7GQg" class="youtube stip" original-title="YouTube" title=" Follow on YouTube" target="_blank" rel="nofollow"><i class="fa fa-youtube-play"></i></a></div></div> </li>
<li class="header_search_li">
<div id="header_search_wrap" class="w-10">
<a href="#" id="header-search" class=" flex justify-center relative">
<span class="relative text-center block">
<i class="icon-magnifier block relative text-base transition-opacity duration-300 ease-in-out"></i>
<i class="icon-cancel block top-0 absolute text-base opacity-0 transition-opacity duration-300 ease-linear"></i></a>
</span>
</div>
</li>
<li class="menu-item-resp responsive-item">
<div class="responsive-search">
<form action="" method="get" class="header_search">
<input type="text" name="s" class="form-control" value="" placeholder="">
<input type="submit" value="GO" class="responsive_search_submit">
</form>
</div>
</li>
</ul>
</div>
</div>
</div>
</div>
</div>
<div id="responsive_navigation" class="relative block lg:hidden">
<div class="responsive-menu-link" >
<div class="responsive-menu-bar mob_menu flex justify-between items-center py-4 px-4">
<div class="flex-grow flex justify-between text-base items-center font-bold">
<span class="text-lg font-bold uppercase">
Menu </span>
<i class="text-xl fa fa-bars hamburger_mobile_menu"></i>
</div>
</div>
</div>
</div>
<div id="wrapper" class="relative z-10 ">
<div class="page-title-breadcrumb border-b border-gray-300 " data-ptb="off">
<div class="pt_mask flex items-center">
<div class="container page-title-breadcrumb-wrap md:flex justify-between items-center mx-auto px-4 xl:px-0 py-6">
<div class="page-title text-center md:text-left">
<h2 class="page-title-holder leading-normal mb-1">Parmesan, Polenta & Almond Crumbed Chicken</h2 class="page-title-holder leading-normal mb-1"> <div class="breadcrumb">
<ul class="breadcrumbs block flex justify-center sm:justify-start flex-wrap text-xs leading-relaxed lowercase"><li class="inline-block sm:block mr-2"><a href="https://bitsofcarey.com"></a></li><li class="inline-block sm:block mr-2"><a href="https://bitsofcarey.com/category/recipes/" title="Recipes">Recipes</a></li><li class="inline-block sm:block mr-2"><a href="https://bitsofcarey.com/category/recipes/poultry/" title="Poultry">Poultry</a></li><li class="mr-2">Parmesan, Polenta & Almond Crumbed Chicken</li></ul> </div>
</div>
<div class="search-area w-full mt-6 md:mt-0 md:w-64">
<div class="search-form">
<form method="get" id="searchform" action="https://bitsofcarey.com"><fieldset style="border:none;"><input type="text" name="s" id="s" value="Search keywords here" onfocus="if(this.value=='Search keywords here') this.value='';" onblur="if(this.value=='')this.value='Search keywords here';" /></fieldset><!--END #searchform--></form> </div>
</div>
</div>
</div>
</div>
<section class="container lg:flex mx-auto py-8 xl:py-12 px-4 xl:px-0 justify-between">
<article class="post_container ">
<div class="blogpost mb-10 pb-10 border-b border-gray-300 relative">
<div class="flex flex-col">
<div class="post_meta_wrap"><div class="mb-3"><h2 class="singlepost_title mb-0 leading-tight">Parmesan, Polenta & Almond Crumbed Chicken</h2></div><ul class="post_meta mb-6 pb-6 uppercase border-b border-gray-300"><li class="mr-3 pr-3 border-r border-grey-300">by <a href="https://bitsofcarey.com/author/boc2020/" title="Posts by Carey Erasmus" rel="author">Carey Erasmus</a></li><li class="mr-3 pr-3 border-r border-grey-300">10th August 2022</li><li class="mr-3 pr-3 border-r border-grey-300"><a href="https://bitsofcarey.com/category/recipes/poultry/" title="View all posts in Poultry">Poultry</a>, <a href="https://bitsofcarey.com/category/recipes/" title="View all posts in Recipes">Recipes</a></li><li class="comments_count"><a href="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/#respond"><i class="icon-message mr-2"></i>0</a></li></ul></div>
</div>
<div class="post-content content-body mb-10">
<p><img fetchpriority="high" decoding="async" class="aligncenter wp-image-8526 size-full" title="Parmesan, Polenta & Almond Crumbed Chicken " src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7" data-lazy-src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg" alt="Parmesan, Polenta & Almond Crumbed Chicken " width="768" height="974" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg 768w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-237x300.jpg 237w" sizes="(max-width: 768px) 100vw, 768px" /><noscript><img fetchpriority="high" decoding="async" class="aligncenter wp-image-8526 size-full" title="Parmesan, Polenta & Almond Crumbed Chicken " src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg" alt="Parmesan, Polenta & Almond Crumbed Chicken " width="768" height="974" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg 768w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-237x300.jpg 237w" sizes="(max-width: 768px) 100vw, 768px" /></noscript></p>
<h3>Parmesan, Polenta & Almond Crumbed Chicken</h3>
<p>I replaced popular panko breadcrumbs (gluten and wheat) with fine yellow corn meal/polenta, grated parmesan cheese and almond meal. Perfectly seasoned with lemon zest, salt, pepper and dried herbs. Our new ‘go to’ for crumbed chicken night, that’s for sure. It’s utterly delicious and crispy too! Also, these were cooked in my trusty air-fryer for 12 minutes with just a drizzle of olive oil. Amazing right? Great for chicken nuggets too. Just saying.</p>
<p>Super yummy served with a quick parsley, garlic, caper, lemon butter sauce and extra lemon on the side. Equally delish with a garlic aioli, cheese or mushroom sauce. The options are endless. Here I chose to serve this life changing crumbed chicken with a simple salad of baby spinach, rocket, tomatoes and, you guessed it, parmesan shavings. <a href="https://bitsofcarey.com/the-best-caesar-salad/">The Best Caesar Salad</a> will be a winner with this chicken too.</p>
<p>It’s a lovely quiet summer lull at the moment, and I’m grateful for the free time to play around in my kitchen and share fuss free food that I enjoy making (and eating) at home. To see what’s cooking, remember to follow me on <a href="https://www.instagram.com/bitsofcarey/">Instagram</a> if you feel inclined.</p>
<p>Enjoy this recipe 😉</p>
<p><img decoding="async" class="aligncenter wp-image-8527 size-full" title="Parmesan, Polenta & Almond Crumbed Chicken " src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7" data-lazy-src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220.jpg" alt="Parmesan, Polenta & Almond Crumbed Chicken " width="768" height="974" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220.jpg 768w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220-237x300.jpg 237w" sizes="(max-width: 768px) 100vw, 768px" /><noscript><img decoding="async" class="aligncenter wp-image-8527 size-full" title="Parmesan, Polenta & Almond Crumbed Chicken " src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220.jpg" alt="Parmesan, Polenta & Almond Crumbed Chicken " width="768" height="974" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220.jpg 768w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4220-237x300.jpg 237w" sizes="(max-width: 768px) 100vw, 768px" /></noscript></p>
<div id="recipe"></div><div id="wprm-recipe-container-8528" class="wprm-recipe-container" data-recipe-id="8528" data-servings="4"><div class="wprm-recipe wprm-recipe-template-2"><div class="wprm-container-float-right">
<div class="wprm-recipe-image wprm-block-image-rounded"><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;border-radius: 3px;" width="250" height="250" src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7" data-lazy-src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x500.jpg" class="attachment-250x250 size-250x250" alt="Parmesan, Polenta & Almond Crumbed Chicken" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x500.jpg 500w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-150x150.jpg 150w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-90x90.jpg 90w" sizes="(max-width: 250px) 100vw, 250px" /><noscript><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;border-radius: 3px;" width="250" height="250" src="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x500.jpg" class="attachment-250x250 size-250x250" alt="Parmesan, Polenta & Almond Crumbed Chicken" srcset="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-500x500.jpg 500w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-150x150.jpg 150w, https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215-90x90.jpg 90w" sizes="(max-width: 250px) 100vw, 250px" /></noscript></div>
</div>
<h2 class="wprm-recipe-name wprm-block-text-bold">Parmesan, Polenta & Almond Crumbed Chicken</h2>
<div class="wprm-spacer"></div>
<div class="wprm-spacer"></div>
<div class="wprm-recipe-summary wprm-block-text-normal"><span style="display: block;">A delicious gluten free alternative seasoned with lemon zest and dried herbs. </span></div>
<div class="wprm-spacer"></div>
<div class="wprm-spacer" style="height: 25px"></div>
<div class="wprm-template-chic-buttons wprm-container-columns-spaced-middle wprm-container-columns-gutter">
<a href="https://bitsofcarey.com/wprm_print/parmesan-polenta-almond-crumbed-chicken" style="color: #ffffff;background-color: #098291;border-color: #098291;border-radius: 3px;padding: 10px 5px;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal wprm-recipe-print-wide-button wprm-recipe-link-wide-button wprm-color-accent" data-recipe-id="8528" data-template="" target="_blank" rel="nofollow"><span class="wprm-recipe-icon wprm-recipe-print-icon"><svg width="16px" height="16px" viewBox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g fill="#ffffff"><g><path d="M17.5454,0.0005 C18.2904,0.0005 18.9004,0.6105 18.9004,1.3565 L18.9004,1.3565 L18.9004,4.9445 L21.9904,4.9445 C23.0954,4.9445 24.0004,5.8485 24.0004,6.9535 L24.0004,6.9535 L24.0004,17.2415 C24.0004,18.3465 23.0954,19.2505 21.9904,19.2505 L21.9904,19.2505 L19.8414,19.2505 L19.8414,22.2795 C19.8414,23.1725 19.1104,23.9035 18.2174,23.9035 L18.2174,23.9035 L5.7834,23.9035 C4.8894,23.9035 4.1594,23.1725 4.1594,22.2795 L4.1594,22.2795 L4.1594,19.2505 L2.0104,19.2505 C0.9044,19.2505 0.0004,18.3465 0.0004,17.2415 L0.0004,17.2415 L0.0004,6.9535 C0.0004,5.8485 0.9044,4.9445 2.0104,4.9445 L2.0104,4.9445 L5.0984,4.9445 L5.0984,1.3565 C5.0984,0.6105 5.7094,0.0005 6.4554,0.0005 L6.4554,0.0005 Z M17.8414,15.5975 L6.1594,15.5975 L6.1594,21.9035 L17.8414,21.9035 L17.8414,15.5975 Z M21.9904,6.9445 L2.0104,6.9445 L2.0004,17.2415 L4.1594,17.2425 L4.1594,15.2215 C4.1594,14.3285 4.8894,13.5975 5.7834,13.5975 L5.7834,13.5975 L18.2174,13.5975 C19.1104,13.5975 19.8414,14.3285 19.8414,15.2215 L19.8414,15.2215 L19.8414,17.2495 L21.9904,17.2505 L22.0004,6.9535 L21.9904,6.9445 Z M6.1632,9.1318 C6.7902,9.1318 7.2992,9.6408 7.2992,10.2678 C7.2992,10.8948 6.7902,11.4028 6.1632,11.4028 L6.1632,11.4028 L5.0992,11.4028 C4.4722,11.4028 3.9632,10.8948 3.9632,10.2678 C3.9632,9.6408 4.4722,9.1318 5.0992,9.1318 L5.0992,9.1318 Z M16.6304,2.2715 L7.3704,2.2715 L7.3704,4.6845 L16.6304,4.6845 L16.6304,2.2715 Z"></path></g></g></g></svg></span> Print Recipe</a>
<a href="https://www.pinterest.com/pin/create/bookmarklet/?url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F&media=https%3A%2F%2Fbitsofcarey.com%2Fwp-content%2Fuploads%2F2022%2F08%2FIMG_4215.jpg&description=Parmesan%2C+Polenta+%26+Almond+Crumbed+Chicken&is_video=false" style="color: #616161;background-color: #ffffff;border-color: #616161;border-radius: 3px;padding: 10px 5px;" class="wprm-recipe-pin wprm-recipe-link wprm-block-text-normal wprm-recipe-pin-wide-button wprm-recipe-link-wide-button wprm-color-accent" target="_blank" rel="nofollow noopener" data-recipe="8528" data-url="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/" data-media="https://bitsofcarey.com/wp-content/uploads/2022/08/IMG_4215.jpg" data-description="Parmesan, Polenta & Almond Crumbed Chicken" data-repin=""><span class="wprm-recipe-icon wprm-recipe-pin-icon"><svg width="17px" height="20px" viewBox="0 0 17 20" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g transform="translate(-4.000000, -2.000000)" fill="#616161"><path d="M10.7636728,15.2276266 C10.2077317,17.980299 9.52955405,20.6201377 7.52087891,22 C6.90029349,17.8380815 8.43177606,14.7128228 9.14286352,11.3948064 C7.93107647,9.46487979 9.28860706,5.58269488 11.8449959,6.53943073 C14.9902356,7.71595725 9.12053185,13.7114236 13.0614843,14.4612976 C17.1752134,15.2429061 18.8547902,7.71125585 16.3042782,5.26182401 C12.6183769,1.72519235 5.57332202,5.18072478 6.43955583,10.2441376 C6.65111904,11.4829577 8.00277289,11.8578948 6.98021737,13.5668554 C4.62128758,13.0720325 3.91607687,11.3125318 4.00775427,8.9665309 C4.15349781,5.12783398 7.65604429,2.43980586 11.1691689,2.06721954 C15.6119964,1.59707907 19.7821423,3.61045562 20.3580644,7.56198625 C21.0056829,12.0224439 18.3529153,16.8531372 13.6009705,16.5052333 C12.313961,16.4100298 11.7732994,15.8070747 10.7636728,15.2276266"></path></g></g></svg></span> Pin Recipe</a>
</div>
<div class="wprm-spacer" style="height: 20px"></div>
<div class="wprm-icon-shortcode wprm-icon-shortcode-separate wprm-align-center wprm-icon-decoration-line" style="font-size: 24px;height: 24px;"><div class="wprm-decoration-line" style="border-color: #e0e0e0"></div><span class="wprm-recipe-icon" aria-hidden="true"><svg width="16px" height="16px" viewBox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g fill="#9e9e9e"><g><path d="M12,0 C18.627,0 24,4.373 24,11 C24,19.406 18.646,24 18.646,24 L18.646,24 L5.354,24 C5.354,24 0,19.406 0,11 C0,4.373 5.373,0 12,0 Z M12,2 C6.206,2 2,5.785 2,11 C2,16.956 4.962,20.716 6.168,22 L6.168,22 L17.832,22 C19.032,20.724 22,16.962 22,11 C22,5.785 17.794,2 12,2 Z M15.4175,17.7983 C15.9697847,17.7983 16.4175,18.2460153 16.4175,18.7983 C16.4175,19.3111358 16.0314598,19.7338072 15.5341211,19.7915723 L15.4175,19.7983 L8.5825,19.7983 C8.03021525,19.7983 7.5825,19.3505847 7.5825,18.7983 C7.5825,18.2854642 7.96854019,17.8627928 8.46587887,17.8050277 L8.5825,17.7983 L15.4175,17.7983 Z M12,4.2544 C15.173,4.2544 17.746,6.8264 17.746,10.0004 C17.746,13.1734 15.173,15.7454 12,15.7454 C8.827,15.7454 6.254,13.1734 6.254,10.0004 C6.254,6.8264 8.827,4.2544 12,4.2544 Z M10.9999773,6.38993761 C9.41864646,6.82850486 8.254,8.28073633 8.254,10.0004 C8.254,12.0654 9.935,13.7454 12,13.7454 C14.065,13.7454 15.746,12.0654 15.746,10.0004 C15.746,8.28110051 14.5818468,6.82911997 13.0010273,6.39021638 L13,9.2962 C13,9.84848475 12.5522847,10.2962 12,10.2962 C11.4871642,10.2962 11.0644928,9.91015981 11.0067277,9.41282113 L11,9.2962 Z"></path></g></g></g></svg></span> <div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></div>
<div class="wprm-recipe-meta-container wprm-recipe-times-container wprm-recipe-details-container wprm-recipe-details-container-table wprm-block-text-normal wprm-recipe-table-borders-none wprm-recipe-table-borders-inside" style="border-width: 0;border-style: dotted;border-color: #666666;"><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-prep-time-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded 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">15<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-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-cook-time-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded 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">12<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-cook_time-unit wprm-recipe-cook_timeunit-minutes" aria-hidden="true">mins</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-custom-time-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded wprm-recipe-time-label wprm-recipe-custom-time-label">Chilling Time </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-custom_time wprm-recipe-custom_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-custom_time-unit wprm-recipe-custom_timeunit-minutes" aria-hidden="true">mins</span></span></div></div>
<div class="wprm-spacer"></div>
<div class="wprm-container-columns-spaced">
<div>
<div class="wprm-icon-shortcode wprm-icon-shortcode-separate wprm-align-center wprm-icon-decoration-line" style="font-size: 24px;height: 24px;"><div class="wprm-decoration-line" style="border-color: #e0e0e0"></div><span class="wprm-recipe-icon" aria-hidden="true"><svg width="16px" height="16px" viewBox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g fill="#9e9e9e"><path d="M19.5441,12.0586 L17.8411,12.3146 L17.8411,14.0376 L17.8411,17.8606 L6.1591,17.8606 L6.1591,14.0376 L6.1591,12.3146 L4.4561,12.0586 C3.0331,11.8446 2.0001,10.6536 2.0001,9.2246 C2.0001,7.6626 3.2471,6.3876 4.7971,6.3406 C4.8651,6.3486 4.9351,6.3556 5.0051,6.3576 L6.3221,6.4136 L6.8931,5.2246 C7.8481,3.2356 9.8051,1.9996 12.0001,1.9996 C14.1951,1.9996 16.1521,3.2356 17.1071,5.2246 L17.6781,6.4136 L18.9951,6.3576 C19.0641,6.3556 19.1321,6.3486 19.2021,6.3406 C20.7531,6.3866 22.0001,7.6626 22.0001,9.2246 C22.0001,10.6536 20.9671,11.8446 19.5441,12.0586 L19.5441,12.0586 Z M6.1591,22.0006 L17.8411,22.0006 L17.8411,19.8606 L6.1591,19.8606 L6.1591,22.0006 Z M19.1141,4.3386 C19.0451,4.3386 18.9801,4.3566 18.9101,4.3596 C17.6741,1.7836 15.0491,-0.0004 12.0001,-0.0004 C8.9511,-0.0004 6.3261,1.7836 5.0901,4.3596 C5.0211,4.3566 4.9551,4.3386 4.8861,4.3386 C2.1881,4.3386 0.0001,6.5266 0.0001,9.2246 C0.0001,11.6736 1.8081,13.6836 4.1591,14.0376 L4.1591,22.3756 C4.1591,23.2696 4.8901,23.9996 5.7831,23.9996 L18.2171,23.9996 C19.1101,23.9996 19.8411,23.2696 19.8411,22.3756 L19.8411,14.0376 C22.1911,13.6836 24.0001,11.6736 24.0001,9.2246 C24.0001,6.5266 21.8131,4.3386 19.1141,4.3386 L19.1141,4.3386 Z" id="Fill-1"></path></g></g></svg></span> <div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></div>
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-table wprm-block-text-normal wprm-recipe-table-borders-none wprm-recipe-table-borders-inside" style="border-width: 0;border-style: dotted;border-color: #666666;"><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-course-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded wprm-recipe-tag-label wprm-recipe-course-label">Course </span><span class="wprm-recipe-course wprm-block-text-normal">Main Course</span></div></div>
</div>
<div>
<div class="wprm-icon-shortcode wprm-icon-shortcode-separate wprm-align-center wprm-icon-decoration-line" style="font-size: 24px;height: 24px;"><div class="wprm-decoration-line" style="border-color: #e0e0e0"></div><span class="wprm-recipe-icon" aria-hidden="true"><svg width="16px" height="16px" viewBox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g fill="#9e9e9e"><path d="M15.9199,4.9443 L18.1399,2.7243 C18.5509,2.3133 19.0909,2.1083 19.6299,2.1083 C20.1699,2.1083 20.7099,2.3133 21.1209,2.7243 C21.9429,3.5473 21.9419,4.8843 21.1209,5.7073 L18.9019,7.9253 C18.0799,8.7483 16.7419,8.7483 15.9199,7.9253 C15.0979,7.1033 15.0979,5.7663 15.9199,4.9443 M23.5529,22.1383 L13.3369,11.9233 L15.3109,9.9493 C15.9559,10.3353 16.6809,10.5413 17.4109,10.5413 C18.4629,10.5413 19.5159,10.1403 20.3159,9.3403 L22.5349,7.1213 C24.1369,5.5183 24.1369,2.9123 22.5349,1.3103 C21.7599,0.5343 20.7279,0.1073 19.6299,0.1073 C18.5329,0.1073 17.5019,0.5343 16.7259,1.3103 L14.5059,3.5303 C13.7299,4.3063 13.3029,5.3383 13.3029,6.4343 C13.3029,7.1883 13.5179,7.9053 13.8959,8.5363 L11.9229,10.5083 L9.9489,8.5353 C10.8909,6.9593 10.6959,4.8863 9.3399,3.5303 L6.1039,0.2933 C5.7129,-0.0977 5.0799,-0.0977 4.6899,0.2933 C4.2989,0.6833 4.2989,1.3163 4.6899,1.7073 L7.9259,4.9443 C8.4909,5.5093 8.6579,6.3153 8.4459,7.0323 L3.6539,2.2403 C3.2639,1.8493 2.6309,1.8493 2.2399,2.2403 C1.8499,2.6313 1.8499,3.2633 2.2399,3.6543 L7.0319,8.4463 C6.3149,8.6583 5.5089,8.4913 4.9429,7.9253 L1.7069,4.6893 C1.3159,4.2983 0.6839,4.2983 0.2929,4.6893 C-0.0981,5.0803 -0.0981,5.7133 0.2929,6.1033 L3.5289,9.3403 C4.3309,10.1403 5.3829,10.5413 6.4349,10.5413 C7.1649,10.5413 7.8899,10.3353 8.5349,9.9493 L10.5089,11.9233 L0.2929,22.1383 C-0.0981,22.5293 -0.0981,23.1623 0.2929,23.5523 C0.4879,23.7483 0.7439,23.8453 0.9999,23.8453 C1.2559,23.8453 1.5119,23.7483 1.7069,23.5523 L11.9229,13.3373 L22.1389,23.5523 C22.3339,23.7483 22.5899,23.8453 22.8459,23.8453 C23.1019,23.8453 23.3569,23.7483 23.5529,23.5523 C23.9429,23.1623 23.9429,22.5293 23.5529,22.1383"></path></g></g></svg></span> <div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></div>
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-table wprm-block-text-normal wprm-recipe-table-borders-none wprm-recipe-table-borders-inside" style="border-width: 0;border-style: dotted;border-color: #666666;"><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-servings-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded wprm-recipe-servings-label">Servings </span><span class="wprm-recipe-servings wprm-recipe-details wprm-recipe-servings-8528 wprm-recipe-servings-adjustable-tooltip wprm-block-text-normal" data-recipe="8528" aria-label="Adjust recipe servings">4</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-nutrition-container wprm-recipe-calories-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded wprm-recipe-nutrition-label wprm-recipe-calories-label">Calories </span><span class="wprm-recipe-nutrition-with-unit"><span class="wprm-recipe-details wprm-recipe-nutrition wprm-recipe-calories wprm-block-text-normal">679</span> <span class="wprm-recipe-details-unit wprm-recipe-nutrition-unit wprm-recipe-calories-unit wprm-block-text-normal">kcal</span></span></div></div>
</div>
</div>
<div class="wprm-recipe-equipment-container wprm-block-text-normal" data-recipe="8528"><h3 class="wprm-recipe-header wprm-recipe-equipment-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line" style="">Equipment<div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></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">airfryer <span class="wprm-recipe-equipment-notes wprm-recipe-equipment-notes-normal">optional</span></div></li></ul></div>
<div class="wprm-recipe-ingredients-container wprm-recipe-ingredients-no-images wprm-recipe-8528-ingredients-container wprm-block-text-normal wprm-ingredient-style-regular wprm-recipe-images-before" data-recipe="8528" data-servings="4"><h3 class="wprm-recipe-header wprm-recipe-ingredients-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line wprm-header-has-actions wprm-header-has-actions" style="">Ingredients<div class="wprm-decoration-line" style="border-color: #e0e0e0"></div> <div class="wprm-recipe-adjustable-servings-container wprm-recipe-adjustable-servings-8528-container wprm-toggle-container wprm-block-text-normal" style="background-color: #ffffff;border-color: #616161;color: #616161;border-radius: 3px;"><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle wprm-toggle-active" data-multiplier="1" data-servings="4" data-recipe="8528" style="background-color: #616161;color: #ffffff;" aria-label="Adjust servings by 1x">1x</button><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="2" data-servings="4" data-recipe="8528" style="background-color: #616161;color: #ffffff;border-left: 1px solid #616161;" aria-label="Adjust servings by 2x">2x</button><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="3" data-servings="4" data-recipe="8528" style="background-color: #616161;color: #ffffff;border-left: 1px solid #616161;" aria-label="Adjust servings by 3x">3x</button></div></h3><div class="wprm-recipe-ingredient-group"><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="0"><span class="wprm-recipe-ingredient-amount">4</span> <span class="wprm-recipe-ingredient-name">chicken breast fillets</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">free range</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="3"><span class="wprm-recipe-ingredient-amount">½</span> <span class="wprm-recipe-ingredient-unit">tsp</span> <span class="wprm-recipe-ingredient-name">coarse salt</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">ground</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">coarse black pepper</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">ground</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="1"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-name">egg</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">large</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="2"><span class="wprm-recipe-ingredient-amount">45</span> <span class="wprm-recipe-ingredient-unit">ml</span> <span class="wprm-recipe-ingredient-name">milk</span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-faded">Crumbing:</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="6"><span class="wprm-recipe-ingredient-amount">¾</span> <span class="wprm-recipe-ingredient-unit">c (180 ml)</span> <span class="wprm-recipe-ingredient-name">yellow cornmeal</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">(fine polenta)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="9"><span class="wprm-recipe-ingredient-amount">¾</span> <span class="wprm-recipe-ingredient-unit">c (180 ml)</span> <span class="wprm-recipe-ingredient-name">parmesan</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">finely grated</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="7"><span class="wprm-recipe-ingredient-amount">½</span> <span class="wprm-recipe-ingredient-unit">c (125 ml)</span> <span class="wprm-recipe-ingredient-name">almond meal</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">(finely ground almonds)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="8"><span class="wprm-recipe-ingredient-amount">½</span> <span class="wprm-recipe-ingredient-unit">tsp (2.5 ml)</span> <span class="wprm-recipe-ingredient-name">coarse salt</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">ground</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="10"><span class="wprm-recipe-ingredient-amount">½</span> <span class="wprm-recipe-ingredient-unit">tsp (2.5 ml)</span> <span class="wprm-recipe-ingredient-name">coarse black pepper</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">ground</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="11"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tsp (5 ml)</span> <span class="wprm-recipe-ingredient-name">dried rosemary</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="12"><span class="wprm-recipe-ingredient-amount">½</span> <span class="wprm-recipe-ingredient-unit">tsp (2.5 ml)</span> <span class="wprm-recipe-ingredient-name">dried thyme</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="13"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-name">lemon</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">zested and cut into wedges</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="14"><span class="wprm-recipe-ingredient-name">olive oil </span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">for drizzling</span></li></ul></div></div>
<div class="wprm-recipe-instructions-container wprm-recipe-8528-instructions-container wprm-block-text-normal" data-recipe="8528"><h3 class="wprm-recipe-header wprm-recipe-instructions-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line wprm-header-has-actions" style="">Instructions<div class="wprm-decoration-line" style="border-color: #e0e0e0"></div> </h3><div class="wprm-recipe-instruction-group"><ul class="wprm-recipe-instructions"><li id="wprm-recipe-8528-step-0-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Slice the chicken fillets in half to make thinner fillets. By doing it this way, you get 8 pieces of crispy, tender chicken.</span></div></li><li id="wprm-recipe-8528-step-0-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Season with salt and pepper.</span></div></li><li id="wprm-recipe-8528-step-0-2" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Beat the egg and milk together. </span></div></li><li id="wprm-recipe-8528-step-0-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">In a large bowl, mix corn meal, parmesan almond meal, seasoning and lemon zest together until evenly combined. </span></div></li><li id="wprm-recipe-8528-step-0-4" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;"><em>Lightly</em> coat each fillet with the crumb mixture. Then dip into egg mixture followed by a <em>generous coating </em>of crumb mixture. Set aside on a tray, cover and allow to stand for 10 minutes. This can be prepared beforehand and chilled. </span></div></li><li id="wprm-recipe-8528-step-0-5" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Airfryer: Place crumbed chicken in the airfryer tray. Do not overcrowd. Drizzle with olive oil and use Airfry setting for 12 minutes or until golden and crispy. </span><div class="wprm-spacer"></div><span style="display: block;">Oven Bake: Place on a lined baking tray. Drizzle generously with olive oil and bake for at 200°C for +- 20 - 25 minutes or until golden and crispy. </span></div></li><li id="wprm-recipe-8528-step-0-6" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Serve immediately with lemon wedges, salad and sauce of your choice. </span></div></li></ul></div></div>
<h3 class="wprm-recipe-header wprm-recipe-nutrition-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line" style="">Nutrition<div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></h3><div class="wprm-nutrition-label-container wprm-nutrition-label-container-grouped wprm-block-text-normal" style="text-align: left;"><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calories"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Calories: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">679</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">kcal</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-carbohydrates"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Carbohydrates: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">45</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-protein"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Protein: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">53</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fat"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">33</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-saturated_fat"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Saturated Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">10</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-polyunsaturated_fat"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Polyunsaturated Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">2</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-monounsaturated_fat"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Monounsaturated Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">6</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-trans_fat"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Trans Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">0.02</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-cholesterol"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Cholesterol: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">145</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sodium"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Sodium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">1395</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-potassium"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Potassium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">700</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fiber"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Fiber: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">9</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sugar"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Sugar: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">3</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-vitamin_a"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Vitamin A: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">531</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">IU</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-vitamin_c"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Vitamin C: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">17</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calcium"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Calcium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">655</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-iron"style="flex-basis: 175px"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-faded" style="color: #333333">Iron: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">5</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span></div>
<div class="wprm-spacer" style="height: 20px"></div>
<div class="wprm-icon-shortcode wprm-icon-shortcode-separate wprm-align-center wprm-icon-decoration-line" style="font-size: 24px;height: 24px;"><div class="wprm-decoration-line" style="border-color: #e0e0e0"></div><span class="wprm-recipe-icon" aria-hidden="true"><svg width="16px" height="16px" viewBox="0 0 24 24" version="1.1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink"><g id="Icons" stroke="none" stroke-width="1" fill="none" fill-rule="evenodd"><g fill="#9e9e9e"><path d="M9.0039,16.0079 C5.1419,16.0079 1.9999,12.8659 1.9999,9.0039 C1.9999,5.1419 5.1419,1.9999 9.0039,1.9999 C12.8659,1.9999 16.0079,5.1419 16.0079,9.0039 C16.0079,12.8659 12.8659,16.0079 9.0039,16.0079 M23.6209,22.2069 L16.1439,14.7299 C16.1059,14.6919 16.0579,14.6759 16.0159,14.6449 C17.2599,13.1009 18.0079,11.1409 18.0079,9.0039 C18.0079,4.0309 13.9769,-0.0001 9.0039,-0.0001 C4.0309,-0.0001 -0.0001,4.0309 -0.0001,9.0039 C-0.0001,13.9769 4.0309,18.0079 9.0039,18.0079 C11.1409,18.0079 13.1009,17.2599 14.6449,16.0169 C14.6749,16.0579 14.6919,16.1059 14.7299,16.1439 L22.2069,23.6209 C22.4019,23.8169 22.6579,23.9139 22.9139,23.9139 C23.1699,23.9139 23.4259,23.8169 23.6209,23.6209 C24.0119,23.2309 24.0119,22.5979 23.6209,22.2069"></path></g></g></svg></span> <div class="wprm-decoration-line" style="border-color: #e0e0e0"></div></div>
<div class="wprm-recipe-meta-container wprm-recipe-custom-container wprm-recipe-details-container wprm-recipe-details-container-table wprm-block-text-normal wprm-recipe-table-borders-none wprm-recipe-table-borders-inside" style="border-width: 0;border-style: dotted;border-color: #666666;"><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-keyword-container" style="border-width: 0;border-style: dotted;border-color: #666666;"><span class="wprm-recipe-details-label wprm-block-text-uppercase-faded wprm-recipe-tag-label wprm-recipe-keyword-label">Keyword </span><span class="wprm-recipe-keyword wprm-block-text-normal">chicken, crispy chicken, crumbed chicken, Gluten Free</span></div></div>
<div class="wprm-spacer"></div>
<div class="wprm-call-to-action wprm-call-to-action-simple" style="color: #ffffff;background-color: #616161;margin: 0px;padding-top: 30px;padding-bottom: 30px;"><span class="wprm-recipe-icon wprm-call-to-action-icon"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 16 16"><g class="nc-icon-wrapper" stroke-width="1" fill="#ffffff" stroke="#ffffff"><path fill="none" stroke="#ffffff" stroke-linecap="round" stroke-linejoin="round" stroke-miterlimit="10" d="M11.5,0.5 C9.982,0.5,8.678,1.355,8,2.601C7.322,1.355,6.018,0.5,4.5,0.5c-2.209,0-4,1.791-4,4c0,4,7.5,11,7.5,11s7.5-7,7.5-11 C15.5,2.291,13.709,0.5,11.5,0.5z" data-cap="butt"/> </g></svg></span> <span class="wprm-call-to-action-text-container"><span class="wprm-call-to-action-header" style="color: #ffffff;">Tried this recipe?</span><span class="wprm-call-to-action-text"><a href="#comment" target="_self" style="color: #ffffff">Let us know</a> how it was!</span></span></div></div></div>
<p> </p>
</div>
<div class="post-tags block mb-10">
<a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/chicken/" rel="tag">chicken</a> <a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/crumbed-chicken/" rel="tag">crumbed chicken</a> <a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/gluten-free/" rel="tag">gluten free</a> <a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/midweek-meals/" rel="tag">Midweek meals</a> <a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/parmesan-polenta-and-almond/" rel="tag">parmesan polenta and almond</a> <a class="inline-block mr-2 mb-2 py-1 text-xs px-2 bg-gray-100 border border-gray-200 hover:bg-gray-300 hover:text-gray-900 rounded-sm" href="https://bitsofcarey.com/tag/simple-suppers/" rel="tag">simple suppers</a> </div>
<div class="social_icons flex items-center mb-10 ">
<div class="share_text text-sm font-semibold">
Share this post </div>
<ul class="get_social flex ml-2"><li class="ml-1 border border-gray-300"><a class="facebook block w-8 leading-8 text-center bg-white text-base ntip" href="https://www.facebook.com/sharer.php?u=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F&t=Parmesan%2C%20Polenta%20%26%23038%3B%20Almond%20Crumbed%20Chicken" target="_blank" title="Share on Facebook"><i class="fa fa-facebook"></i></a></li><li class="ml-1 border border-gray-300"><a class="twitter block w-8 leading-8 text-center bg-white text-base ntip" title="Share on Twitter" href="https://twitter.com/share?text=Parmesan%2C%20Polenta%20%26%20Almond%20Crumbed%20Chicken&url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F" target="_blank"><i class="fa fa-twitter"></i></a></li><li class="ml-1 border border-gray-300"><a class="linkedin block w-8 leading-8 text-center bg-white text-base ntip" title="Share on LinkedIn" href="https://www.linkedin.com/shareArticle?mini=true&url=https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/&title=Parmesan%2C%20Polenta%20%26%23038%3B%20Almond%20Crumbed%20Chicken&summary=Polenta%2C%20grated%20parmesan%20%26%20almond%20meal%20is%20the%20perfect%20gluten%20free%20alternative%20to%20breadcrumbs.%20Seasoned%20with%20lemon%20zest%2C%20dried%20herbs..." target="_blank"><i class="fa fa-linkedin"></i></a></li><li class="ml-1 border border-gray-300"><a class="pinterest block w-8 leading-8 text-center bg-white text-base ntip" title="Share on Pinterest" href="http://pinterest.com/pin/create/button/?url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F&description=Polenta%2C%20grated%20parmesan%20%26%20almond%20meal%20is%20the%20perfect%20gluten%20free%20alternative%20to%20breadcrumbs.%20Seasoned%20with%20lemon%20zest%2C%20dried%20herbs...&media=https%3A%2F%2Fbitsofcarey.com%2Fwp-content%2Fuploads%2F2022%2F08%2FIMG_4215.jpg" target="_blank"><i class="fa fa-pinterest"></i></a></li><li class="ml-1 border border-gray-300"><a class="reddit block w-8 leading-8 text-center bg-white text-base ntip" title="Share on Reddit" href="http://reddit.com/submit?url=https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/&title=Parmesan%2C%20Polenta%20%26%23038%3B%20Almond%20Crumbed%20Chicken" target="_blank"><i class="fa fa-reddit"></i></a></li><li class="ml-1 border border-gray-300"><a class="tumblr block w-8 leading-8 text-center bg-white text-base ntip" title="Share on Tumblr" href="http://www.tumblr.com/share/link?url=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F&name=Parmesan%2C%20Polenta%20%26%23038%3B%20Almond%20Crumbed%20Chicken&description=Polenta%2C%20grated%20parmesan%20%26%20almond%20meal%20is%20the%20perfect%20gluten%20free%20alternative%20to%20breadcrumbs.%20Seasoned%20with%20lemon%20zest%2C%20dried%20herbs..." target="_blank"><i class="fa fa-tumblr"></i></a></li><li class="ml-1 border border-gray-300"><a class="whatsapp block w-8 leading-8 text-center bg-white text-base ntip" title="Share on WhatsApp" href="https://api.whatsapp.com/send?text=https%3A%2F%2Fbitsofcarey.com%2Fparmesan-polenta-almond-crumbed-chicken%2F" target="_blank"><i class="fa fa-whatsapp"></i></a></li></ul>
</div>
</div>
<div class="posts-navigation flex text-sm justify-between mb-10 pb-10 border-b border-gray-300">
<a href="https://bitsofcarey.com/spaghetti-al-pomodoro/" rel="prev"><div class="portfolio-navi-previous"><i class="fa fa-angle-left mr-1"></i> Previous </div></a> <a href="https://bitsofcarey.com/pumpkin-fritters/" rel="next"><div class="portfolio-navi-next">Next <i class="fa fa-angle-right ml-1"></i></div></a> </div>
<div class="author-section mb-10 pb-10 border-b border-gray-300">
<div class="author-section-wrap flex"><div class="author-pic mr-6"><img alt='' src="data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7" data-lazy-src="https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=150&d=mm&r=g" srcset='https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=300&d=mm&r=g 2x' class='avatar avatar-150 photo' height='150' width='150' loading='lazy' decoding='async'/><noscript><img alt='' src="https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=150&d=mm&r=g" srcset='https://secure.gravatar.com/avatar/89d49463d54638eef1c4da462de46c8b?s=300&d=mm&r=g 2x' class='avatar avatar-150 photo' height='150' width='150' loading='lazy' decoding='async'/></noscript></div><div class="author-description"><h3 class="mb-3 font-semibold text-lg"><a href="https://bitsofcarey.com/author/boc2020/" title="Posts by Carey Erasmus" rel="author">Carey Erasmus</a></h3></div></div> </div>
<div id="respond" class="comment-respond">
<h3 id="reply-title" class="comment-reply-title"><span class="mb-6 font-semibold text-lg text-gray-900 block">Leave a Comment</span> <small><a rel="nofollow" id="cancel-comment-reply-link" href="/parmesan-polenta-almond-crumbed-chicken/#respond" style="display:none;">Cancel Comment</a></small></h3><form action="https://bitsofcarey.com/wp-comments-post.php" method="post" id="commentform" class="mb-10 sm:mb-0"><div class="sm:flex justify-between mt-3 mb-6"><div class="comment_column mb-2 sm:mb-0 mr-4 w-full"><label for="author" class="block text-sm mb-2 font-semibold text-gray-800">Name <span>*</span></label><input type="text" name="author" id="author" value="" size="22" tabindex="1" class="input-block-level" />
</div>
<div class="comment_column mb-2 sm:mb-0 sm:mr-2 w-full"><label for="email" class="block text-sm mb-2 font-semibold text-gray-800">Email <span>*</span></label><input id="email" name="email" type="text" value="" size="22" tabindex="2" class="input-block-level"></div>
<div class="comment_column mb-2 sm:mb-0 sm:ml-2 w-full"><label for="url" class="block text-sm mb-2 font-semibold text-gray-800">Website</label><input type="text" name="url" id="url" value="" size="22" tabindex="3" class="input-block-level" /></div></div>
<p class="comment-form-cookies-consent"><input id="wp-comment-cookies-consent" name="wp-comment-cookies-consent" type="checkbox" value="yes" /> <label for="wp-comment-cookies-consent">Save my name, email, and website in this browser for the next time I comment.</label></p>
<div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-1277143180">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: -21px !important; width: 24px !important; height: 24px !important;" checked="checked"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-0" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
</defs>
<use xlink:href="#wprm-star-empty-0" x="4" y="4" />
<use xlink:href="#wprm-star-empty-0" x="36" y="4" />
<use xlink:href="#wprm-star-empty-0" x="68" y="4" />
<use xlink:href="#wprm-star-empty-0" x="100" y="4" />
<use xlink:href="#wprm-star-empty-0" x="132" y="4" />
</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: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-1" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-1" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-1" x="4" y="4" />
<use xlink:href="#wprm-star-empty-1" x="36" y="4" />
<use xlink:href="#wprm-star-empty-1" x="68" y="4" />
<use xlink:href="#wprm-star-empty-1" x="100" y="4" />
<use xlink:href="#wprm-star-empty-1" x="132" y="4" />
</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: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-2" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-2" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-2" x="4" y="4" />
<use xlink:href="#wprm-star-full-2" x="36" y="4" />
<use xlink:href="#wprm-star-empty-2" x="68" y="4" />
<use xlink:href="#wprm-star-empty-2" x="100" y="4" />
<use xlink:href="#wprm-star-empty-2" x="132" y="4" />
</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: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-3" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-3" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-3" x="4" y="4" />
<use xlink:href="#wprm-star-full-3" x="36" y="4" />
<use xlink:href="#wprm-star-full-3" x="68" y="4" />
<use xlink:href="#wprm-star-empty-3" x="100" y="4" />
<use xlink:href="#wprm-star-empty-3" x="132" y="4" />
</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: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<polygon class="wprm-star-empty" id="wprm-star-empty-4" fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-star-full" id="wprm-star-full-4" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-4" x="4" y="4" />
<use xlink:href="#wprm-star-full-4" x="36" y="4" />
<use xlink:href="#wprm-star-full-4" x="68" y="4" />
<use xlink:href="#wprm-star-full-4" x="100" y="4" />
<use xlink:href="#wprm-star-empty-4" x="132" y="4" />
</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-1277143180" style="width: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<path class="wprm-star-full" id="wprm-star-full-5" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-star-full-5" x="4" y="4" />
<use xlink:href="#wprm-star-full-5" x="36" y="4" />
<use xlink:href="#wprm-star-full-5" x="68" y="4" />
<use xlink:href="#wprm-star-full-5" x="100" y="4" />
<use xlink:href="#wprm-star-full-5" x="132" y="4" />
</svg></span> </fieldset>
</span>
</div>
<div class="comment_textarea my-5"><label for="comment" class="block text-sm mb-2 font-semibold text-gray-800">Comment</label><textarea name="comment" id="comment" cols="58" rows="10" tabindex="4" class="input-block-level "></textarea></div><p class="form-submit"><input name="submit" type="submit" id="submit" class="button small button_default" value="Submit Comment" /> <input type='hidden' name='comment_post_ID' value='8523' 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="2fd34d4a75" /></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="22"/><script>document.getElementById( "ak_js_1" ).setAttribute( "value", ( new Date() ).getTime() );</script></p></form> </div><!-- #respond -->
</article>
<aside id="secondary" class="widget-area sidebar sidebar-generated relative">
<div class="sidebar-wrap relative z-50">
<div class="sidebar-widget mb-12">
<!--BEGIN #searchform-->
<form role="search" method="get" id="searchform" action="https://bitsofcarey.com/">
<div class="search_form_field">
<input type="text" name="s" id="s" class="search_widget_field " value="Search here..." onfocus="if(this.value=='Search here...')this.value='';" onblur="if(this.value=='')this.value='Search here...';" />
</div>
<div class="search_form_button">
<input type="submit" class="searchbut" value="">
</div>
<!--END #searchform-->
</form>
</div><div class="sidebar-widget mb-12"><div class="title-holder text-left overflow-hidden"><h3 class="sidebar-title font-semibold uppercase relative title-pos-below">RECIPES</h3></div> <div class="textwidget"><p><a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/baking-recipes/">Baking</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/breakfast/">Breakfast</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/desserts/">Desserts</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/fish-seafood/">Fish & Seafood</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/instant-pot/">Instant Pot</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/pasta/">Pasta</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/pork/">Pork</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/poultry/">Poultry</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/red-meat/">Red Meat</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/salads/">Salads</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/side-dishes/">Side Dishes</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/snacks/">Snacks</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/soup/">Soup</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/vegan/">Vegan</a><br />
<a style="color: #05808f;" href="https://bitsofcarey.com/category/recipes/vegetarian/">Vegetarian</a></p>
</div>
</div><div class="sidebar-widget mb-12"><div class="title-holder text-left overflow-hidden"><h3 class="sidebar-title font-semibold uppercase relative title-pos-below">Instagram</h3></div> <div class="cr-instagram-widget">
<ul class="instagram-widget instagram-size-small _self grid grid-cols-3 gap-1 select-default">
<li class=""><a href="https://www.instagram.com/p/C_uyhVIoJTW/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t39.30808-6/459106632_18448067305004978_565353250765437950_n.jpg?_nc_cat=107&ccb=1-7&_nc_sid=18de74&_nc_ohc=I7ara06mHMYQ7kNvgGRCEUO&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYDOh2XO9pUaaP_-Lmh5T1XG13xODa1CQwvz5WjoKnmWmw&oe=66F261E4" alt="Crunchy Pistachio & Vermicelli Chocolate Bark ☝️
Recipe development and styling for @perfettopasta
📷 @bobphotography_dubai
Production house: @horizon_comm
#chocolate #foodstylistdubai #foodstylist #recipedeveloper #dubaifood" title="Crunchy Pistachio & Vermicelli Chocolate Bark ☝️
Recipe development and styling for @perfettopasta
📷 @bobphotography_dubai
Production house: @horizon_comm
#chocolate #foodstylistdubai #foodstylist #recipedeveloper #dubaifood" class=""/></a></li><li class=""><a href="https://www.instagram.com/p/C_kW09Myhb9/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t39.30808-6/458639389_18447285874004978_4287632395026437016_n.jpg?_nc_cat=102&ccb=1-7&_nc_sid=18de74&_nc_ohc=4Ls3yc-yheUQ7kNvgGVR_Jz&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYBX6T5oRxVG5kSL7NPWIAnl53yGHGjIK4GvdqD5ncVMoQ&oe=66F27847" alt="Pork sausage rolls for grown-ups ☝️
Frozen sausage rolls brushed with egg and a sprinkle of dried sage and baked until golden.
Served with fennel & apple salad lightly dressed with a Dijon and apple cider vinegar vinaigrette. And cornichons for a delish snacking experience.
#snacks #weekendfood #sausagerolls #delicious #dubai #dubaifoodstylist #dubaicontentcreators #feedfeed" title="Pork sausage rolls for grown-ups ☝️
Frozen sausage rolls brushed with egg and a sprinkle of dried sage and baked until golden.
Served with fennel & apple salad lightly dressed with a Dijon and apple cider vinegar vinaigrette. And cornichons for a delish snacking experience.
#snacks #weekendfood #sausagerolls #delicious #dubai #dubaifoodstylist #dubaicontentcreators #feedfeed" class=""/></a></li><li class=""><a href="https://www.instagram.com/reel/C_h0sALIIJ6/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t51.29350-15/458286038_1941966222894231_3012791243807739327_n.jpg?_nc_cat=107&ccb=1-7&_nc_sid=18de74&_nc_ohc=kJ67isL472wQ7kNvgGYO6U1&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYD-415sOq8_xsO1qJSZBw99zduDcGbOezhejQxQMFqnRw&oe=66F252E3" alt="Aubergine & Mushroom Ragú with Orecchiette
A meat free bolognese that is loaded with flavour. Honestly, my husband couldn’t believe there was no meat in this dish.
The frozen exotic mushrooms from @casinettofood is a game changer. Super handy to keep in the freezer. Simply thawed (defrosted) and strained, keeping the mushroom “juice” (liquid gold) for the sauce.
These mushrooms are so fragrant and flavourful. One could sauté them from frozen, but I chose to chop them up once thawed and take advantage of the flavour bomb liquid they impart.
Serves: 4
Ingredients:
250 g Orecchiette pasta
Extra virgin olive oil
1 large red onion, finely chopped
1 carrot, finely diced
1 celery stick, finely diced
3 garlic cloves, crushed
2 large aubergines, finely diced
500 g frozen exotic mushrooms (thawed out and reserve the mushroom liquid)
1 Tbsp dried Italian herbs
2 Tbsp tomato paste
1 can of @castinettofood peeled tomatoes
125 ml - 250 ml vegetable stock
Salt and pepper to taste
To serve:
Fresh basil
Parmesan shavings
Extra virgin olive oil for drizzling
Instructions:
Boil the pasta in salted water until al dente.
In a large saucepan, add a generous glug of olive oil and sauté the onion, carrot, celery and garlic until softened.
Add the diced aubergine and sauté briefly, then add the chopped defrosted mushrooms and continue sautéing for a few minutes.
Mix the stock and reserved mushroom liquid together.
Add the dried herbs, tomato paste, mushroom stock mixture and peeled tomatoes. Break the tomatoes up and bring to the boil. Cover and reduce heat. Simmer gently for 20 -25 minutes.
Add more stock or pasta water if needed. Season to taste.
Serve with orecchiette pasta or add pasta into the ragu and toss until well combined.
Drizzle lightly with olive oil.
Sprinkle with Parmesan shavings and fresh basil 🍃
Buon appetito 🤌😘
#recipes #collaboration #recipedeveloper #foodstylistdubai #contentcreatordubai #ugc #delicious #pasta #plantbased #ragu #meatfree #chef #inmykitchen #bolognese" title="Aubergine & Mushroom Ragú with Orecchiette
A meat free bolognese that is loaded with flavour. Honestly, my husband couldn’t believe there was no meat in this dish.
The frozen exotic mushrooms from @casinettofood is a game changer. Super handy to keep in the freezer. Simply thawed (defrosted) and strained, keeping the mushroom “juice” (liquid gold) for the sauce.
These mushrooms are so fragrant and flavourful. One could sauté them from frozen, but I chose to chop them up once thawed and take advantage of the flavour bomb liquid they impart.
Serves: 4
Ingredients:
250 g Orecchiette pasta
Extra virgin olive oil
1 large red onion, finely chopped
1 carrot, finely diced
1 celery stick, finely diced
3 garlic cloves, crushed
2 large aubergines, finely diced
500 g frozen exotic mushrooms (thawed out and reserve the mushroom liquid)
1 Tbsp dried Italian herbs
2 Tbsp tomato paste
1 can of @castinettofood peeled tomatoes
125 ml - 250 ml vegetable stock
Salt and pepper to taste
To serve:
Fresh basil
Parmesan shavings
Extra virgin olive oil for drizzling
Instructions:
Boil the pasta in salted water until al dente.
In a large saucepan, add a generous glug of olive oil and sauté the onion, carrot, celery and garlic until softened.
Add the diced aubergine and sauté briefly, then add the chopped defrosted mushrooms and continue sautéing for a few minutes.
Mix the stock and reserved mushroom liquid together.
Add the dried herbs, tomato paste, mushroom stock mixture and peeled tomatoes. Break the tomatoes up and bring to the boil. Cover and reduce heat. Simmer gently for 20 -25 minutes.
Add more stock or pasta water if needed. Season to taste.
Serve with orecchiette pasta or add pasta into the ragu and toss until well combined.
Drizzle lightly with olive oil.
Sprinkle with Parmesan shavings and fresh basil 🍃
Buon appetito 🤌😘
#recipes #collaboration #recipedeveloper #foodstylistdubai #contentcreatordubai #ugc #delicious #pasta #plantbased #ragu #meatfree #chef #inmykitchen #bolognese" class=""/></a></li><li class=""><a href="https://www.instagram.com/p/C_foMJso4YS/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t39.30808-6/458414672_18446929894004978_4462153225482355256_n.jpg?_nc_cat=110&ccb=1-7&_nc_sid=18de74&_nc_ohc=BtzAefnuNo8Q7kNvgEXaZ15&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYDes9a1OmM-k_Zak937UEH2OFSc1Kc7DUmhJbJoVflxfQ&oe=66F2654C" alt="Spanakopita roasted potato salad with lamb meatballs and tzatziki 👌
A minimal fuss and absolutely mouthwatering mid week meal…
Parboil baby potatoes, halved and airfried (200°C for 20 minutes) with a drizzle of olive oil, salt and pepper until crispy. Cooled to room temperature.
Toss cooled roasted potatoes with crushed garlic, lemon zest, juice, chopped baby spinach, mint, dill, thinly sliced red onion and feta cheese. Season and drizzle with more olive oil.
Lamb meatballs from @spinneysuae airfried (200°C for 10 minutes) with a little olive oil and sumac.
Serve this epic potato salad with delish sumac lamb meatballs with tzatziki. Phwoar!
#midweekmeal #dubaifoodies #september #foodstylistdubai #contentcreatordubai #feedfeed #delicious #potatoes #spanikopita #dubailife #inmykitchen #airfryerrecipes" title="Spanakopita roasted potato salad with lamb meatballs and tzatziki 👌
A minimal fuss and absolutely mouthwatering mid week meal…
Parboil baby potatoes, halved and airfried (200°C for 20 minutes) with a drizzle of olive oil, salt and pepper until crispy. Cooled to room temperature.
Toss cooled roasted potatoes with crushed garlic, lemon zest, juice, chopped baby spinach, mint, dill, thinly sliced red onion and feta cheese. Season and drizzle with more olive oil.
Lamb meatballs from @spinneysuae airfried (200°C for 10 minutes) with a little olive oil and sumac.
Serve this epic potato salad with delish sumac lamb meatballs with tzatziki. Phwoar!
#midweekmeal #dubaifoodies #september #foodstylistdubai #contentcreatordubai #feedfeed #delicious #potatoes #spanikopita #dubailife #inmykitchen #airfryerrecipes" class=""/></a></li><li class=""><a href="https://www.instagram.com/reel/C_PteAmySlj/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t51.29350-15/457399531_1982664175526397_24421090684285972_n.jpg?_nc_cat=111&ccb=1-7&_nc_sid=18de74&_nc_ohc=nThVIL0PI6YQ7kNvgFKrQRE&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYDSgmezuIB8sFZH4KItty7cywvC2xbWPflbaHwXXHhoYQ&oe=66F25B4E" alt="Smoooooth Burrataaa!
Making the most of the last of summer peaches…
Peaches & Burrata, Caprese Vibes
A little stop motion fun and playing with #algorithms
#peachseason #summerfood #burrata #caprese #peachrecipes #inmykitchen #foodstylist #contentcreator #summercravings #peachsalad #feedfeed #f52grams #delicious #dubai #foodstylistdubai #salad" title="Smoooooth Burrataaa!
Making the most of the last of summer peaches…
Peaches & Burrata, Caprese Vibes
A little stop motion fun and playing with #algorithms
#peachseason #summerfood #burrata #caprese #peachrecipes #inmykitchen #foodstylist #contentcreator #summercravings #peachsalad #feedfeed #f52grams #delicious #dubai #foodstylistdubai #salad" class=""/></a></li><li class=""><a href="https://www.instagram.com/reel/C_NBmrJIFIr/" target="_self" class=""><img src="https://scontent.cdninstagram.com/v/t51.29350-15/457247941_6905885539536697_5463339534145122056_n.jpg?_nc_cat=101&ccb=1-7&_nc_sid=18de74&_nc_ohc=iK0dkwRzLooQ7kNvgEBQJr_&_nc_ht=scontent.cdninstagram.com&edm=ANo9K5cEAAAA&_nc_gid=Ax_QVdLMbKQks7gyPsqeNJF&oh=00_AYDEdqvmZBPBoLs5BLplMbPfTDRTpU_A7b5HCllztmSQBw&oe=66F273A8" alt="Confession time. I love pineapple on pizza. There, I said it ☝️
There’s just something nostalgic about a “Hawaiian” Pizza. A pizza combination of my childhood and University days. Somehow, to this day, I still love this polarizing pizza, but with fresh pineapple only and extra feta.
@casinettofood stocks brilliant homemade frozen pizza dough, super convenient to keep a stash in the freezer for when the pizza mood strikes. Just saying. Adulting is hard.
#hawaiianpizza #pineapplepizza #pizza #homemade #nostalgia #delicious #foodreels #dubaifoodies #inmykitchen
#feedfeed #bonappetit #foodcreators #pov" title="Confession time. I love pineapple on pizza. There, I said it ☝️
There’s just something nostalgic about a “Hawaiian” Pizza. A pizza combination of my childhood and University days. Somehow, to this day, I still love this polarizing pizza, but with fresh pineapple only and extra feta.
@casinettofood stocks brilliant homemade frozen pizza dough, super convenient to keep a stash in the freezer for when the pizza mood strikes. Just saying. Adulting is hard.
#hawaiianpizza #pineapplepizza #pizza #homemade #nostalgia #delicious #foodreels #dubaifoodies #inmykitchen
#feedfeed #bonappetit #foodcreators #pov" class=""/></a></li> </ul>
</div>
<p class="mt-3"><a href="//instagram.com/bitsofcarey/" rel="me" target="_self" class="">Follow Me!</a></p>
</div><div class="sidebar-widget mb-12"><div class="title-holder text-left overflow-hidden"><h3 class="sidebar-title font-semibold uppercase relative title-pos-below">LET’S CONNECT</h3></div> <ul class="get_social">
<li><a class="twitter ntip" href="https://twitter.com/bitsofcarey" title="Follow on Twitter" target="_blank"><i class="fa fa-twitter"></i></a></li>
<li><a class="facebook ntip" href="https://www.facebook.com/pages/Bits-of-Carey/177588849008210" title="Follow on Facebook" target="_blank"><i class="fa fa-facebook"></i></a></li>
<li><a class="instagram ntip" href="http://instagram.com/bitsofcarey" title="Follow on Instagram" target="_blank"><i class="fa fa-instagram"></i></a></li>
<li><a class="linkedin ntip" href="http://www.linkedin.com/pub/carey-boucher-erasmus/53/562/383" title="Follow on LinkedIn" target="_blank"><i class="fa fa-linkedin"></i></a></li>
<li><a class="pinterest ntip" href="http://www.pinterest.com/bitsofcarey/" title="Follow on Pinterest" target="_blank"><i class="fa fa-pinterest"></i></a></li>
<li><a class="youtube ntip" href="https://www.youtube.com/channel/UCTcTLu1miSt3QvC5oUZ7GQg" title="Follow on Youtube" target="_blank"><i class="fa fa-youtube-play"></i></a></li>
</ul>
</div><div class="sidebar-widget mb-12"><div class="title-holder text-left overflow-hidden"><h3 class="sidebar-title font-semibold uppercase relative title-pos-below"> SUBSCRIBE TO RECEIVE MY LATEST RECIPES </h3></div><div class="emaillist" id="es_form_f1-n1"><form action="/parmesan-polenta-almond-crumbed-chicken/#es_form_f1-n1" method="post" class="es_subscription_form es_shortcode_form es_ajax_subscription_form" id="es_subscription_form_66ec9c86197af" data-source="ig-es" data-form-id="1"><div class="es-field-wrap"><label>Name*<br /><input type="text" name="esfpx_name" class="ig_es_form_field_name" placeholder="" value="" required="required" /></label></div><div class="es-field-wrap"><label>Email*<br /><input class="es_required_field es_txt_email ig_es_form_field_email" type="email" name="esfpx_email" value="" placeholder="" required="required" /></label></div><input type="hidden" name="esfpx_lists[]" value="519ae475efef" /><input type="hidden" name="esfpx_form_id" value="1" /><input type="hidden" name="es" value="subscribe" />
<input type="hidden" name="esfpx_es_form_identifier" value="f1-n1" />
<input type="hidden" name="esfpx_es_email_page" value="8523" />
<input type="hidden" name="esfpx_es_email_page_url" value="https://bitsofcarey.com/parmesan-polenta-almond-crumbed-chicken/" />
<input type="hidden" name="esfpx_status" value="Unconfirmed" />
<input type="hidden" name="esfpx_es-subscribe" id="es-subscribe-66ec9c86197af" value="b0bbfa6021" />
<label style="position:absolute;top:-99999px;left:-99999px;z-index:-99;" aria-hidden="true"><span hidden>Please leave this field empty.</span><input type="email" name="esfpx_es_hp_email" class="es_required_field" tabindex="-1" autocomplete="-1" value="" /></label><input type="submit" name="submit" class="es_subscription_form_submit es_submit_button es_textbox_button" id="es_subscription_form_submit_66ec9c86197af" value="Subscribe" /><span class="es_spinner_image" id="spinner-image"><img src="https://bitsofcarey.com/wp-content/plugins/email-subscribers/lite/public/images/spinner.gif" alt="Loading" /></span></form><span class="es_subscription_message " id="es_subscription_message_66ec9c86197af"></span></div></div> </div>
</aside><!-- #secondary -->
</section>
</div> <!-- closing the <div id="wrapper"> opened in header.php -->
<footer class="footer">
<div class="footer-copyright container mx-auto px-4 py-4 xl:px-0 block justify-between items-center">
<div class="copyright text-center lg:text-left mb-3">
Copyright 2020 Bits of Carey. All Rights Reserved. View Disclaimer<br/>
Designed and Developed by <a href="https://amberwolf.co.za/">Amber Wolf Studios</a> </div>
</div>
</footer>
</div>
<script 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>window.wprm_recipes = {"recipe-8528":{"type":"food","name":"Parmesan, Polenta & Almond Crumbed Chicken","slug":"wprm-parmesan-polenta-almond-crumbed-chicken","image_url":"https:\/\/bitsofcarey.com\/wp-content\/uploads\/2022\/08\/IMG_4215.jpg","rating":{"count":0,"total":0,"average":0,"type":{"comment":0,"no_comment":0,"user":0},"user":0},"ingredients":[{"uid":0,"amount":"4","unit":"","name":"chicken breast fillets","notes":"free range","id":438,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"4","unit":"","unitParsed":""}}},{"uid":3,"amount":"\u00bd","unit":"tsp","name":"coarse salt","notes":"ground","unit_id":1697,"id":577,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"tsp","unitParsed":"tsp"}}},{"uid":4,"amount":"\u00bd","unit":"tsp","name":"coarse black pepper","notes":"ground","unit_id":1697,"id":1858,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"tsp","unitParsed":"tsp"}}},{"uid":1,"amount":"1","unit":"","name":"egg","notes":"large","id":700,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"","unitParsed":""}}},{"uid":2,"amount":"45","unit":"ml","name":"milk","notes":"","unit_id":1746,"id":437,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"45","unit":"ml","unitParsed":"ml"}}},{"uid":6,"amount":"\u00be","unit":"c (180 ml)","name":"yellow cornmeal","notes":"(fine polenta)","unit_id":1780,"id":1859,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00be","unit":"c (180 ml)","unitParsed":"c (180 ml)"}}},{"uid":9,"amount":"\u00be","unit":"c (180 ml)","name":"parmesan","notes":"finely grated","unit_id":1780,"id":1860,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00be","unit":"c (180 ml)","unitParsed":"c (180 ml)"}}},{"uid":7,"amount":"\u00bd","unit":"c (125 ml)","name":"almond meal","notes":"(finely ground almonds)","unit_id":1853,"id":1861,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"c (125 ml)","unitParsed":"c (125 ml)"}}},{"uid":8,"amount":"\u00bd","unit":"tsp (2.5 ml)","name":"coarse salt","notes":"ground","unit_id":1783,"id":577,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"tsp (2.5 ml)","unitParsed":"tsp (2.5 ml)"}}},{"uid":10,"amount":"\u00bd","unit":"tsp (2.5 ml)","name":"coarse black pepper","notes":"ground","unit_id":1783,"id":1858,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"tsp (2.5 ml)","unitParsed":"tsp (2.5 ml)"}}},{"uid":11,"amount":"1","unit":"tsp (5 ml)","name":"dried rosemary","notes":"","unit_id":1759,"id":1862,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tsp (5 ml)","unitParsed":"tsp (5 ml)"}}},{"uid":12,"amount":"\u00bd","unit":"tsp (2.5 ml)","name":"dried thyme","notes":"","unit_id":1783,"id":1863,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"\u00bd","unit":"tsp (2.5 ml)","unitParsed":"tsp (2.5 ml)"}}},{"uid":13,"amount":"1","unit":"","name":"lemon","notes":"zested and cut into wedges","id":960,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"","unitParsed":""}}},{"uid":14,"amount":"","unit":"","name":"olive oil ","notes":"for drizzling","id":673,"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,"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> <script type="text/javascript">
jQuery( document ).ready( function ( e ) {
if (jQuery("body").hasClass("category-recipes") || jQuery("body").hasClass("search") ) {
jQuery('.grid-container .grid-posts ul li img').each(function(){
img_src_new = jQuery(this).attr('src').replace("-600x400", "");
jQuery(this).attr('src', img_src_new);
//console.log(jQuery(this).attr('src').replace("-600x400", ""));
});
}
});
</script>
<script type="text/javascript">
jQuery(document).ready(function(){
jQuery(".post_container .grid-container .grid-posts").each(function(){
var link = jQuery(".flexslider .slides li figure a", this).attr("href");
jQuery(".content_wrapper .post-content", this)
});
jQuery(".posts-grid-item.mb-6 .date").each(function(){
jQuery(this).insertAfter(jQuery(this).prevAll("h3"));
});
jQuery(".category-recipes .grid-posts .post_meta.relative ").each(function(){
jQuery(this).insertAfter(jQuery(this).prevAll(".archives_title"));
});
jQuery(".header_search .form-control").attr("placeholder","Search here...");
})
</script>
<link rel='stylesheet' id='wprm-public-css' href='https://bitsofcarey.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.css?ver=9.6.0' type='text/css' media='all' />
<link rel='stylesheet' id='wprmp-public-css' href='https://bitsofcarey.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.css?ver=9.5.4' type='text/css' media='all' />
<script type="text/javascript" src="https://bitsofcarey.com/wp-includes/js/dist/hooks.min.js?ver=2810c76e705dd1a53b18" id="wp-hooks-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-includes/js/dist/i18n.min.js?ver=5e580eb46a90c2b997e6" id="wp-i18n-js"></script>
<script type="text/javascript" id="wp-i18n-js-after">
/* <![CDATA[ */
wp.i18n.setLocaleData( { 'text direction\u0004ltr': [ 'ltr' ] } );
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/contact-form-7/includes/swv/js/index.js?ver=5.9.8" id="swv-js"></script>
<script type="text/javascript" id="contact-form-7-js-extra">
/* <![CDATA[ */
var wpcf7 = {"api":{"root":"https:\/\/bitsofcarey.com\/wp-json\/","namespace":"contact-form-7\/v1"}};
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/contact-form-7/includes/js/index.js?ver=5.9.8" id="contact-form-7-js"></script>
<script type="text/javascript" id="email-subscribers-js-extra">
/* <![CDATA[ */
var es_data = {"messages":{"es_empty_email_notice":"Please enter email address","es_rate_limit_notice":"You need to wait for some time before subscribing again","es_single_optin_success_message":"Successfully Subscribed.","es_email_exists_notice":"Email Address already exists!","es_unexpected_error_notice":"Oops.. Unexpected error occurred.","es_invalid_email_notice":"Invalid email address","es_try_later_notice":"Please try after some time"},"es_ajax_url":"https:\/\/bitsofcarey.com\/wp-admin\/admin-ajax.php"};
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/email-subscribers/lite/public/js/email-subscribers-public.js?ver=5.7.34" id="email-subscribers-js"></script>
<script type="text/javascript" async="async" src="https://bitsofcarey.com/wp-content/plugins/speed-up-lazy-load/js/lazy-load.min.js?ver=1.0.25" id="speed-up-lazyload-js"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/themes/creativo/assets/js/main.js?ver=7.7.15" id="creativo.main-js"></script>
<script type="text/javascript" id="creativo.main-js-after">
/* <![CDATA[ */
!function(u){var a=!0;u.flexslider=function(p,e){var t,m=u(p),s=(void 0===e.rtl&&"rtl"==u("html").attr("dir")&&(e.rtl=!0),m.vars=u.extend({},u.flexslider.defaults,e),m.vars.namespace),f=window.navigator&&window.navigator.msPointerEnabled&&window.MSGesture,o=("ontouchstart"in window||f||window.DocumentTouch&&document instanceof DocumentTouch)&&m.vars.touch,r="click touchend MSPointerUp keyup",l="",g="vertical"===m.vars.direction,h=m.vars.reverse,x=0<m.vars.itemWidth,S="fade"===m.vars.animation,c=""!==m.vars.asNavFor,d={};u.data(p,"flexslider",m),d={init:function(){m.animating=!1,m.currentSlide=parseInt(m.vars.startAt||0,10),isNaN(m.currentSlide)&&(m.currentSlide=0),m.animatingTo=m.currentSlide,m.atEnd=0===m.currentSlide||m.currentSlide===m.last,m.containerSelector=m.vars.selector.substr(0,m.vars.selector.search(" ")),m.slides=u(m.vars.selector,m),m.container=u(m.containerSelector,m),m.count=m.slides.length,m.syncExists=0<u(m.vars.sync).length,"slide"===m.vars.animation&&(m.vars.animation="swing"),m.prop=g?"top":m.vars.rtl?"marginRight":"marginLeft",m.args={},m.manualPause=!1,m.stopped=!1,m.started=!1,m.startTimeout=null,m.transitions=!m.vars.video&&!S&&m.vars.useCSS&&function(){var e,t=document.createElement("div"),a=["perspectiveProperty","WebkitPerspective","MozPerspective","OPerspective","msPerspective"];for(e in a)if(void 0!==t.style[a[e]])return m.pfx=a[e].replace("Perspective","").toLowerCase(),m.prop="-"+m.pfx+"-transform",!0;return!1}(),m.isFirefox=-1<navigator.userAgent.toLowerCase().indexOf("firefox"),(m.ensureAnimationEnd="")!==m.vars.controlsContainer&&(m.controlsContainer=0<u(m.vars.controlsContainer).length&&u(m.vars.controlsContainer)),""!==m.vars.manualControls&&(m.manualControls=0<u(m.vars.manualControls).length&&u(m.vars.manualControls)),""!==m.vars.customDirectionNav&&(m.customDirectionNav=2===u(m.vars.customDirectionNav).length&&u(m.vars.customDirectionNav)),m.vars.randomize&&(m.slides.sort(function(){return Math.round(Math.random())-.5}),m.container.empty().append(m.slides)),m.doMath(),m.setup("init"),m.vars.controlNav&&d.controlNav.setup(),m.vars.directionNav&&d.directionNav.setup(),m.vars.keyboard&&(1===u(m.containerSelector).length||m.vars.multipleKeyboard)&&u(document).bind("keyup",function(e){var e=e.keyCode;m.animating||39!==e&&37!==e||(e=m.vars.rtl?37===e?m.getTarget("next"):39===e&&m.getTarget("prev"):39===e?m.getTarget("next"):37===e&&m.getTarget("prev"),m.flexAnimate(e,m.vars.pauseOnAction))}),m.vars.mousewheel&&m.bind("mousewheel",function(e,t,a,n){e.preventDefault();e=t<0?m.getTarget("next"):m.getTarget("prev");m.flexAnimate(e,m.vars.pauseOnAction)}),m.vars.pausePlay&&d.pausePlay.setup(),m.vars.slideshow&&m.vars.pauseInvisible&&d.pauseInvisible.init(),m.vars.slideshow&&(m.vars.pauseOnHover&&m.hover(function(){m.manualPlay||m.manualPause||m.pause()},function(){m.manualPause||m.manualPlay||m.stopped||m.play()}),m.vars.pauseInvisible&&d.pauseInvisible.isHidden()||(0<m.vars.initDelay?m.startTimeout=setTimeout(m.play,m.vars.initDelay):m.play())),c&&d.asNav.setup(),o&&m.vars.touch&&d.touch(),S&&!m.vars.smoothHeight||u(window).bind("resize orientationchange focus",d.resize),m.find("img").attr("draggable","false"),setTimeout(function(){m.vars.start(m)},200)},asNav:{setup:function(){m.asNav=!0,m.animatingTo=Math.floor(m.currentSlide/m.move),m.currentItem=m.currentSlide,m.slides.removeClass(s+"active-slide").eq(m.currentItem).addClass(s+"active-slide"),f?(p._slider=m).slides.each(function(){var e=this;e._gesture=new MSGesture,(e._gesture.target=e).addEventListener("MSPointerDown",function(e){e.preventDefault(),e.currentTarget._gesture&&e.currentTarget._gesture.addPointer(e.pointerId)},!1),e.addEventListener("MSGestureTap",function(e){e.preventDefault();var e=u(this),t=e.index();u(m.vars.asNavFor).data("flexslider").animating||e.hasClass("active")||(m.direction=m.currentItem<t?"next":"prev",m.flexAnimate(t,m.vars.pauseOnAction,!1,!0,!0))})}):m.slides.on(r,function(e){e.preventDefault();var e=u(this),t=e.index(),a=m.vars.rtl?-1*(e.offset().right-u(m).scrollLeft()):e.offset().left-u(m).scrollLeft();a<=0&&e.hasClass(s+"active-slide")?m.flexAnimate(m.getTarget("prev"),!0):u(m.vars.asNavFor).data("flexslider").animating||e.hasClass(s+"active-slide")||(m.direction=m.currentItem<t?"next":"prev",m.flexAnimate(t,m.vars.pauseOnAction,!1,!0,!0))})}},controlNav:{setup:function(){m.manualControls?d.controlNav.setupManual():d.controlNav.setupPaging()},setupPaging:function(){var e,t="thumbnails"===m.vars.controlNav?"control-thumbs":"control-paging",a=1;if(m.controlNavScaffold=u('<ol class="'+s+"control-nav "+s+t+'"></ol>'),1<m.pagingCount)for(var n=0;n<m.pagingCount;n++){void 0===(i=m.slides.eq(n)).attr("data-thumb-alt")&&i.attr("data-thumb-alt",""),e=u("<a></a>").attr("href","#").text(a),"thumbnails"===m.vars.controlNav&&(e=u("<img/>").attr("src",i.attr("data-thumb"))),""!==i.attr("data-thumb-alt")&&e.attr("alt",i.attr("data-thumb-alt")),"thumbnails"!==m.vars.controlNav||!0!==m.vars.thumbCaptions||""!==(i=i.attr("data-thumbcaption"))&&void 0!==i&&(i=u("<span></span>").addClass(s+"caption").text(i),e.append(i));var i=u("<li>");e.appendTo(i),i.append("</li>"),m.controlNavScaffold.append(i),a++}(m.controlsContainer?u(m.controlsContainer):m).append(m.controlNavScaffold),d.controlNav.set(),d.controlNav.active(),m.controlNavScaffold.delegate("a, img",r,function(e){var t,a;e.preventDefault(),""!==l&&l!==e.type||(t=u(this),a=m.controlNav.index(t),t.hasClass(s+"active")||(m.direction=a>m.currentSlide?"next":"prev",m.flexAnimate(a,m.vars.pauseOnAction))),""===l&&(l=e.type),d.setToClearWatchedEvent()})},setupManual:function(){m.controlNav=m.manualControls,d.controlNav.active(),m.controlNav.bind(r,function(e){var t,a;e.preventDefault(),""!==l&&l!==e.type||(t=u(this),a=m.controlNav.index(t),t.hasClass(s+"active")||(a>m.currentSlide?m.direction="next":m.direction="prev",m.flexAnimate(a,m.vars.pauseOnAction))),""===l&&(l=e.type),d.setToClearWatchedEvent()})},set:function(){var e="thumbnails"===m.vars.controlNav?"img":"a";m.controlNav=u("."+s+"control-nav li "+e,m.controlsContainer||m)},active:function(){m.controlNav.removeClass(s+"active").eq(m.animatingTo).addClass(s+"active")},update:function(e,t){1<m.pagingCount&&"add"===e?m.controlNavScaffold.append(u('<li><a href="#">'+m.count+"</a></li>")):(1===m.pagingCount?m.controlNavScaffold.find("li"):m.controlNav.eq(t).closest("li")).remove(),d.controlNav.set(),1<m.pagingCount&&m.pagingCount!==m.controlNav.length?m.update(t,e):d.controlNav.active()}},directionNav:{setup:function(){var e=u('<ul class="'+s+'direction-nav"><li class="'+s+'nav-prev"><a class="'+s+'prev" href="#">'+m.vars.prevText+'</a></li><li class="'+s+'nav-next"><a class="'+s+'next" href="#">'+m.vars.nextText+"</a></li></ul>");m.customDirectionNav?m.directionNav=m.customDirectionNav:m.controlsContainer?(u(m.controlsContainer).append(e),m.directionNav=u("."+s+"direction-nav li a",m.controlsContainer)):(m.append(e),m.directionNav=u("."+s+"direction-nav li a",m)),d.directionNav.update(),m.directionNav.bind(r,function(e){var t;e.preventDefault(),""!==l&&l!==e.type||(t=u(this).hasClass(s+"next")?m.getTarget("next"):m.getTarget("prev"),m.flexAnimate(t,m.vars.pauseOnAction)),""===l&&(l=e.type),d.setToClearWatchedEvent()})},update:function(){var e=s+"disabled";1===m.pagingCount?m.directionNav.addClass(e).attr("tabindex","-1"):m.vars.animationLoop?m.directionNav.removeClass(e).removeAttr("tabindex"):0===m.animatingTo?m.directionNav.removeClass(e).filter("."+s+"prev").addClass(e).attr("tabindex","-1"):m.animatingTo===m.last?m.directionNav.removeClass(e).filter("."+s+"next").addClass(e).attr("tabindex","-1"):m.directionNav.removeClass(e).removeAttr("tabindex")}},pausePlay:{setup:function(){var e=u('<div class="'+s+'pauseplay"><a href="#"></a></div>');m.controlsContainer?(m.controlsContainer.append(e),m.pausePlay=u("."+s+"pauseplay a",m.controlsContainer)):(m.append(e),m.pausePlay=u("."+s+"pauseplay a",m)),d.pausePlay.update(m.vars.slideshow?s+"pause":s+"play"),m.pausePlay.bind(r,function(e){e.preventDefault(),""!==l&&l!==e.type||(u(this).hasClass(s+"pause")?(m.manualPause=!0,m.manualPlay=!1,m.pause()):(m.manualPause=!1,m.manualPlay=!0,m.play())),""===l&&(l=e.type),d.setToClearWatchedEvent()})},update:function(e){"play"===e?m.pausePlay.removeClass(s+"pause").addClass(s+"play").html(m.vars.playText):m.pausePlay.removeClass(s+"play").addClass(s+"pause").html(m.vars.pauseText)}},touch:function(){var n,i,r,s,o,l,c,d,u=!1,t=0,a=0,v=0;f?(p.style.msTouchAction="none",p._gesture=new MSGesture,(p._gesture.target=p).addEventListener("MSPointerDown",function(e){e.stopPropagation(),m.animating?e.preventDefault():(m.pause(),p._gesture.addPointer(e.pointerId),v=0,s=g?m.h:m.w,l=Number(new Date),r=x&&h&&m.animatingTo===m.last?0:x&&h?m.limit-(m.itemW+m.vars.itemMargin)*m.move*m.animatingTo:x&&m.currentSlide===m.last?m.limit:x?(m.itemW+m.vars.itemMargin)*m.move*m.currentSlide:h?(m.last-m.currentSlide+m.cloneOffset)*s:(m.currentSlide+m.cloneOffset)*s)},!1),p._slider=m,p.addEventListener("MSGestureChange",function(e){e.stopPropagation();var t,a,n=e.target._slider;n&&(t=-e.translationX,a=-e.translationY,v+=g?a:t,o=(n.vars.rtl?-1:1)*v,u=g?Math.abs(v)<Math.abs(-t):Math.abs(v)<Math.abs(-a),e.detail===e.MSGESTURE_FLAG_INERTIA?setImmediate(function(){p._gesture.stop()}):(!u||500<Number(new Date)-l)&&(e.preventDefault(),!S&&n.transitions&&(n.vars.animationLoop||(o=v/(0===n.currentSlide&&v<0||n.currentSlide===n.last&&0<v?Math.abs(v)/s+2:1)),n.setProps(r+o,"setTouch"))))},!1),p.addEventListener("MSGestureEnd",function(e){e.stopPropagation();var t,a,e=e.target._slider;e&&(e.animatingTo!==e.currentSlide||u||null===o||(a=0<(t=h?-o:o)?e.getTarget("next"):e.getTarget("prev"),e.canAdvance(a)&&(Number(new Date)-l<550&&50<Math.abs(t)||Math.abs(t)>s/2)?e.flexAnimate(a,e.vars.pauseOnAction):S||e.flexAnimate(e.currentSlide,e.vars.pauseOnAction,!0)),r=o=i=n=null,v=0)},!1)):(c=function(e){t=e.touches[0].pageX,a=e.touches[0].pageY,o=g?n-a:(m.vars.rtl?-1:1)*(n-t);(!(u=g?Math.abs(o)<Math.abs(t-i):Math.abs(o)<Math.abs(a-i))||500<Number(new Date)-l)&&(e.preventDefault(),!S&&m.transitions&&(m.vars.animationLoop||(o/=0===m.currentSlide&&o<0||m.currentSlide===m.last&&0<o?Math.abs(o)/s+2:1),m.setProps(r+o,"setTouch")))},d=function(e){var t,a;p.removeEventListener("touchmove",c,!1),m.animatingTo!==m.currentSlide||u||null===o||(a=0<(t=h?-o:o)?m.getTarget("next"):m.getTarget("prev"),m.canAdvance(a)&&(Number(new Date)-l<550&&50<Math.abs(t)||Math.abs(t)>s/2)?m.flexAnimate(a,m.vars.pauseOnAction):S||m.flexAnimate(m.currentSlide,m.vars.pauseOnAction,!0)),p.removeEventListener("touchend",d,!1),r=o=i=n=null},p.addEventListener("touchstart",function(e){m.animating?e.preventDefault():!window.navigator.msPointerEnabled&&1!==e.touches.length||(m.pause(),s=g?m.h:m.w,l=Number(new Date),t=e.touches[0].pageX,a=e.touches[0].pageY,r=x&&h&&m.animatingTo===m.last?0:x&&h?m.limit-(m.itemW+m.vars.itemMargin)*m.move*m.animatingTo:x&&m.currentSlide===m.last?m.limit:x?(m.itemW+m.vars.itemMargin)*m.move*m.currentSlide:h?(m.last-m.currentSlide+m.cloneOffset)*s:(m.currentSlide+m.cloneOffset)*s,n=g?a:t,i=g?t:a,p.addEventListener("touchmove",c,!1),p.addEventListener("touchend",d,!1))},!1))},resize:function(){!m.animating&&m.is(":visible")&&(x||m.doMath(),S?d.smoothHeight():x?(m.slides.width(m.computedW),m.update(m.pagingCount),m.setProps()):g?(m.viewport.height(m.h),m.setProps(m.h,"setTotal")):(m.vars.smoothHeight&&d.smoothHeight(),m.newSlides.width(m.computedW),m.setProps(m.computedW,"setTotal")))},smoothHeight:function(e){var t;g&&!S||(t=S?m:m.viewport,e?t.animate({height:m.slides.eq(m.animatingTo).innerHeight()},e):t.innerHeight(m.slides.eq(m.animatingTo).innerHeight()))},sync:function(e){var t=u(m.vars.sync).data("flexslider"),a=m.animatingTo;switch(e){case"animate":t.flexAnimate(a,m.vars.pauseOnAction,!1,!0);break;case"play":t.playing||t.asNav||t.play();break;case"pause":t.pause()}},uniqueID:function(e){return e.filter("[id]").add(e.find("[id]")).each(function(){var e=u(this);e.attr("id",e.attr("id")+"_clone")}),e},pauseInvisible:{visProp:null,init:function(){var e=d.pauseInvisible.getHiddenProp();e&&(e=e.replace(/[H|h]idden/,"")+"visibilitychange",document.addEventListener(e,function(){d.pauseInvisible.isHidden()?m.startTimeout?clearTimeout(m.startTimeout):m.pause():!m.started&&0<m.vars.initDelay?setTimeout(m.play,m.vars.initDelay):m.play()}))},isHidden:function(){var e=d.pauseInvisible.getHiddenProp();return!!e&&document[e]},getHiddenProp:function(){var e=["webkit","moz","ms","o"];if("hidden"in document)return"hidden";for(var t=0;t<e.length;t++)if(e[t]+"Hidden"in document)return e[t]+"Hidden";return null}},setToClearWatchedEvent:function(){clearTimeout(t),t=setTimeout(function(){l=""},3e3)}},m.flexAnimate=function(e,t,a,n,i){if(m.vars.animationLoop||e===m.currentSlide||(m.direction=e>m.currentSlide?"next":"prev"),c&&1===m.pagingCount&&(m.direction=m.currentItem<e?"next":"prev"),!m.animating&&(m.canAdvance(e,i)||a)&&m.is(":visible")){if(c&&n){a=u(m.vars.asNavFor).data("flexslider");if(m.atEnd=0===e||e===m.count-1,a.flexAnimate(e,!0,!1,!0,i),m.direction=m.currentItem<e?"next":"prev",a.direction=m.direction,Math.ceil((e+1)/m.visible)-1===m.currentSlide||0===e)return m.currentItem=e,m.slides.removeClass(s+"active-slide").eq(e).addClass(s+"active-slide"),!1;m.currentItem=e,m.slides.removeClass(s+"active-slide").eq(e).addClass(s+"active-slide"),e=Math.floor(e/m.visible)}var r;m.animating=!0,m.animatingTo=e,t&&m.pause(),m.vars.before(m),m.syncExists&&!i&&d.sync("animate"),m.vars.controlNav&&d.controlNav.active(),x||m.slides.removeClass(s+"active-slide").eq(e).addClass(s+"active-slide"),m.atEnd=0===e||e===m.last,m.vars.directionNav&&d.directionNav.update(),e===m.last&&(m.vars.end(m),m.vars.animationLoop||m.pause()),S?o?(m.slides.eq(m.currentSlide).css({opacity:0,zIndex:1}),m.slides.eq(e).css({opacity:1,zIndex:2}),m.wrapup(r)):(m.slides.eq(m.currentSlide).css({zIndex:1}).animate({opacity:0},m.vars.animationSpeed,m.vars.easing),m.slides.eq(e).css({zIndex:2}).animate({opacity:1},m.vars.animationSpeed,m.vars.easing,m.wrapup)):(r=g?m.slides.filter(":first").height():m.computedW,t=x?(n=m.vars.itemMargin,(a=(m.itemW+n)*m.move*m.animatingTo)>m.limit&&1!==m.visible?m.limit:a):0===m.currentSlide&&e===m.count-1&&m.vars.animationLoop&&"next"!==m.direction?h?(m.count+m.cloneOffset)*r:0:m.currentSlide===m.last&&0===e&&m.vars.animationLoop&&"prev"!==m.direction?h?0:(m.count+1)*r:h?(m.count-1-e+m.cloneOffset)*r:(e+m.cloneOffset)*r,m.setProps(t,"",m.vars.animationSpeed),m.transitions?(m.vars.animationLoop&&m.atEnd||(m.animating=!1,m.currentSlide=m.animatingTo),m.container.unbind("webkitTransitionEnd transitionend"),m.container.bind("webkitTransitionEnd transitionend",function(){clearTimeout(m.ensureAnimationEnd),m.wrapup(r)}),clearTimeout(m.ensureAnimationEnd),m.ensureAnimationEnd=setTimeout(function(){m.wrapup(r)},m.vars.animationSpeed+100)):m.container.animate(m.args,m.vars.animationSpeed,m.vars.easing,function(){m.wrapup(r)})),m.vars.smoothHeight&&d.smoothHeight(m.vars.animationSpeed)}},m.wrapup=function(e){S||x||(0===m.currentSlide&&m.animatingTo===m.last&&m.vars.animationLoop?m.setProps(e,"jumpEnd"):m.currentSlide===m.last&&0===m.animatingTo&&m.vars.animationLoop&&m.setProps(e,"jumpStart")),m.animating=!1,m.currentSlide=m.animatingTo,m.vars.after(m)},m.animateSlides=function(){!m.animating&&a&&m.flexAnimate(m.getTarget("next"))},m.pause=function(){clearInterval(m.animatedSlides),m.animatedSlides=null,m.playing=!1,m.vars.pausePlay&&d.pausePlay.update("play"),m.syncExists&&d.sync("pause")},m.play=function(){m.playing&&clearInterval(m.animatedSlides),m.animatedSlides=m.animatedSlides||setInterval(m.animateSlides,m.vars.slideshowSpeed),m.started=m.playing=!0,m.vars.pausePlay&&d.pausePlay.update("pause"),m.syncExists&&d.sync("play")},m.stop=function(){m.pause(),m.stopped=!0},m.canAdvance=function(e,t){var a=c?m.pagingCount-1:m.last;return!!t||(c&&m.currentItem===m.count-1&&0===e&&"prev"===m.direction||(!c||0!==m.currentItem||e!==m.pagingCount-1||"next"===m.direction)&&((e!==m.currentSlide||c)&&(!!m.vars.animationLoop||(!m.atEnd||0!==m.currentSlide||e!==a||"next"===m.direction)&&(!m.atEnd||m.currentSlide!==a||0!==e||"next"!==m.direction))))},m.getTarget=function(e){return"next"===(m.direction=e)?m.currentSlide===m.last?0:m.currentSlide+1:0===m.currentSlide?m.last:m.currentSlide-1},m.setProps=function(e,t,a){n=e||(m.itemW+m.vars.itemMargin)*m.move*m.animatingTo;var n,i=function(){if(x)return"setTouch"===t?e:h&&m.animatingTo===m.last?0:h?m.limit-(m.itemW+m.vars.itemMargin)*m.move*m.animatingTo:m.animatingTo===m.last?m.limit:n;switch(t){case"setTotal":return h?(m.count-1-m.currentSlide+m.cloneOffset)*e:(m.currentSlide+m.cloneOffset)*e;case"setTouch":return e;case"jumpEnd":return h?e:m.count*e;case"jumpStart":return h?m.count*e:e;default:return e}}()*(m.vars.rtl?1:-1)+"px";m.transitions&&(i=m.isFirefox?g?"translate3d(0,"+i+",0)":"translate3d("+parseInt(i)+"px,0,0)":g?"translate3d(0,"+i+",0)":"translate3d("+(m.vars.rtl?-1:1)*parseInt(i)+"px,0,0)",m.container.css("-"+m.pfx+"-transition-duration",a=void 0!==a?a/1e3+"s":"0s"),m.container.css("transition-duration",a)),m.args[m.prop]=i,!m.transitions&&void 0!==a||m.container.css(m.args),m.container.css("transform",i)},m.setup=function(e){var t,a;S?(m.vars.rtl?m.slides.css({width:"100%",float:"right",marginLeft:"-100%",position:"relative"}):m.slides.css({width:"100%",float:"left",marginRight:"-100%",position:"relative"}),"init"===e&&(o?m.slides.css({opacity:0,display:"block",webkitTransition:"opacity "+m.vars.animationSpeed/1e3+"s ease",zIndex:1}).eq(m.currentSlide).css({opacity:1,zIndex:2}):0==m.vars.fadeFirstSlide?m.slides.css({opacity:0,display:"block",zIndex:1}).eq(m.currentSlide).css({zIndex:2}).css({opacity:1}):m.slides.css({opacity:0,display:"block",zIndex:1}).eq(m.currentSlide).css({zIndex:2}).animate({opacity:1},m.vars.animationSpeed,m.vars.easing)),m.vars.smoothHeight&&d.smoothHeight()):("init"===e&&(m.viewport=u('<div class="'+s+'viewport"></div>').css({overflow:"hidden",position:"relative"}).appendTo(m).append(m.container),m.cloneCount=0,m.cloneOffset=0,h&&(a=u.makeArray(m.slides).reverse(),m.slides=u(a),m.container.empty().append(m.slides))),m.vars.animationLoop&&!x&&(m.cloneCount=2,m.cloneOffset=1,"init"!==e&&m.container.find(".clone").remove(),m.container.append(d.uniqueID(m.slides.first().clone().addClass("clone")).attr("aria-hidden","true")).prepend(d.uniqueID(m.slides.last().clone().addClass("clone")).attr("aria-hidden","true"))),m.newSlides=u(m.vars.selector,m),t=h?m.count-1-m.currentSlide+m.cloneOffset:m.currentSlide+m.cloneOffset,g&&!x?(m.container.height(200*(m.count+m.cloneCount)+"%").css("position","absolute").width("100%"),setTimeout(function(){m.newSlides.css({display:"block"}),m.doMath(),m.viewport.height(m.h),m.setProps(t*m.h,"init")},"init"===e?100:0)):(m.container.width(200*(m.count+m.cloneCount)+"%"),m.setProps(t*m.computedW,"init"),setTimeout(function(){m.doMath(),m.vars.rtl&&m.isFirefox?m.newSlides.css({width:m.computedW,marginRight:m.computedM,float:"right",display:"block"}):m.newSlides.css({width:m.computedW,marginRight:m.computedM,float:"left",display:"block"}),m.vars.smoothHeight&&d.smoothHeight()},"init"===e?100:0))),x||m.slides.removeClass(s+"active-slide").eq(m.currentSlide).addClass(s+"active-slide"),m.vars.init(m)},m.doMath=function(){var e=m.slides.first(),t=m.vars.itemMargin,a=m.vars.minItems,n=m.vars.maxItems;m.w=(void 0===m.viewport?m:m.viewport).width(),m.isFirefox&&(m.w=m.width()),m.h=e.height(),m.boxPadding=e.outerWidth()-e.width(),x?(m.itemT=m.vars.itemWidth+t,m.itemM=t,m.minW=a?a*m.itemT:m.w,m.maxW=n?n*m.itemT-t:m.w,m.itemW=m.minW>m.w?(m.w-t*(a-1))/a:m.maxW<m.w?(m.w-t*(n-1))/n:m.vars.itemWidth>m.w?m.w:m.vars.itemWidth,m.visible=Math.floor(m.w/m.itemW),m.move=0<m.vars.move&&m.vars.move<m.visible?m.vars.move:m.visible,m.pagingCount=Math.ceil((m.count-m.visible)/m.move+1),m.last=m.pagingCount-1,m.limit=1===m.pagingCount?0:m.vars.itemWidth>m.w?m.itemW*(m.count-1)+t*(m.count-1):(m.itemW+t)*m.count-m.w-t):(m.itemW=m.w,m.itemM=t,m.pagingCount=m.count,m.last=m.count-1),m.computedW=m.itemW-m.boxPadding,m.computedM=m.itemM},m.update=function(e,t){m.doMath(),x||(e<m.currentSlide?m.currentSlide+=1:e<=m.currentSlide&&0!==e&&--m.currentSlide,m.animatingTo=m.currentSlide),m.vars.controlNav&&!m.manualControls&&("add"===t&&!x||m.pagingCount>m.controlNav.length?d.controlNav.update("add"):("remove"===t&&!x||m.pagingCount<m.controlNav.length)&&(x&&m.currentSlide>m.last&&(--m.currentSlide,--m.animatingTo),d.controlNav.update("remove",m.last))),m.vars.directionNav&&d.directionNav.update()},m.addSlide=function(e,t){e=u(e);m.count+=1,m.last=m.count-1,g&&h?void 0!==t?m.slides.eq(m.count-t).after(e):m.container.prepend(e):void 0!==t?m.slides.eq(t).before(e):m.container.append(e),m.update(t,"add"),m.slides=u(m.vars.selector+":not(.clone)",m),m.setup(),m.vars.added(m)},m.removeSlide=function(e){var t=isNaN(e)?m.slides.index(u(e)):e;--m.count,m.last=m.count-1,(isNaN(e)?u(e,m.slides):g&&h?m.slides.eq(m.last):m.slides.eq(e)).remove(),m.doMath(),m.update(t,"remove"),m.slides=u(m.vars.selector+":not(.clone)",m),m.setup(),m.vars.removed(m)},d.init()},u(window).blur(function(e){a=!1}).focus(function(e){a=!0}),u.flexslider.defaults={namespace:"flex-",selector:".slides > li",animation:"fade",easing:"swing",direction:"horizontal",reverse:!1,animationLoop:!0,smoothHeight:!1,startAt:0,slideshow:!0,slideshowSpeed:7e3,animationSpeed:600,initDelay:0,randomize:!1,fadeFirstSlide:!0,thumbCaptions:!1,pauseOnAction:!0,pauseOnHover:!1,pauseInvisible:!0,useCSS:!0,touch:!0,video:!1,controlNav:!0,directionNav:!0,prevText:"Previous",nextText:"Next",keyboard:!0,multipleKeyboard:!1,mousewheel:!1,pausePlay:!1,pauseText:"Pause",playText:"Play",controlsContainer:"",manualControls:"",customDirectionNav:"",sync:"",asNavFor:"",itemWidth:0,itemMargin:0,minItems:1,maxItems:0,move:0,allowOneSlide:!0,isFirefox:!1,start:function(){},before:function(){},after:function(){},end:function(){},added:function(){},removed:function(){},init:function(){},rtl:!1},u.fn.flexslider=function(a){if("object"==typeof(a=void 0===a?{}:a))return this.each(function(){var e=u(this),t=a.selector||".slides > li",t=e.find(t);1===t.length&&!1===a.allowOneSlide||0===t.length?(t.fadeIn(400),a.start&&a.start(e)):void 0===e.data("flexslider")&&new u.flexslider(this,a)});var e=u(this).data("flexslider");switch(a){case"play":e.play();break;case"pause":e.pause();break;case"stop":e.stop();break;case"next":e.flexAnimate(e.getTarget("next"),!0);break;case"prev":case"previous":e.flexAnimate(e.getTarget("prev"),!0);break;default:"number"==typeof a&&e.flexAnimate(a,!0)}}}(jQuery);!function(h,i,s,a){function l(t,e){this.settings=null,this.options=h.extend({},l.Defaults,e),this.$element=h(t),this._handlers={},this._plugins={},this._supress={},this._current=null,this._speed=null,this._coordinates=[],this._breakpoint=null,this._width=null,this._items=[],this._clones=[],this._mergers=[],this._widths=[],this._invalidated={},this._pipe=[],this._drag={time:null,target:null,pointer:null,stage:{start:null,current:null},direction:null},this._states={current:{},tags:{initializing:["busy"],animating:["busy"],dragging:["interacting"]}},h.each(["onResize","onThrottledResize"],h.proxy(function(t,e){this._handlers[e]=h.proxy(this[e],this)},this)),h.each(l.Plugins,h.proxy(function(t,e){this._plugins[t.charAt(0).toLowerCase()+t.slice(1)]=new e(this)},this)),h.each(l.Workers,h.proxy(function(t,e){this._pipe.push({filter:e.filter,run:h.proxy(e.run,this)})},this)),this.setup(),this.initialize()}l.Defaults={items:3,loop:!1,center:!1,rewind:!1,checkVisibility:!0,mouseDrag:!0,touchDrag:!0,pullDrag:!0,freeDrag:!1,margin:0,stagePadding:0,merge:!1,mergeFit:!0,autoWidth:!1,startPosition:0,rtl:!1,smartSpeed:250,fluidSpeed:!1,dragEndSpeed:!1,responsive:{},responsiveRefreshRate:200,responsiveBaseElement:i,fallbackEasing:"swing",slideTransition:"",info:!1,nestedItemSelector:!1,itemElement:"div",stageElement:"div",refreshClass:"owl-refresh",loadedClass:"owl-loaded owl-carousel owl-theme",loadingClass:"owl-loading",rtlClass:"owl-rtl",responsiveClass:"owl-responsive",dragClass:"owl-drag",itemClass:"owl-item",stageClass:"owl-stage",stageOuterClass:"owl-stage-outer",grabClass:"owl-grab"},l.Width={Default:"default",Inner:"inner",Outer:"outer"},l.Type={Event:"event",State:"state"},l.Plugins={},l.Workers=[{filter:["width","settings"],run:function(){this._width=this.$element.width()}},{filter:["width","items","settings"],run:function(t){t.current=this._items&&this._items[this.relative(this._current)]}},{filter:["items","settings"],run:function(){this.$stage.children(".cloned").remove()}},{filter:["width","items","settings"],run:function(t){var e=this.settings.margin||"",i=!this.settings.autoWidth,s=this.settings.rtl,s={width:"auto","margin-left":s?e:"","margin-right":s?"":e};i||this.$stage.children().css(s),t.css=s}},{filter:["width","items","settings"],run:function(t){var e,i=(this.width()/this.settings.items).toFixed(3)-this.settings.margin,s=this._items.length,n=!this.settings.autoWidth,o=[];for(t.items={merge:!1,width:i};s--;)e=this._mergers[s],e=this.settings.mergeFit&&Math.min(e,this.settings.items)||e,t.items.merge=1<e||t.items.merge,o[s]=n?i*e:this._items[s].width();this._widths=o}},{filter:["items","settings"],run:function(){var t=[],e=this._items,i=this.settings,s=Math.max(2*i.items,4),n=2*Math.ceil(e.length/2),o=i.loop&&e.length?i.rewind?s:Math.max(s,n):0,r="",a="";for(o/=2;0<o;)t.push(this.normalize(t.length/2,!0)),r+=e[t[t.length-1]][0].outerHTML,t.push(this.normalize(e.length-1-(t.length-1)/2,!0)),a=e[t[t.length-1]][0].outerHTML+a,--o;this._clones=t,h(r).addClass("cloned").appendTo(this.$stage),h(a).addClass("cloned").prependTo(this.$stage)}},{filter:["width","items","settings"],run:function(){for(var t,e,i=this.settings.rtl?1:-1,s=this._clones.length+this._items.length,n=-1,o=[];++n<s;)t=o[n-1]||0,e=this._widths[this.relative(n)]+this.settings.margin,o.push(t+e*i);this._coordinates=o}},{filter:["width","items","settings"],run:function(){var t=this.settings.stagePadding,e=this._coordinates,e={width:Math.ceil(Math.abs(e[e.length-1]))+2*t,"padding-left":t||"","padding-right":t||""};this.$stage.css(e)}},{filter:["width","items","settings"],run:function(t){var e=this._coordinates.length,i=!this.settings.autoWidth,s=this.$stage.children();if(i&&t.items.merge)for(;e--;)t.css.width=this._widths[this.relative(e)],s.eq(e).css(t.css);else i&&(t.css.width=t.items.width,s.css(t.css))}},{filter:["items"],run:function(){this._coordinates.length<1&&this.$stage.removeAttr("style")}},{filter:["width","items","settings"],run:function(t){t.current=t.current?this.$stage.children().index(t.current):0,t.current=Math.max(this.minimum(),Math.min(this.maximum(),t.current)),this.reset(t.current)}},{filter:["position"],run:function(){this.animate(this.coordinates(this._current))}},{filter:["width","position","items","settings"],run:function(){for(var t,e,i=this.settings.rtl?1:-1,s=2*this.settings.stagePadding,n=this.coordinates(this.current())+s,o=n+this.width()*i,r=[],a=0,h=this._coordinates.length;a<h;a++)t=this._coordinates[a-1]||0,e=Math.abs(this._coordinates[a])+s*i,(this.op(t,"<=",n)&&this.op(t,">",o)||this.op(e,"<",n)&&this.op(e,">",o))&&r.push(a);this.$stage.children(".active").removeClass("active"),this.$stage.children(":eq("+r.join("), :eq(")+")").addClass("active"),this.$stage.children(".center").removeClass("center"),this.settings.center&&this.$stage.children().eq(this.current()).addClass("center")}}],l.prototype.initializeStage=function(){this.$stage=this.$element.find("."+this.settings.stageClass),this.$stage.length||(this.$element.addClass(this.options.loadingClass),this.$stage=h("<"+this.settings.stageElement+">",{class:this.settings.stageClass}).wrap(h("<div/>",{class:this.settings.stageOuterClass})),this.$element.append(this.$stage.parent()))},l.prototype.initializeItems=function(){var t=this.$element.find(".owl-item");t.length?(this._items=t.get().map(function(t){return h(t)}),this._mergers=this._items.map(function(){return 1}),this.refresh()):(this.replace(this.$element.children().not(this.$stage.parent())),this.isVisible()?this.refresh():this.invalidate("width"),this.$element.removeClass(this.options.loadingClass).addClass(this.options.loadedClass))},l.prototype.initialize=function(){var t,e;this.enter("initializing"),this.trigger("initialize"),this.$element.toggleClass(this.settings.rtlClass,this.settings.rtl),this.settings.autoWidth&&!this.is("pre-loading")&&(t=this.$element.find("img"),e=this.settings.nestedItemSelector?"."+this.settings.nestedItemSelector:a,e=this.$element.children(e).width(),t.length&&e<=0&&this.preloadAutoWidthImages(t)),this.initializeStage(),this.initializeItems(),this.registerEventHandlers(),this.leave("initializing"),this.trigger("initialized")},l.prototype.isVisible=function(){return!this.settings.checkVisibility||this.$element.is(":visible")},l.prototype.setup=function(){var e=this.viewport(),t=this.options.responsive,i=-1,s=null;t?(h.each(t,function(t){t<=e&&i<t&&(i=Number(t))}),"function"==typeof(s=h.extend({},this.options,t[i])).stagePadding&&(s.stagePadding=s.stagePadding()),delete s.responsive,s.responsiveClass&&this.$element.attr("class",this.$element.attr("class").replace(new RegExp("("+this.options.responsiveClass+"-)\\S+\\s","g"),"$1"+i))):s=h.extend({},this.options),this.trigger("change",{property:{name:"settings",value:s}}),this._breakpoint=i,this.settings=s,this.invalidate("settings"),this.trigger("changed",{property:{name:"settings",value:this.settings}})},l.prototype.optionsLogic=function(){this.settings.autoWidth&&(this.settings.stagePadding=!1,this.settings.merge=!1)},l.prototype.prepare=function(t){var e=this.trigger("prepare",{content:t});return e.data||(e.data=h("<"+this.settings.itemElement+"/>").addClass(this.options.itemClass).append(t)),this.trigger("prepared",{content:e.data}),e.data},l.prototype.update=function(){for(var t=0,e=this._pipe.length,i=h.proxy(function(t){return this[t]},this._invalidated),s={};t<e;)(this._invalidated.all||0<h.grep(this._pipe[t].filter,i).length)&&this._pipe[t].run(s),t++;this._invalidated={},this.is("valid")||this.enter("valid")},l.prototype.width=function(t){switch(t=t||l.Width.Default){case l.Width.Inner:case l.Width.Outer:return this._width;default:return this._width-2*this.settings.stagePadding+this.settings.margin}},l.prototype.refresh=function(){this.enter("refreshing"),this.trigger("refresh"),this.setup(),this.optionsLogic(),this.$element.addClass(this.options.refreshClass),this.update(),this.$element.removeClass(this.options.refreshClass),this.leave("refreshing"),this.trigger("refreshed")},l.prototype.onThrottledResize=function(){i.clearTimeout(this.resizeTimer),this.resizeTimer=i.setTimeout(this._handlers.onResize,this.settings.responsiveRefreshRate)},l.prototype.onResize=function(){return!!this._items.length&&(this._width!==this.$element.width()&&(!!this.isVisible()&&(this.enter("resizing"),this.trigger("resize").isDefaultPrevented()?(this.leave("resizing"),!1):(this.invalidate("width"),this.refresh(),this.leave("resizing"),void this.trigger("resized")))))},l.prototype.registerEventHandlers=function(){h.support.transition&&this.$stage.on(h.support.transition.end+".owl.core",h.proxy(this.onTransitionEnd,this)),!1!==this.settings.responsive&&this.on(i,"resize",this._handlers.onThrottledResize),this.settings.mouseDrag&&(this.$element.addClass(this.options.dragClass),this.$stage.on("mousedown.owl.core",h.proxy(this.onDragStart,this)),this.$stage.on("dragstart.owl.core selectstart.owl.core",function(){return!1})),this.settings.touchDrag&&(this.$stage.on("touchstart.owl.core",h.proxy(this.onDragStart,this)),this.$stage.on("touchcancel.owl.core",h.proxy(this.onDragEnd,this)))},l.prototype.onDragStart=function(t){var e=null;3!==t.which&&(e=h.support.transform?{x:(e=this.$stage.css("transform").replace(/.*\(|\)| /g,"").split(","))[16===e.length?12:4],y:e[16===e.length?13:5]}:(e=this.$stage.position(),{x:this.settings.rtl?e.left+this.$stage.width()-this.width()+this.settings.margin:e.left,y:e.top}),this.is("animating")&&(h.support.transform?this.animate(e.x):this.$stage.stop(),this.invalidate("position")),this.$element.toggleClass(this.options.grabClass,"mousedown"===t.type),this.speed(0),this._drag.time=(new Date).getTime(),this._drag.target=h(t.target),this._drag.stage.start=e,this._drag.stage.current=e,this._drag.pointer=this.pointer(t),h(s).on("mouseup.owl.core touchend.owl.core",h.proxy(this.onDragEnd,this)),h(s).one("mousemove.owl.core touchmove.owl.core",h.proxy(function(t){var e=this.difference(this._drag.pointer,this.pointer(t));h(s).on("mousemove.owl.core touchmove.owl.core",h.proxy(this.onDragMove,this)),Math.abs(e.x)<Math.abs(e.y)&&this.is("valid")||(t.preventDefault(),this.enter("dragging"),this.trigger("drag"))},this)))},l.prototype.onDragMove=function(t){var e=null,i=null,s=this.difference(this._drag.pointer,this.pointer(t)),n=this.difference(this._drag.stage.start,s);this.is("dragging")&&(t.preventDefault(),this.settings.loop?(e=this.coordinates(this.minimum()),i=this.coordinates(this.maximum()+1)-e,n.x=((n.x-e)%i+i)%i+e):(e=this.settings.rtl?this.coordinates(this.maximum()):this.coordinates(this.minimum()),i=this.settings.rtl?this.coordinates(this.minimum()):this.coordinates(this.maximum()),t=this.settings.pullDrag?-1*s.x/5:0,n.x=Math.max(Math.min(n.x,e+t),i+t)),this._drag.stage.current=n,this.animate(n.x))},l.prototype.onDragEnd=function(t){var t=this.difference(this._drag.pointer,this.pointer(t)),e=this._drag.stage.current,i=0<t.x^this.settings.rtl?"left":"right";h(s).off(".owl.core"),this.$element.removeClass(this.options.grabClass),(0!==t.x&&this.is("dragging")||!this.is("valid"))&&(this.speed(this.settings.dragEndSpeed||this.settings.smartSpeed),this.current(this.closest(e.x,0!==t.x?i:this._drag.direction)),this.invalidate("position"),this.update(),this._drag.direction=i,(3<Math.abs(t.x)||300<(new Date).getTime()-this._drag.time)&&this._drag.target.one("click.owl.core",function(){return!1})),this.is("dragging")&&(this.leave("dragging"),this.trigger("dragged"))},l.prototype.closest=function(i,s){var n=-1,o=this.width(),r=this.coordinates();return this.settings.freeDrag||h.each(r,h.proxy(function(t,e){return"left"===s&&e-30<i&&i<e+30?n=t:"right"===s&&e-o-30<i&&i<e-o+30?n=t+1:this.op(i,"<",e)&&this.op(i,">",r[t+1]!==a?r[t+1]:e-o)&&(n="left"===s?t+1:t),-1===n},this)),this.settings.loop||(this.op(i,">",r[this.minimum()])?n=i=this.minimum():this.op(i,"<",r[this.maximum()])&&(n=i=this.maximum())),n},l.prototype.animate=function(t){var e=0<this.speed();this.is("animating")&&this.onTransitionEnd(),e&&(this.enter("animating"),this.trigger("translate")),h.support.transform3d&&h.support.transition?this.$stage.css({transform:"translate3d("+t+"px,0px,0px)",transition:this.speed()/1e3+"s"+(this.settings.slideTransition?" "+this.settings.slideTransition:"")}):e?this.$stage.animate({left:t+"px"},this.speed(),this.settings.fallbackEasing,h.proxy(this.onTransitionEnd,this)):this.$stage.css({left:t+"px"})},l.prototype.is=function(t){return this._states.current[t]&&0<this._states.current[t]},l.prototype.current=function(t){if(t!==a){if(0===this._items.length)return a;var e;t=this.normalize(t),this._current!==t&&((e=this.trigger("change",{property:{name:"position",value:t}})).data!==a&&(t=this.normalize(e.data)),this._current=t,this.invalidate("position"),this.trigger("changed",{property:{name:"position",value:this._current}}))}return this._current},l.prototype.invalidate=function(t){return"string"===h.type(t)&&(this._invalidated[t]=!0,this.is("valid")&&this.leave("valid")),h.map(this._invalidated,function(t,e){return e})},l.prototype.reset=function(t){(t=this.normalize(t))!==a&&(this._speed=0,this._current=t,this.suppress(["translate","translated"]),this.animate(this.coordinates(t)),this.release(["translate","translated"]))},l.prototype.normalize=function(t,e){var i=this._items.length,e=e?0:this._clones.length;return!this.isNumeric(t)||i<1?t=a:(t<0||i+e<=t)&&(t=((t-e/2)%i+i)%i+e/2),t},l.prototype.relative=function(t){return t-=this._clones.length/2,this.normalize(t,!0)},l.prototype.maximum=function(t){var e,i,s,n=this.settings,o=this._coordinates.length;if(n.loop)o=this._clones.length/2+this._items.length-1;else if(n.autoWidth||n.merge){if(e=this._items.length)for(i=this._items[--e].width(),s=this.$element.width();e--&&!(s<(i+=this._items[e].width()+this.settings.margin)););o=e+1}else o=n.center?this._items.length-1:this._items.length-n.items;return t&&(o-=this._clones.length/2),Math.max(o,0)},l.prototype.minimum=function(t){return t?0:this._clones.length/2},l.prototype.items=function(t){return t===a?this._items.slice():(t=this.normalize(t,!0),this._items[t])},l.prototype.mergers=function(t){return t===a?this._mergers.slice():(t=this.normalize(t,!0),this._mergers[t])},l.prototype.clones=function(i){function s(t){return t%2==0?n+t/2:e-(t+1)/2}var e=this._clones.length/2,n=e+this._items.length;return i===a?h.map(this._clones,function(t,e){return s(e)}):h.map(this._clones,function(t,e){return t===i?s(e):null})},l.prototype.speed=function(t){return t!==a&&(this._speed=t),this._speed},l.prototype.coordinates=function(t){var e,i=1,s=t-1;return t===a?h.map(this._coordinates,h.proxy(function(t,e){return this.coordinates(e)},this)):(this.settings.center?(this.settings.rtl&&(i=-1,s=t+1),e=this._coordinates[t],e+=(this.width()-e+(this._coordinates[s]||0))/2*i):e=this._coordinates[s]||0,Math.ceil(e))},l.prototype.duration=function(t,e,i){return 0===i?0:Math.min(Math.max(Math.abs(e-t),1),6)*Math.abs(i||this.settings.smartSpeed)},l.prototype.to=function(t,e){var i=this.current(),s=t-this.relative(i),n=(0<s)-(s<0),o=this._items.length,r=this.minimum(),a=this.maximum();this.settings.loop?(!this.settings.rewind&&Math.abs(s)>o/2&&(s+=-1*n*o),(n=(((t=i+s)-r)%o+o)%o+r)!==t&&n-s<=a&&0<n-s&&this.reset(i=(t=n)-s)):t=this.settings.rewind?(t%(a+=1)+a)%a:Math.max(r,Math.min(a,t)),this.speed(this.duration(i,t,e)),this.current(t),this.isVisible()&&this.update()},l.prototype.next=function(t){t=t||!1,this.to(this.relative(this.current())+1,t)},l.prototype.prev=function(t){t=t||!1,this.to(this.relative(this.current())-1,t)},l.prototype.onTransitionEnd=function(t){if(t!==a&&(t.stopPropagation(),(t.target||t.srcElement||t.originalTarget)!==this.$stage.get(0)))return!1;this.leave("animating"),this.trigger("translated")},l.prototype.viewport=function(){var t;return this.options.responsiveBaseElement!==i?t=h(this.options.responsiveBaseElement).width():i.innerWidth?t=i.innerWidth:s.documentElement&&s.documentElement.clientWidth?t=s.documentElement.clientWidth:console.warn("Can not detect viewport width."),t},l.prototype.replace=function(t){this.$stage.empty(),this._items=[],t=t&&(t instanceof jQuery?t:h(t)),(t=this.settings.nestedItemSelector?t.find("."+this.settings.nestedItemSelector):t).filter(function(){return 1===this.nodeType}).each(h.proxy(function(t,e){e=this.prepare(e),this.$stage.append(e),this._items.push(e),this._mergers.push(+e.find("[data-merge]").addBack("[data-merge]").attr("data-merge")||1)},this)),this.reset(this.isNumeric(this.settings.startPosition)?this.settings.startPosition:0),this.invalidate("items")},l.prototype.add=function(t,e){var i=this.relative(this._current);e=e===a?this._items.length:this.normalize(e,!0),t=t instanceof jQuery?t:h(t),this.trigger("add",{content:t,position:e}),t=this.prepare(t),0===this._items.length||e===this._items.length?(0===this._items.length&&this.$stage.append(t),0!==this._items.length&&this._items[e-1].after(t),this._items.push(t),this._mergers.push(+t.find("[data-merge]").addBack("[data-merge]").attr("data-merge")||1)):(this._items[e].before(t),this._items.splice(e,0,t),this._mergers.splice(e,0,+t.find("[data-merge]").addBack("[data-merge]").attr("data-merge")||1)),this._items[i]&&this.reset(this._items[i].index()),this.invalidate("items"),this.trigger("added",{content:t,position:e})},l.prototype.remove=function(t){(t=this.normalize(t,!0))!==a&&(this.trigger("remove",{content:this._items[t],position:t}),this._items[t].remove(),this._items.splice(t,1),this._mergers.splice(t,1),this.invalidate("items"),this.trigger("removed",{content:null,position:t}))},l.prototype.preloadAutoWidthImages=function(t){t.each(h.proxy(function(t,e){this.enter("pre-loading"),e=h(e),h(new Image).one("load",h.proxy(function(t){e.attr("src",t.target.src),e.css("opacity",1),this.leave("pre-loading"),this.is("pre-loading")||this.is("initializing")||this.refresh()},this)).attr("src",e.attr("src")||e.attr("data-src")||e.attr("data-src-retina"))},this))},l.prototype.destroy=function(){for(var t in this.$element.off(".owl.core"),this.$stage.off(".owl.core"),h(s).off(".owl.core"),!1!==this.settings.responsive&&(i.clearTimeout(this.resizeTimer),this.off(i,"resize",this._handlers.onThrottledResize)),this._plugins)this._plugins[t].destroy();this.$stage.children(".cloned").remove(),this.$stage.unwrap(),this.$stage.children().contents().unwrap(),this.$stage.children().unwrap(),this.$stage.remove(),this.$element.removeClass(this.options.refreshClass).removeClass(this.options.loadingClass).removeClass(this.options.loadedClass).removeClass(this.options.rtlClass).removeClass(this.options.dragClass).removeClass(this.options.grabClass).attr("class",this.$element.attr("class").replace(new RegExp(this.options.responsiveClass+"-\\S+\\s","g"),"")).removeData("owl.carousel")},l.prototype.op=function(t,e,i){var s=this.settings.rtl;switch(e){case"<":return s?i<t:t<i;case">":return s?t<i:i<t;case">=":return s?t<=i:i<=t;case"<=":return s?i<=t:t<=i}},l.prototype.on=function(t,e,i,s){t.addEventListener?t.addEventListener(e,i,s):t.attachEvent&&t.attachEvent("on"+e,i)},l.prototype.off=function(t,e,i,s){t.removeEventListener?t.removeEventListener(e,i,s):t.detachEvent&&t.detachEvent("on"+e,i)},l.prototype.trigger=function(t,e,i,s,n){var o={item:{count:this._items.length,index:this.current()}},r=h.camelCase(h.grep(["on",t,i],function(t){return t}).join("-").toLowerCase()),a=h.Event([t,"owl",i||"carousel"].join(".").toLowerCase(),h.extend({relatedTarget:this},o,e));return this._supress[t]||(h.each(this._plugins,function(t,e){e.onTrigger&&e.onTrigger(a)}),this.register({type:l.Type.Event,name:t}),this.$element.trigger(a),this.settings&&"function"==typeof this.settings[r]&&this.settings[r].call(this,a)),a},l.prototype.enter=function(t){h.each([t].concat(this._states.tags[t]||[]),h.proxy(function(t,e){this._states.current[e]===a&&(this._states.current[e]=0),this._states.current[e]++},this))},l.prototype.leave=function(t){h.each([t].concat(this._states.tags[t]||[]),h.proxy(function(t,e){this._states.current[e]--},this))},l.prototype.register=function(i){var e;i.type===l.Type.Event?(h.event.special[i.name]||(h.event.special[i.name]={}),h.event.special[i.name].owl||(e=h.event.special[i.name]._default,h.event.special[i.name]._default=function(t){return!e||!e.apply||t.namespace&&-1!==t.namespace.indexOf("owl")?t.namespace&&-1<t.namespace.indexOf("owl"):e.apply(this,arguments)},h.event.special[i.name].owl=!0)):i.type===l.Type.State&&(this._states.tags[i.name]?this._states.tags[i.name]=this._states.tags[i.name].concat(i.tags):this._states.tags[i.name]=i.tags,this._states.tags[i.name]=h.grep(this._states.tags[i.name],h.proxy(function(t,e){return h.inArray(t,this._states.tags[i.name])===e},this)))},l.prototype.suppress=function(t){h.each(t,h.proxy(function(t,e){this._supress[e]=!0},this))},l.prototype.release=function(t){h.each(t,h.proxy(function(t,e){delete this._supress[e]},this))},l.prototype.pointer=function(t){var e={x:null,y:null};return(t=(t=t.originalEvent||t||i.event).touches&&t.touches.length?t.touches[0]:t.changedTouches&&t.changedTouches.length?t.changedTouches[0]:t).pageX?(e.x=t.pageX,e.y=t.pageY):(e.x=t.clientX,e.y=t.clientY),e},l.prototype.isNumeric=function(t){return!isNaN(parseFloat(t))},l.prototype.difference=function(t,e){return{x:t.x-e.x,y:t.y-e.y}},h.fn.owlCarousel=function(e){var s=Array.prototype.slice.call(arguments,1);return this.each(function(){var t=h(this),i=t.data("owl.carousel");i||(i=new l(this,"object"==typeof e&&e),t.data("owl.carousel",i),h.each(["next","prev","to","destroy","refresh","replace","add","remove"],function(t,e){i.register({type:l.Type.Event,name:e}),i.$element.on(e+".owl.carousel.core",h.proxy(function(t){t.namespace&&t.relatedTarget!==this&&(this.suppress([e]),i[e].apply(this,[].slice.call(arguments,1)),this.release([e]))},i))})),"string"==typeof e&&"_"!==e.charAt(0)&&i[e].apply(i,s)})},h.fn.owlCarousel.Constructor=l}(window.Zepto||window.jQuery,window,document),function(e,i){function s(t){this._core=t,this._interval=null,this._visible=null,this._handlers={"initialized.owl.carousel":e.proxy(function(t){t.namespace&&this._core.settings.autoRefresh&&this.watch()},this)},this._core.options=e.extend({},s.Defaults,this._core.options),this._core.$element.on(this._handlers)}s.Defaults={autoRefresh:!0,autoRefreshInterval:500},s.prototype.watch=function(){this._interval||(this._visible=this._core.isVisible(),this._interval=i.setInterval(e.proxy(this.refresh,this),this._core.settings.autoRefreshInterval))},s.prototype.refresh=function(){this._core.isVisible()!==this._visible&&(this._visible=!this._visible,this._core.$element.toggleClass("owl-hidden",!this._visible),this._visible&&this._core.invalidate("width")&&this._core.refresh())},s.prototype.destroy=function(){var t,e;for(t in i.clearInterval(this._interval),this._handlers)this._core.$element.off(t,this._handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},e.fn.owlCarousel.Constructor.Plugins.AutoRefresh=s}(window.Zepto||window.jQuery,window,document),function(a,n){function e(t){this._core=t,this._loaded=[],this._handlers={"initialized.owl.carousel change.owl.carousel resized.owl.carousel":a.proxy(function(t){if(t.namespace&&this._core.settings&&this._core.settings.lazyLoad&&(t.property&&"position"==t.property.name||"initialized"==t.type)){var e=this._core.settings,i=e.center&&Math.ceil(e.items/2)||e.items,s=e.center&&-1*i||0,n=(t.property&&void 0!==t.property.value?t.property.value:this._core.current())+s,o=this._core.clones().length,r=a.proxy(function(t,e){this.load(e)},this);for(0<e.lazyLoadEager&&(i+=e.lazyLoadEager,e.loop&&(n-=e.lazyLoadEager,i++));s++<i;)this.load(o/2+this._core.relative(n)),o&&a.each(this._core.clones(this._core.relative(n)),r),n++}},this)},this._core.options=a.extend({},e.Defaults,this._core.options),this._core.$element.on(this._handlers)}e.Defaults={lazyLoad:!1,lazyLoadEager:0},e.prototype.load=function(t){var t=this._core.$stage.children().eq(t),e=t&&t.find(".owl-lazy");!e||-1<a.inArray(t.get(0),this._loaded)||(e.each(a.proxy(function(t,e){var i=a(e),s=1<n.devicePixelRatio&&i.attr("data-src-retina")||i.attr("data-src")||i.attr("data-srcset");this._core.trigger("load",{element:i,url:s},"lazy"),i.is("img")?i.one("load.owl.lazy",a.proxy(function(){i.css("opacity",1),this._core.trigger("loaded",{element:i,url:s},"lazy")},this)).attr("src",s):i.is("source")?i.one("load.owl.lazy",a.proxy(function(){this._core.trigger("loaded",{element:i,url:s},"lazy")},this)).attr("srcset",s):((e=new Image).onload=a.proxy(function(){i.css({"background-image":'url("'+s+'")',opacity:"1"}),this._core.trigger("loaded",{element:i,url:s},"lazy")},this),e.src=s)},this)),this._loaded.push(t.get(0)))},e.prototype.destroy=function(){var t,e;for(t in this.handlers)this._core.$element.off(t,this.handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},a.fn.owlCarousel.Constructor.Plugins.Lazy=e}(window.Zepto||window.jQuery,window,document),function(n,i){function s(t){this._core=t,this._previousHeight=null,this._handlers={"initialized.owl.carousel refreshed.owl.carousel":n.proxy(function(t){t.namespace&&this._core.settings.autoHeight&&this.update()},this),"changed.owl.carousel":n.proxy(function(t){t.namespace&&this._core.settings.autoHeight&&"position"===t.property.name&&this.update()},this),"loaded.owl.lazy":n.proxy(function(t){t.namespace&&this._core.settings.autoHeight&&t.element.closest("."+this._core.settings.itemClass).index()===this._core.current()&&this.update()},this)},this._core.options=n.extend({},s.Defaults,this._core.options),this._core.$element.on(this._handlers),this._intervalId=null;var e=this;n(i).on("load",function(){e._core.settings.autoHeight&&e.update()}),n(i).resize(function(){e._core.settings.autoHeight&&(null!=e._intervalId&&clearTimeout(e._intervalId),e._intervalId=setTimeout(function(){e.update()},250))})}s.Defaults={autoHeight:!1,autoHeightClass:"owl-height"},s.prototype.update=function(){var t=this._core._current,e=t+this._core.settings.items,i=this._core.settings.lazyLoad,t=this._core.$stage.children().toArray().slice(t,e),s=[],e=0;n.each(t,function(t,e){s.push(n(e).height())}),(e=Math.max.apply(null,s))<=1&&i&&this._previousHeight&&(e=this._previousHeight),this._previousHeight=e,this._core.$stage.parent().height(e).addClass(this._core.settings.autoHeightClass)},s.prototype.destroy=function(){var t,e;for(t in this._handlers)this._core.$element.off(t,this._handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},n.fn.owlCarousel.Constructor.Plugins.AutoHeight=s}(window.Zepto||window.jQuery,window,document),function(c,e){function i(t){this._core=t,this._videos={},this._playing=null,this._handlers={"initialized.owl.carousel":c.proxy(function(t){t.namespace&&this._core.register({type:"state",name:"playing",tags:["interacting"]})},this),"resize.owl.carousel":c.proxy(function(t){t.namespace&&this._core.settings.video&&this.isInFullScreen()&&t.preventDefault()},this),"refreshed.owl.carousel":c.proxy(function(t){t.namespace&&this._core.is("resizing")&&this._core.$stage.find(".cloned .owl-video-frame").remove()},this),"changed.owl.carousel":c.proxy(function(t){t.namespace&&"position"===t.property.name&&this._playing&&this.stop()},this),"prepared.owl.carousel":c.proxy(function(t){var e;!t.namespace||(e=c(t.content).find(".owl-video")).length&&(e.css("display","none"),this.fetch(e,c(t.content)))},this)},this._core.options=c.extend({},i.Defaults,this._core.options),this._core.$element.on(this._handlers),this._core.$element.on("click.owl.video",".owl-video-play-icon",c.proxy(function(t){this.play(t)},this))}i.Defaults={video:!1,videoHeight:!1,videoWidth:!1},i.prototype.fetch=function(t,e){var i=t.attr("data-vimeo-id")?"vimeo":t.attr("data-vzaar-id")?"vzaar":"youtube",s=t.attr("data-vimeo-id")||t.attr("data-youtube-id")||t.attr("data-vzaar-id"),n=t.attr("data-width")||this._core.settings.videoWidth,o=t.attr("data-height")||this._core.settings.videoHeight,r=t.attr("href");if(!r)throw new Error("Missing video URL.");if(-1<(s=r.match(/(http:|https:|)\/\/(player.|www.|app.)?(vimeo\.com|youtu(be\.com|\.be|be\.googleapis\.com|be\-nocookie\.com)|vzaar\.com)\/(video\/|videos\/|embed\/|channels\/.+\/|groups\/.+\/|watch\?v=|v\/)?([A-Za-z0-9._%-]*)(\&\S+)?/))[3].indexOf("youtu"))i="youtube";else if(-1<s[3].indexOf("vimeo"))i="vimeo";else{if(!(-1<s[3].indexOf("vzaar")))throw new Error("Video URL not supported.");i="vzaar"}s=s[6],this._videos[r]={type:i,id:s,width:n,height:o},e.attr("data-video",r),this.thumbnail(t,this._videos[r])},i.prototype.thumbnail=function(e,t){function i(t){s=l.lazyLoad?c("<div/>",{class:"owl-video-tn "+h,srcType:t}):c("<div/>",{class:"owl-video-tn",style:"opacity:1;background-image:url("+t+")"}),e.after(s),e.after('<div class="owl-video-play-icon"></div>')}var s,n,o=t.width&&t.height?"width:"+t.width+"px;height:"+t.height+"px;":"",r=e.find("img"),a="src",h="",l=this._core.settings;if(e.wrap(c("<div/>",{class:"owl-video-wrapper",style:o})),this._core.settings.lazyLoad&&(a="data-src",h="owl-lazy"),r.length)return i(r.attr(a)),r.remove(),!1;"youtube"===t.type?(n="//img.youtube.com/vi/"+t.id+"/hqdefault.jpg",i(n)):"vimeo"===t.type?c.ajax({type:"GET",url:"//vimeo.com/api/v2/video/"+t.id+".json",jsonp:"callback",dataType:"jsonp",success:function(t){n=t[0].thumbnail_large,i(n)}}):"vzaar"===t.type&&c.ajax({type:"GET",url:"//vzaar.com/api/videos/"+t.id+".json",jsonp:"callback",dataType:"jsonp",success:function(t){n=t.framegrab_url,i(n)}})},i.prototype.stop=function(){this._core.trigger("stop",null,"video"),this._playing.find(".owl-video-frame").remove(),this._playing.removeClass("owl-video-playing"),this._playing=null,this._core.leave("playing"),this._core.trigger("stopped",null,"video")},i.prototype.play=function(t){var e,t=c(t.target).closest("."+this._core.settings.itemClass),i=this._videos[t.attr("data-video")],s=i.width||"100%",n=i.height||this._core.$stage.height();this._playing||(this._core.enter("playing"),this._core.trigger("play",null,"video"),t=this._core.items(this._core.relative(t.index())),this._core.reset(t.index()),(e=c('<iframe frameborder="0" allowfullscreen mozallowfullscreen webkitAllowFullScreen ></iframe>')).attr("height",n),e.attr("width",s),"youtube"===i.type?e.attr("src","//www.youtube.com/embed/"+i.id+"?autoplay=1&rel=0&v="+i.id):"vimeo"===i.type?e.attr("src","//player.vimeo.com/video/"+i.id+"?autoplay=1"):"vzaar"===i.type&&e.attr("src","//view.vzaar.com/"+i.id+"/player?autoplay=true"),c(e).wrap('<div class="owl-video-frame" />').insertAfter(t.find(".owl-video")),this._playing=t.addClass("owl-video-playing"))},i.prototype.isInFullScreen=function(){var t=e.fullscreenElement||e.mozFullScreenElement||e.webkitFullscreenElement;return t&&c(t).parent().hasClass("owl-video-frame")},i.prototype.destroy=function(){var t,e;for(t in this._core.$element.off("click.owl.video"),this._handlers)this._core.$element.off(t,this._handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},c.fn.owlCarousel.Constructor.Plugins.Video=i}(window.Zepto||window.jQuery,(window,document)),function(r){function e(t){this.core=t,this.core.options=r.extend({},e.Defaults,this.core.options),this.swapping=!0,this.previous=void 0,this.next=void 0,this.handlers={"change.owl.carousel":r.proxy(function(t){t.namespace&&"position"==t.property.name&&(this.previous=this.core.current(),this.next=t.property.value)},this),"drag.owl.carousel dragged.owl.carousel translated.owl.carousel":r.proxy(function(t){t.namespace&&(this.swapping="translated"==t.type)},this),"translate.owl.carousel":r.proxy(function(t){t.namespace&&this.swapping&&(this.core.options.animateOut||this.core.options.animateIn)&&this.swap()},this)},this.core.$element.on(this.handlers)}e.Defaults={animateOut:!1,animateIn:!1},e.prototype.swap=function(){var t,e,i,s,n,o;1===this.core.settings.items&&r.support.animation&&r.support.transition&&(this.core.speed(0),e=r.proxy(this.clear,this),i=this.core.$stage.children().eq(this.previous),s=this.core.$stage.children().eq(this.next),n=this.core.settings.animateIn,o=this.core.settings.animateOut,this.core.current()!==this.previous&&(o&&(t=this.core.coordinates(this.previous)-this.core.coordinates(this.next),i.one(r.support.animation.end,e).css({left:t+"px"}).addClass("animated owl-animated-out").addClass(o)),n&&s.one(r.support.animation.end,e).addClass("animated owl-animated-in").addClass(n)))},e.prototype.clear=function(t){r(t.target).css({left:""}).removeClass("animated owl-animated-out owl-animated-in").removeClass(this.core.settings.animateIn).removeClass(this.core.settings.animateOut),this.core.onTransitionEnd()},e.prototype.destroy=function(){var t,e;for(t in this.handlers)this.core.$element.off(t,this.handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},r.fn.owlCarousel.Constructor.Plugins.Animate=e}(window.Zepto||window.jQuery,(window,document)),function(s,n,e){function i(t){this._core=t,this._call=null,this._time=0,this._timeout=0,this._paused=!0,this._handlers={"changed.owl.carousel":s.proxy(function(t){t.namespace&&"settings"===t.property.name?this._core.settings.autoplay?this.play():this.stop():t.namespace&&"position"===t.property.name&&this._paused&&(this._time=0)},this),"initialized.owl.carousel":s.proxy(function(t){t.namespace&&this._core.settings.autoplay&&this.play()},this),"play.owl.autoplay":s.proxy(function(t,e,i){t.namespace&&this.play(e,i)},this),"stop.owl.autoplay":s.proxy(function(t){t.namespace&&this.stop()},this),"mouseover.owl.autoplay":s.proxy(function(){this._core.settings.autoplayHoverPause&&this._core.is("rotating")&&this.pause()},this),"mouseleave.owl.autoplay":s.proxy(function(){this._core.settings.autoplayHoverPause&&this._core.is("rotating")&&this.play()},this),"touchstart.owl.core":s.proxy(function(){this._core.settings.autoplayHoverPause&&this._core.is("rotating")&&this.pause()},this),"touchend.owl.core":s.proxy(function(){this._core.settings.autoplayHoverPause&&this.play()},this)},this._core.$element.on(this._handlers),this._core.options=s.extend({},i.Defaults,this._core.options)}i.Defaults={autoplay:!1,autoplayTimeout:5e3,autoplayHoverPause:!1,autoplaySpeed:!1},i.prototype._next=function(t){this._call=n.setTimeout(s.proxy(this._next,this,t),this._timeout*(Math.round(this.read()/this._timeout)+1)-this.read()),this._core.is("interacting")||e.hidden||this._core.next(t||this._core.settings.autoplaySpeed)},i.prototype.read=function(){return(new Date).getTime()-this._time},i.prototype.play=function(t,e){var i;this._core.is("rotating")||this._core.enter("rotating"),t=t||this._core.settings.autoplayTimeout,i=Math.min(this._time%(this._timeout||t),t),this._paused?(this._time=this.read(),this._paused=!1):n.clearTimeout(this._call),this._time+=this.read()%t-i,this._timeout=t,this._call=n.setTimeout(s.proxy(this._next,this,e),t-i)},i.prototype.stop=function(){this._core.is("rotating")&&(this._time=0,this._paused=!0,n.clearTimeout(this._call),this._core.leave("rotating"))},i.prototype.pause=function(){this._core.is("rotating")&&!this._paused&&(this._time=this.read(),this._paused=!0,n.clearTimeout(this._call))},i.prototype.destroy=function(){var t,e;for(t in this.stop(),this._handlers)this._core.$element.off(t,this._handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},s.fn.owlCarousel.Constructor.Plugins.autoplay=i}(window.Zepto||window.jQuery,window,document),function(n){"use strict";function e(t){this._core=t,this._initialized=!1,this._pages=[],this._controls={},this._templates=[],this.$element=this._core.$element,this._overrides={next:this._core.next,prev:this._core.prev,to:this._core.to},this._handlers={"prepared.owl.carousel":n.proxy(function(t){t.namespace&&this._core.settings.dotsData&&this._templates.push('<div class="'+this._core.settings.dotClass+'">'+n(t.content).find("[data-dot]").addBack("[data-dot]").attr("data-dot")+"</div>")},this),"added.owl.carousel":n.proxy(function(t){t.namespace&&this._core.settings.dotsData&&this._templates.splice(t.position,0,this._templates.pop())},this),"remove.owl.carousel":n.proxy(function(t){t.namespace&&this._core.settings.dotsData&&this._templates.splice(t.position,1)},this),"changed.owl.carousel":n.proxy(function(t){t.namespace&&"position"==t.property.name&&this.draw()},this),"initialized.owl.carousel":n.proxy(function(t){t.namespace&&!this._initialized&&(this._core.trigger("initialize",null,"navigation"),this.initialize(),this.update(),this.draw(),this._initialized=!0,this._core.trigger("initialized",null,"navigation"))},this),"refreshed.owl.carousel":n.proxy(function(t){t.namespace&&this._initialized&&(this._core.trigger("refresh",null,"navigation"),this.update(),this.draw(),this._core.trigger("refreshed",null,"navigation"))},this)},this._core.options=n.extend({},e.Defaults,this._core.options),this.$element.on(this._handlers)}e.Defaults={nav:!1,navText:['<span aria-label="Previous">‹</span>','<span aria-label="Next">›</span>'],navSpeed:!1,navElement:'div type="button" role="presentation"',navContainer:!1,navContainerClass:"owl-nav",navClass:["owl-prev","owl-next"],slideBy:1,dotClass:"owl-dot",dotsClass:"owl-dots",dots:!0,dotsEach:!1,dotsData:!1,dotsSpeed:!1,dotsContainer:!1},e.prototype.initialize=function(){var t,i=this._core.settings;for(t in this._controls.$relative=(i.navContainer?n(i.navContainer):n("<div>").addClass(i.navContainerClass).appendTo(this.$element)).addClass("disabled"),this._controls.$previous=n("<"+i.navElement+">").addClass(i.navClass[0]).html(i.navText[0]).prependTo(this._controls.$relative).on("click",n.proxy(function(t){this.prev(i.navSpeed)},this)),this._controls.$next=n("<"+i.navElement+">").addClass(i.navClass[1]).html(i.navText[1]).appendTo(this._controls.$relative).on("click",n.proxy(function(t){this.next(i.navSpeed)},this)),i.dotsData||(this._templates=[n('<div role="button">').addClass(i.dotClass).append(n("<span>")).prop("outerHTML")]),this._controls.$absolute=(i.dotsContainer?n(i.dotsContainer):n("<div>").addClass(i.dotsClass).appendTo(this.$element)).addClass("disabled"),this._controls.$absolute.on("click",n(i.dotClass),n.proxy(function(t){var e=(n(t.target).parent().is(this._controls.$absolute)?n(t.target):n(t.target).parent()).index();t.preventDefault(),this.to(e,i.dotsSpeed)},this)),this._overrides)this._core[t]=n.proxy(this[t],this)},e.prototype.destroy=function(){var t,e,i,s,n=this._core.settings;for(t in this._handlers)this.$element.off(t,this._handlers[t]);for(e in this._controls)"$relative"===e&&n.navContainer?this._controls[e].html(""):this._controls[e].remove();for(s in this.overides)this._core[s]=this._overrides[s];for(i in Object.getOwnPropertyNames(this))"function"!=typeof this[i]&&(this[i]=null)},e.prototype.update=function(){var t,e,i=this._core.clones().length/2,s=i+this._core.items().length,n=this._core.maximum(!0),o=this._core.settings,r=o.center||o.autoWidth||o.dotsData?1:o.dotsEach||o.items;if("page"!==o.slideBy&&(o.slideBy=Math.min(o.slideBy,o.items)),o.dots||"page"==o.slideBy)for(this._pages=[],t=i,e=0;t<s;t++){if(r<=e||0===e){if(this._pages.push({start:Math.min(n,t-i),end:t-i+r-1}),Math.min(n,t-i)===n)break;e=0,0}e+=this._core.mergers(this._core.relative(t))}},e.prototype.draw=function(){var t=this._core.settings,e=this._core.items().length<=t.items,i=this._core.relative(this._core.current()),s=t.loop||t.rewind;this._controls.$relative.toggleClass("disabled",!t.nav||e),t.nav&&(this._controls.$previous.toggleClass("disabled",!s&&i<=this._core.minimum(!0)),this._controls.$next.toggleClass("disabled",!s&&i>=this._core.maximum(!0))),this._controls.$absolute.toggleClass("disabled",!t.dots||e),t.dots&&(s=this._pages.length-this._controls.$absolute.children().length,t.dotsData&&0!=s?this._controls.$absolute.html(this._templates.join("")):0<s?this._controls.$absolute.append(new Array(1+s).join(this._templates[0])):s<0&&this._controls.$absolute.children().slice(s).remove(),this._controls.$absolute.find(".active").removeClass("active"),this._controls.$absolute.children().eq(n.inArray(this.current(),this._pages)).addClass("active"))},e.prototype.onTrigger=function(t){var e=this._core.settings;t.page={index:n.inArray(this.current(),this._pages),count:this._pages.length,size:e&&(e.center||e.autoWidth||e.dotsData?1:e.dotsEach||e.items)}},e.prototype.current=function(){var i=this._core.relative(this._core.current());return n.grep(this._pages,n.proxy(function(t,e){return t.start<=i&&t.end>=i},this)).pop()},e.prototype.getPosition=function(t){var e,i,s=this._core.settings;return"page"==s.slideBy?(e=n.inArray(this.current(),this._pages),i=this._pages.length,t?++e:--e,e=this._pages[(e%i+i)%i].start):(e=this._core.relative(this._core.current()),i=this._core.items().length,t?e+=s.slideBy:e-=s.slideBy),e},e.prototype.next=function(t){n.proxy(this._overrides.to,this._core)(this.getPosition(!0),t)},e.prototype.prev=function(t){n.proxy(this._overrides.to,this._core)(this.getPosition(!1),t)},e.prototype.to=function(t,e,i){!i&&this._pages.length?(i=this._pages.length,n.proxy(this._overrides.to,this._core)(this._pages[(t%i+i)%i].start,e)):n.proxy(this._overrides.to,this._core)(t,e)},n.fn.owlCarousel.Constructor.Plugins.Navigation=e}(window.Zepto||window.jQuery,(window,document)),function(s,n){"use strict";function e(t){this._core=t,this._hashes={},this.$element=this._core.$element,this._handlers={"initialized.owl.carousel":s.proxy(function(t){t.namespace&&"URLHash"===this._core.settings.startPosition&&s(n).trigger("hashchange.owl.navigation")},this),"prepared.owl.carousel":s.proxy(function(t){var e;t.namespace&&(e=s(t.content).find("[data-hash]").addBack("[data-hash]").attr("data-hash"))&&(this._hashes[e]=t.content)},this),"changed.owl.carousel":s.proxy(function(t){var i;t.namespace&&"position"===t.property.name&&(i=this._core.items(this._core.relative(this._core.current())),(t=s.map(this._hashes,function(t,e){return t===i?e:null}).join())&&n.location.hash.slice(1)!==t&&(n.location.hash=t))},this)},this._core.options=s.extend({},e.Defaults,this._core.options),this.$element.on(this._handlers),s(n).on("hashchange.owl.navigation",s.proxy(function(t){var e=n.location.hash.substring(1),i=this._core.$stage.children(),i=this._hashes[e]&&i.index(this._hashes[e]);void 0!==i&&i!==this._core.current()&&this._core.to(this._core.relative(i),!1,!0)},this))}e.Defaults={URLhashListener:!1},e.prototype.destroy=function(){var t,e;for(t in s(n).off("hashchange.owl.navigation"),this._handlers)this._core.$element.off(t,this._handlers[t]);for(e in Object.getOwnPropertyNames(this))"function"!=typeof this[e]&&(this[e]=null)},s.fn.owlCarousel.Constructor.Plugins.Hash=e}(window.Zepto||window.jQuery,window,document),function(n){var o=n("<support>").get(0).style,r="Webkit Moz O ms".split(" "),t={transition:{end:{WebkitTransition:"webkitTransitionEnd",MozTransition:"transitionend",OTransition:"oTransitionEnd",transition:"transitionend"}},animation:{end:{WebkitAnimation:"webkitAnimationEnd",MozAnimation:"animationend",OAnimation:"oAnimationEnd",animation:"animationend"}}},e=function(){return!!a("transform")},i=function(){return!!a("perspective")},s=function(){return!!a("animation")};function a(t,i){var s=!1,e=t.charAt(0).toUpperCase()+t.slice(1);return n.each((t+" "+r.join(e+" ")+e).split(" "),function(t,e){if(void 0!==o[e])return s=!i||e,!1}),s}function h(t){return a(t,!0)}!function(){return!!a("transition")}()||(n.support.transition=new String(h("transition")),n.support.transition.end=t.transition.end[n.support.transition]),s()&&(n.support.animation=new String(h("animation")),n.support.animation.end=t.animation.end[n.support.animation]),e()&&(n.support.transform=new String(h("transform")),n.support.transform3d=i())}(window.Zepto||window.jQuery,(window,document));!function(e){"function"==typeof define&&define.amd?define(["jquery"],e):e("object"==typeof exports?require("jquery"):window.jQuery||window.Zepto)}(function(c){function e(){}function d(e,t){f.ev.on(n+e+w,t)}function u(e,t,n,o){var i=document.createElement("div");return i.className="mfp-"+e,n&&(i.innerHTML=n),o?t&&t.appendChild(i):(i=c(i),t&&i.appendTo(t)),i}function p(e,t){f.ev.triggerHandler(n+e,t),f.st.callbacks&&(e=e.charAt(0).toLowerCase()+e.slice(1),f.st.callbacks[e]&&f.st.callbacks[e].apply(f,c.isArray(t)?t:[t]))}function m(e){return e===t&&f.currTemplate.closeBtn||(f.currTemplate.closeBtn=c(f.st.closeMarkup.replace("%title%",f.st.tClose)),t=e),f.currTemplate.closeBtn}function a(){c.magnificPopup.instance||((f=new e).init(),c.magnificPopup.instance=f)}var f,o,g,i,h,t,l="Close",v="BeforeClose",y="MarkupParse",C="Open",A="Change",n="mfp",w="."+n,b="mfp-ready",F="mfp-removing",r="mfp-prevent-close",s=!!window.jQuery,I=c(window);c.magnificPopup={instance:null,proto:e.prototype={constructor:e,init:function(){var e=navigator.appVersion;f.isLowIE=f.isIE8=document.all&&!document.addEventListener,f.isAndroid=/android/gi.test(e),f.isIOS=/iphone|ipad|ipod/gi.test(e),f.supportsTransition=function(){var e=document.createElement("p").style,t=["ms","O","Moz","Webkit"];if(void 0!==e.transition)return!0;for(;t.length;)if(t.pop()+"Transition"in e)return!0;return!1}(),f.probablyMobile=f.isAndroid||f.isIOS||/(Opera Mini)|Kindle|webOS|BlackBerry|(Opera Mobi)|(Windows Phone)|IEMobile/i.test(navigator.userAgent),g=c(document),f.popupsCache={}},open:function(e){if(!1===e.isObj){f.items=e.items.toArray(),f.index=0;for(var t,n=e.items,o=0;o<n.length;o++)if((t=(t=n[o]).parsed?t.el[0]:t)===e.el[0]){f.index=o;break}}else f.items=c.isArray(e.items)?e.items:[e.items],f.index=e.index||0;if(!f.isOpen){f.types=[],h="",e.mainEl&&e.mainEl.length?f.ev=e.mainEl.eq(0):f.ev=g,e.key?(f.popupsCache[e.key]||(f.popupsCache[e.key]={}),f.currTemplate=f.popupsCache[e.key]):f.currTemplate={},f.st=c.extend(!0,{},c.magnificPopup.defaults,e),f.fixedContentPos="auto"===f.st.fixedContentPos?!f.probablyMobile:f.st.fixedContentPos,f.st.modal&&(f.st.closeOnContentClick=!1,f.st.closeOnBgClick=!1,f.st.showCloseBtn=!1,f.st.enableEscapeKey=!1),f.bgOverlay||(f.bgOverlay=u("bg").on("click"+w,function(){f.close()}),f.wrap=u("wrap").attr("tabindex",-1).on("click"+w,function(e){f._checkIfClose(e.target)&&f.close()}),f.container=u("container",f.wrap)),f.contentContainer=u("content"),f.st.preloader&&(f.preloader=u("preloader",f.container,f.st.tLoading));var i=c.magnificPopup.modules;for(o=0;o<i.length;o++){var a=(a=i[o]).charAt(0).toUpperCase()+a.slice(1);f["init"+a].call(f)}p("BeforeOpen"),f.st.showCloseBtn&&(f.st.closeBtnInside?(d(y,function(e,t,n,o){n.close_replaceWith=m(o.type)}),h+=" mfp-close-btn-in"):f.wrap.append(m())),f.st.alignTop&&(h+=" mfp-align-top"),f.fixedContentPos?f.wrap.css({overflow:f.st.overflowY,overflowX:"hidden",overflowY:f.st.overflowY}):f.wrap.css({top:I.scrollTop(),position:"absolute"}),!1!==f.st.fixedBgPos&&("auto"!==f.st.fixedBgPos||f.fixedContentPos)||f.bgOverlay.css({height:g.height(),position:"absolute"}),f.st.enableEscapeKey&&g.on("keyup"+w,function(e){27===e.keyCode&&f.close()}),I.on("resize"+w,function(){f.updateSize()}),f.st.closeOnContentClick||(h+=" mfp-auto-cursor"),h&&f.wrap.addClass(h);var r=f.wH=I.height(),s={},l=(f.fixedContentPos&&f._hasScrollBar(r)&&((l=f._getScrollbarSize())&&(s.marginRight=l)),f.fixedContentPos&&(f.isIE7?c("body, html").css("overflow","hidden"):s.overflow="hidden"),f.st.mainClass);return f.isIE7&&(l+=" mfp-ie7"),l&&f._addClassToMFP(l),f.updateItemHTML(),p("BuildControls"),c("html").css(s),f.bgOverlay.add(f.wrap).prependTo(f.st.prependTo||c(document.body)),f._lastFocusedEl=document.activeElement,setTimeout(function(){f.content?(f._addClassToMFP(b),f._setFocus()):f.bgOverlay.addClass(b),g.on("focusin"+w,f._onFocusIn)},16),f.isOpen=!0,f.updateSize(r),p(C),e}f.updateItemHTML()},close:function(){f.isOpen&&(p(v),f.isOpen=!1,f.st.removalDelay&&!f.isLowIE&&f.supportsTransition?(f._addClassToMFP(F),setTimeout(function(){f._close()},f.st.removalDelay)):f._close())},_close:function(){p(l);var e=F+" "+b+" ";f.bgOverlay.detach(),f.wrap.detach(),f.container.empty(),f.st.mainClass&&(e+=f.st.mainClass+" "),f._removeClassFromMFP(e),f.fixedContentPos&&(e={marginRight:""},f.isIE7?c("body, html").css("overflow",""):e.overflow="",c("html").css(e)),g.off("keyup.mfp focusin"+w),f.ev.off(w),f.wrap.attr("class","mfp-wrap").removeAttr("style"),f.bgOverlay.attr("class","mfp-bg"),f.container.attr("class","mfp-container"),!f.st.showCloseBtn||f.st.closeBtnInside&&!0!==f.currTemplate[f.currItem.type]||f.currTemplate.closeBtn&&f.currTemplate.closeBtn.detach(),f.st.autoFocusLast&&f._lastFocusedEl&&c(f._lastFocusedEl).focus(),f.currItem=null,f.content=null,f.currTemplate=null,f.prevHeight=0,p("AfterClose")},updateSize:function(e){var t;f.isIOS?(t=document.documentElement.clientWidth/window.innerWidth,t=window.innerHeight*t,f.wrap.css("height",t),f.wH=t):f.wH=e||I.height(),f.fixedContentPos||f.wrap.css("height",f.wH),p("Resize")},updateItemHTML:function(){var e=f.items[f.index],t=(f.contentContainer.detach(),f.content&&f.content.detach(),(e=e.parsed?e:f.parseEl(f.index)).type),n=(p("BeforeChange",[f.currItem?f.currItem.type:"",t]),f.currItem=e,f.currTemplate[t]||(n=!!f.st[t]&&f.st[t].markup,p("FirstMarkupParse",n),f.currTemplate[t]=!n||c(n)),i&&i!==e.type&&f.container.removeClass("mfp-"+i+"-holder"),f["get"+t.charAt(0).toUpperCase()+t.slice(1)](e,f.currTemplate[t]));f.appendContent(n,t),e.preloaded=!0,p(A,e),i=e.type,f.container.prepend(f.contentContainer),p("AfterChange")},appendContent:function(e,t){(f.content=e)?f.st.showCloseBtn&&f.st.closeBtnInside&&!0===f.currTemplate[t]?f.content.find(".mfp-close").length||f.content.append(m()):f.content=e:f.content="",p("BeforeAppend"),f.container.addClass("mfp-"+t+"-holder"),f.contentContainer.append(f.content)},parseEl:function(e){var t,n=f.items[e];if((n=n.tagName?{el:c(n)}:(t=n.type,{data:n,src:n.src})).el){for(var o=f.types,i=0;i<o.length;i++)if(n.el.hasClass("mfp-"+o[i])){t=o[i];break}n.src=n.el.attr("data-mfp-src"),n.src||(n.src=n.el.attr("href"))}return n.type=t||f.st.type||"inline",n.index=e,n.parsed=!0,f.items[e]=n,p("ElementParse",n),f.items[e]},addGroup:function(t,n){function e(e){e.mfpEl=this,f._openClick(e,t,n)}var o="click.magnificPopup";(n=n||{}).mainEl=t,n.items?(n.isObj=!0,t.off(o).on(o,e)):(n.isObj=!1,n.delegate?t.off(o).on(o,n.delegate,e):(n.items=t).off(o).on(o,e))},_openClick:function(e,t,n){if((void 0!==n.midClick?n:c.magnificPopup.defaults).midClick||!(2===e.which||e.ctrlKey||e.metaKey||e.altKey||e.shiftKey)){var o=(void 0!==n.disableOn?n:c.magnificPopup.defaults).disableOn;if(o)if(c.isFunction(o)){if(!o.call(f))return!0}else if(I.width()<o)return!0;e.type&&(e.preventDefault(),f.isOpen&&e.stopPropagation()),n.el=c(e.mfpEl),n.delegate&&(n.items=t.find(n.delegate)),f.open(n)}},updateStatus:function(e,t){var n;f.preloader&&(o!==e&&f.container.removeClass("mfp-s-"+o),n={status:e,text:t=t||"loading"!==e?t:f.st.tLoading},p("UpdateStatus",n),e=n.status,f.preloader.html(t=n.text),f.preloader.find("a").on("click",function(e){e.stopImmediatePropagation()}),f.container.addClass("mfp-s-"+e),o=e)},_checkIfClose:function(e){if(!c(e).hasClass(r)){var t=f.st.closeOnContentClick,n=f.st.closeOnBgClick;if(t&&n)return!0;if(!f.content||c(e).hasClass("mfp-close")||f.preloader&&e===f.preloader[0])return!0;if(e===f.content[0]||c.contains(f.content[0],e)){if(t)return!0}else if(n&&c.contains(document,e))return!0;return!1}},_addClassToMFP:function(e){f.bgOverlay.addClass(e),f.wrap.addClass(e)},_removeClassFromMFP:function(e){this.bgOverlay.removeClass(e),f.wrap.removeClass(e)},_hasScrollBar:function(e){return(f.isIE7?g.height():document.body.scrollHeight)>(e||I.height())},_setFocus:function(){(f.st.focus?f.content.find(f.st.focus).eq(0):f.wrap).focus()},_onFocusIn:function(e){return e.target===f.wrap[0]||c.contains(f.wrap[0],e.target)?void 0:(f._setFocus(),!1)},_parseMarkup:function(i,e,t){var a;t.data&&(e=c.extend(t.data,e)),p(y,[i,e,t]),c.each(e,function(e,t){if(void 0===t||!1===t)return!0;var n,o;1<(a=e.split("_")).length?0<(n=i.find(w+"-"+a[0])).length&&("replaceWith"===(o=a[1])?n[0]!==t[0]&&n.replaceWith(t):"img"===o?n.is("img")?n.attr("src",t):n.replaceWith(c("<img>").attr("src",t).attr("class",n.attr("class"))):n.attr(a[1],t)):i.find(w+"-"+e).html(t)})},_getScrollbarSize:function(){var e;return void 0===f.scrollbarSize&&((e=document.createElement("div")).style.cssText="width: 99px; height: 99px; overflow: scroll; position: absolute; top: -9999px;",document.body.appendChild(e),f.scrollbarSize=e.offsetWidth-e.clientWidth,document.body.removeChild(e)),f.scrollbarSize}},modules:[],open:function(e,t){return a(),(e=e?c.extend(!0,{},e):{}).isObj=!0,e.index=t||0,this.instance.open(e)},close:function(){return c.magnificPopup.instance&&c.magnificPopup.instance.close()},registerModule:function(e,t){t.options&&(c.magnificPopup.defaults[e]=t.options),c.extend(this.proto,t.proto),this.modules.push(e)},defaults:{disableOn:0,key:null,midClick:!1,mainClass:"",preloader:!0,focus:"",closeOnContentClick:!1,closeOnBgClick:!0,closeBtnInside:!0,showCloseBtn:!0,enableEscapeKey:!0,modal:!1,alignTop:!1,removalDelay:0,prependTo:null,fixedContentPos:"auto",fixedBgPos:"auto",overflowY:"auto",closeMarkup:'<button title="%title%" type="button" class="mfp-close">×</button>',tClose:"Close (Esc)",tLoading:"Loading...",autoFocusLast:!0}},c.fn.magnificPopup=function(e){a();var t,n,o,i=c(this);return"string"==typeof e?"open"===e?(t=s?i.data("magnificPopup"):i[0].magnificPopup,n=parseInt(arguments[1],10)||0,o=t.items?t.items[n]:(o=i,(o=t.delegate?o.find(t.delegate):o).eq(n)),f._openClick({mfpEl:o},i,t)):f.isOpen&&f[e].apply(f,Array.prototype.slice.call(arguments,1)):(e=c.extend(!0,{},e),s?i.data("magnificPopup",e):i[0].magnificPopup=e,f.addGroup(i,e)),i};function j(){T&&(k.after(T.addClass(x)).detach(),T=null)}var x,k,T,_="inline";c.magnificPopup.registerModule(_,{options:{hiddenClass:"hide",markup:"",tNotFound:"Content not found"},proto:{initInline:function(){f.types.push(_),d(l+"."+_,function(){j()})},getInline:function(e,t){var n,o,i;return j(),e.src?(n=f.st.inline,(o=c(e.src)).length?((i=o[0].parentNode)&&i.tagName&&(k||(x=n.hiddenClass,k=u(x),x="mfp-"+x),T=o.after(k).detach().removeClass(x)),f.updateStatus("ready")):(f.updateStatus("error",n.tNotFound),o=c("<div>")),e.inlineElement=o):(f.updateStatus("ready"),f._parseMarkup(t,{},e),t)}}});function P(){S&&c(document.body).removeClass(S)}function N(){P(),f.req&&f.req.abort()}var S,E="ajax";c.magnificPopup.registerModule(E,{options:{settings:null,cursor:"mfp-ajax-cur",tError:'<a href="%url%">The content</a> could not be loaded.'},proto:{initAjax:function(){f.types.push(E),S=f.st.ajax.cursor,d(l+"."+E,N),d("BeforeChange."+E,N)},getAjax:function(o){S&&c(document.body).addClass(S),f.updateStatus("loading");var e=c.extend({url:o.src,success:function(e,t,n){e={data:e,xhr:n};p("ParseAjax",e),f.appendContent(c(e.data),E),o.finished=!0,P(),f._setFocus(),setTimeout(function(){f.wrap.addClass(b)},16),f.updateStatus("ready"),p("AjaxContentAdded")},error:function(){P(),o.finished=o.loadError=!0,f.updateStatus("error",f.st.ajax.tError.replace("%url%",o.src))}},f.st.ajax.settings);return f.req=c.ajax(e),""}}});var z;c.magnificPopup.registerModule("image",{options:{markup:'<div class="mfp-figure"><div class="mfp-close"></div><figure><div class="mfp-img"></div><figcaption><div class="mfp-bottom-bar"><div class="mfp-title"></div><div class="mfp-counter"></div></div></figcaption></figure></div>',cursor:"mfp-zoom-out-cur",titleSrc:"title",verticalFit:!0,tError:'<a href="%url%">The image</a> could not be loaded.'},proto:{initImage:function(){var e=f.st.image,t=".image";f.types.push("image"),d(C+t,function(){"image"===f.currItem.type&&e.cursor&&c(document.body).addClass(e.cursor)}),d(l+t,function(){e.cursor&&c(document.body).removeClass(e.cursor),I.off("resize"+w)}),d("Resize"+t,f.resizeImage),f.isLowIE&&d("AfterChange",f.resizeImage)},resizeImage:function(){var e,t=f.currItem;t&&t.img&&f.st.image.verticalFit&&(e=0,f.isLowIE&&(e=parseInt(t.img.css("padding-top"),10)+parseInt(t.img.css("padding-bottom"),10)),t.img.css("max-height",f.wH-e))},_onImageHasSize:function(e){e.img&&(e.hasSize=!0,z&&clearInterval(z),e.isCheckingImgSize=!1,p("ImageHasSize",e),e.imgHidden&&(f.content&&f.content.removeClass("mfp-loading"),e.imgHidden=!1))},findImageSize:function(t){function n(e){z&&clearInterval(z),z=setInterval(function(){return 0<i.naturalWidth?void f._onImageHasSize(t):(200<o&&clearInterval(z),void(3===++o?n(10):40===o?n(50):100===o&&n(500)))},e)}var o=0,i=t.img[0];n(1)},getImage:function(e,t){function n(){e&&(e.img[0].complete?(e.img.off(".mfploader"),e===f.currItem&&(f._onImageHasSize(e),f.updateStatus("ready")),e.hasSize=!0,e.loaded=!0,p("ImageLoadComplete")):++a<200?setTimeout(n,100):o())}function o(){e&&(e.img.off(".mfploader"),e===f.currItem&&(f._onImageHasSize(e),f.updateStatus("error",r.tError.replace("%url%",e.src))),e.hasSize=!0,e.loaded=!0,e.loadError=!0)}var i,a=0,r=f.st.image,s=t.find(".mfp-img");return s.length&&((i=document.createElement("img")).className="mfp-img",e.el&&e.el.find("img").length&&(i.alt=e.el.find("img").attr("alt")),e.img=c(i).on("load.mfploader",n).on("error.mfploader",o),i.src=e.src,s.is("img")&&(e.img=e.img.clone()),0<(i=e.img[0]).naturalWidth?e.hasSize=!0:i.width||(e.hasSize=!1)),f._parseMarkup(t,{title:function(e){if(e.data&&void 0!==e.data.title)return e.data.title;var t=f.st.image.titleSrc;if(t){if(c.isFunction(t))return t.call(f,e);if(e.el)return e.el.attr(t)||""}return""}(e),img_replaceWith:e.img},e),f.resizeImage(),e.hasSize?(z&&clearInterval(z),e.loadError?(t.addClass("mfp-loading"),f.updateStatus("error",r.tError.replace("%url%",e.src))):(t.removeClass("mfp-loading"),f.updateStatus("ready"))):(f.updateStatus("loading"),e.loading=!0,e.hasSize||(e.imgHidden=!0,t.addClass("mfp-loading"),f.findImageSize(e))),t}}});function O(e){var t;f.currTemplate[L]&&(t=f.currTemplate[L].find("iframe")).length&&(e||(t[0].src="//about:blank"),f.isIE8&&t.css("display",e?"block":"none"))}function M(e){var t=f.items.length;return t-1<e?e-t:e<0?t+e:e}function W(e,t,n){return e.replace(/%curr%/gi,t+1).replace(/%total%/gi,n)}c.magnificPopup.registerModule("zoom",{options:{enabled:!1,easing:"ease-in-out",duration:300,opener:function(e){return e.is("img")?e:e.find("img")}},proto:{initZoom:function(){var e,t,n,o,i,a,r=f.st.zoom,s=".zoom";r.enabled&&f.supportsTransition&&(o=r.duration,i=function(e){var e=e.clone().removeAttr("style").removeAttr("class").addClass("mfp-animated-image"),t="all "+r.duration/1e3+"s "+r.easing,n={position:"fixed",zIndex:9999,left:0,top:0,"-webkit-backface-visibility":"hidden"},o="transition";return n["-webkit-"+o]=n["-moz-"+o]=n["-o-"+o]=n[o]=t,e.css(n),e},a=function(){f.content.css("visibility","visible")},d("BuildControls"+s,function(){f._allowZoom()&&(clearTimeout(t),f.content.css("visibility","hidden"),(e=f._getItemToZoom())?((n=i(e)).css(f._getOffset()),f.wrap.append(n),t=setTimeout(function(){n.css(f._getOffset(!0)),t=setTimeout(function(){a(),setTimeout(function(){n.remove(),e=n=null,p("ZoomAnimationEnded")},16)},o)},16)):a())}),d(v+s,function(){if(f._allowZoom()){if(clearTimeout(t),f.st.removalDelay=o,!e){if(!(e=f._getItemToZoom()))return;n=i(e)}n.css(f._getOffset(!0)),f.wrap.append(n),f.content.css("visibility","hidden"),setTimeout(function(){n.css(f._getOffset())},16)}}),d(l+s,function(){f._allowZoom()&&(a(),n&&n.remove(),e=null)}))},_allowZoom:function(){return"image"===f.currItem.type},_getItemToZoom:function(){return!!f.currItem.hasSize&&f.currItem.img},_getOffset:function(e){var e=e?f.currItem.img:f.st.zoom.opener(f.currItem.el||f.currItem),t=e.offset(),n=parseInt(e.css("padding-top"),10),o=parseInt(e.css("padding-bottom"),10),e=(t.top-=c(window).scrollTop()-n,{width:e.width(),height:(s?e.innerHeight():e[0].offsetHeight)-o-n});return(B=void 0===B?void 0!==document.createElement("p").style.MozTransform:B)?e["-moz-transform"]=e.transform="translate("+t.left+"px,"+t.top+"px)":(e.left=t.left,e.top=t.top),e}}});var B,L="iframe",H=(c.magnificPopup.registerModule(L,{options:{markup:'<div class="mfp-iframe-scaler"><div class="mfp-close"></div><iframe class="mfp-iframe" src="//about:blank" frameborder="0" allowfullscreen></iframe></div>',srcAction:"iframe_src",patterns:{youtube:{index:"youtube.com",id:"v=",src:"//www.youtube.com/embed/%id%?autoplay=1"},vimeo:{index:"vimeo.com/",id:"/",src:"//player.vimeo.com/video/%id%?autoplay=1"},gmaps:{index:"//maps.google.",src:"%id%&output=embed"}}},proto:{initIframe:function(){f.types.push(L),d("BeforeChange",function(e,t,n){t!==n&&(t===L?O():n===L&&O(!0))}),d(l+"."+L,function(){O()})},getIframe:function(e,t){var n=e.src,o=f.st.iframe,i=(c.each(o.patterns,function(){return-1<n.indexOf(this.index)?(this.id&&(n="string"==typeof this.id?n.substr(n.lastIndexOf(this.id)+this.id.length,n.length):this.id.call(this,n)),n=this.src.replace("%id%",n),!1):void 0}),{});return o.srcAction&&(i[o.srcAction]=n),f._parseMarkup(t,i,e),f.updateStatus("ready"),t}}}),c.magnificPopup.registerModule("gallery",{options:{enabled:!1,arrowMarkup:'<button title="%title%" type="button" class="mfp-arrow mfp-arrow-%dir%"></button>',preload:[0,2],navigateByImgClick:!0,arrows:!0,tPrev:"Previous (Left arrow key)",tNext:"Next (Right arrow key)",tCounter:"%curr% of %total%"},proto:{initGallery:function(){var a=f.st.gallery,e=".mfp-gallery";return f.direction=!0,!(!a||!a.enabled)&&(h+=" mfp-gallery",d(C+e,function(){a.navigateByImgClick&&f.wrap.on("click"+e,".mfp-img",function(){return 1<f.items.length?(f.next(),!1):void 0}),g.on("keydown"+e,function(e){37===e.keyCode?f.prev():39===e.keyCode&&f.next()})}),d("UpdateStatus"+e,function(e,t){t.text&&(t.text=W(t.text,f.currItem.index,f.items.length))}),d(y+e,function(e,t,n,o){var i=f.items.length;n.counter=1<i?W(a.tCounter,o.index,i):""}),d("BuildControls"+e,function(){var e,t;1<f.items.length&&a.arrows&&!f.arrowLeft&&(t=a.arrowMarkup,e=f.arrowLeft=c(t.replace(/%title%/gi,a.tPrev).replace(/%dir%/gi,"left")).addClass(r),t=f.arrowRight=c(t.replace(/%title%/gi,a.tNext).replace(/%dir%/gi,"right")).addClass(r),e.click(function(){f.prev()}),t.click(function(){f.next()}),f.container.append(e.add(t)))}),d(A+e,function(){f._preloadTimeout&&clearTimeout(f._preloadTimeout),f._preloadTimeout=setTimeout(function(){f.preloadNearbyImages(),f._preloadTimeout=null},16)}),void d(l+e,function(){g.off(e),f.wrap.off("click"+e),f.arrowRight=f.arrowLeft=null}))},next:function(){f.direction=!0,f.index=M(f.index+1),f.updateItemHTML()},prev:function(){f.direction=!1,f.index=M(f.index-1),f.updateItemHTML()},goTo:function(e){f.direction=e>=f.index,f.index=e,f.updateItemHTML()},preloadNearbyImages:function(){for(var e=f.st.gallery.preload,t=Math.min(e[0],f.items.length),n=Math.min(e[1],f.items.length),o=1;o<=(f.direction?n:t);o++)f._preloadItem(f.index+o);for(o=1;o<=(f.direction?t:n);o++)f._preloadItem(f.index-o)},_preloadItem:function(e){var t;e=M(e),f.items[e].preloaded||((t=f.items[e]).parsed||(t=f.parseEl(e)),p("LazyLoad",t),"image"===t.type&&(t.img=c('<img class="mfp-img" />').on("load.mfploader",function(){t.hasSize=!0}).on("error.mfploader",function(){t.hasSize=!0,t.loadError=!0,p("LazyLoadError",t)}).attr("src",t.src)),t.preloaded=!0)}}}),"retina");c.magnificPopup.registerModule(H,{options:{replaceSrc:function(e){return e.src.replace(/\.\w+$/,function(e){return"@2x"+e})},ratio:1},proto:{initRetina:function(){var n,o;1<window.devicePixelRatio&&(n=f.st.retina,o=n.ratio,1<(o=isNaN(o)?o():o)&&(d("ImageHasSize."+H,function(e,t){t.img.css({"max-width":t.img[0].naturalWidth/o,width:"100%"})}),d("ElementParse."+H,function(e,t){t.src=n.replaceSrc(t,o)})))}}}),a()});!function(e,i){"function"==typeof define&&define.amd?define("jquery-bridget/jquery-bridget",["jquery"],function(t){return i(e,t)}):"object"==typeof module&&module.exports?module.exports=i(e,require("jquery")):e.jQueryBridget=i(e,e.jQuery)}(window,function(t,e){"use strict";var i=Array.prototype.slice,n=t.console,l=void 0===n?function(){}:function(t){n.error(t)};function o(h,u,d){(d=d||e||t.jQuery)&&(u.prototype.option||(u.prototype.option=function(t){d.isPlainObject(t)&&(this.options=d.extend(!0,this.options,t))}),d.fn[h]=function(t){var e,n,o,s,r,a;return"string"==typeof t?(e=i.call(arguments,1),o=e,r="$()."+h+'("'+(n=t)+'")',(e=this).each(function(t,e){var i,e=d.data(e,h);e?(i=e[n])&&"_"!=n.charAt(0)?(i=i.apply(e,o),s=void 0===s?i:s):l(r+" is not a valid method"):l(h+" not initialized. Cannot call methods, i.e. "+r)}),void 0!==s?s:e):(a=t,this.each(function(t,e){var i=d.data(e,h);i?(i.option(a),i._init()):(i=new u(e,a),d.data(e,h,i))}),this)},s(d))}function s(t){t&&!t.bridget&&(t.bridget=o)}return s(e||t.jQuery),o}),function(t,e){"function"==typeof define&&define.amd?define("ev-emitter/ev-emitter",e):"object"==typeof module&&module.exports?module.exports=e():t.EvEmitter=e()}("undefined"!=typeof window?window:this,function(){function t(){}var e=t.prototype;return e.on=function(t,e){var i;if(t&&e)return-1==(i=(i=this._events=this._events||{})[t]=i[t]||[]).indexOf(e)&&i.push(e),this},e.once=function(t,e){var i;if(t&&e)return this.on(t,e),((i=this._onceEvents=this._onceEvents||{})[t]=i[t]||{})[e]=!0,this},e.off=function(t,e){t=this._events&&this._events[t];if(t&&t.length)return-1!=(e=t.indexOf(e))&&t.splice(e,1),this},e.emitEvent=function(t,e){var i=this._events&&this._events[t];if(i&&i.length){i=i.slice(0),e=e||[];for(var n=this._onceEvents&&this._onceEvents[t],o=0;o<i.length;o++){var s=i[o];n&&n[s]&&(this.off(t,s),delete n[s]),s.apply(this,e)}return this}},e.allOff=function(){delete this._events,delete this._onceEvents},t}),function(t,e){"function"==typeof define&&define.amd?define("get-size/get-size",e):"object"==typeof module&&module.exports?module.exports=e():t.getSize=e()}(window,function(){"use strict";function g(t){var e=parseFloat(t);return-1==t.indexOf("%")&&!isNaN(e)&&e}var e="undefined"==typeof console?function(){}:function(t){console.error(t)},y=["paddingLeft","paddingRight","paddingTop","paddingBottom","marginLeft","marginRight","marginTop","marginBottom","borderLeftWidth","borderRightWidth","borderTopWidth","borderBottomWidth"],v=y.length;function _(t){t=getComputedStyle(t);return t||e("Style returned "+t+". Are you running this code in a hidden iframe on Firefox? See https://bit.ly/getsizebug1"),t}var z,E=!1;function b(t){if(E||(E=!0,(d=document.createElement("div")).style.width="200px",d.style.padding="1px 2px 3px 4px",d.style.borderStyle="solid",d.style.borderWidth="1px 2px 3px 4px",d.style.boxSizing="border-box",(u=document.body||document.documentElement).appendChild(d),s=_(d),z=200==Math.round(g(s.width)),b.isBoxSizeOuter=z,u.removeChild(d)),(t="string"==typeof t?document.querySelector(t):t)&&"object"==typeof t&&t.nodeType){var e=_(t);if("none"==e.display){for(var i={width:0,height:0,innerWidth:0,innerHeight:0,outerWidth:0,outerHeight:0},n=0;n<v;n++)i[y[n]]=0;return i}for(var o={},s=(o.width=t.offsetWidth,o.height=t.offsetHeight,o.isBorderBox="border-box"==e.boxSizing),r=0;r<v;r++){var a=y[r],h=e[a],h=parseFloat(h);o[a]=isNaN(h)?0:h}var u=o.paddingLeft+o.paddingRight,d=o.paddingTop+o.paddingBottom,t=o.marginLeft+o.marginRight,l=o.marginTop+o.marginBottom,c=o.borderLeftWidth+o.borderRightWidth,f=o.borderTopWidth+o.borderBottomWidth,m=s&&z,p=g(e.width),p=(!1!==p&&(o.width=p+(m?0:u+c)),g(e.height));return!1!==p&&(o.height=p+(m?0:d+f)),o.innerWidth=o.width-(u+c),o.innerHeight=o.height-(d+f),o.outerWidth=o.width+t,o.outerHeight=o.height+l,o}}return b}),function(t,e){"use strict";"function"==typeof define&&define.amd?define("desandro-matches-selector/matches-selector",e):"object"==typeof module&&module.exports?module.exports=e():t.matchesSelector=e()}(window,function(){"use strict";var i=function(){var t=window.Element.prototype;if(t.matches)return"matches";if(t.matchesSelector)return"matchesSelector";for(var e=["webkit","moz","ms","o"],i=0;i<e.length;i++){var n=e[i]+"MatchesSelector";if(t[n])return n}}();return function(t,e){return t[i](e)}}),function(e,i){"function"==typeof define&&define.amd?define("fizzy-ui-utils/utils",["desandro-matches-selector/matches-selector"],function(t){return i(e,t)}):"object"==typeof module&&module.exports?module.exports=i(e,require("desandro-matches-selector")):e.fizzyUIUtils=i(e,e.matchesSelector)}(window,function(i,s){var h={extend:function(t,e){for(var i in e)t[i]=e[i];return t},modulo:function(t,e){return(t%e+e)%e}},e=Array.prototype.slice,u=(h.makeArray=function(t){return Array.isArray(t)?t:null==t?[]:"object"==typeof t&&"number"==typeof t.length?e.call(t):[t]},h.removeFrom=function(t,e){e=t.indexOf(e);-1!=e&&t.splice(e,1)},h.getParent=function(t,e){for(;t.parentNode&&t!=document.body;)if(t=t.parentNode,s(t,e))return t},h.getQueryElement=function(t){return"string"==typeof t?document.querySelector(t):t},h.handleEvent=function(t){var e="on"+t.type;this[e]&&this[e](t)},h.filterFindElements=function(t,n){t=h.makeArray(t);var o=[];return t.forEach(function(t){if(t instanceof HTMLElement)if(n){s(t,n)&&o.push(t);for(var e=t.querySelectorAll(n),i=0;i<e.length;i++)o.push(e[i])}else o.push(t)}),o},h.debounceMethod=function(t,e,n){n=n||100;var o=t.prototype[e],s=e+"Timeout";t.prototype[e]=function(){var t=this[s],e=(clearTimeout(t),arguments),i=this;this[s]=setTimeout(function(){o.apply(i,e),delete i[s]},n)}},h.docReady=function(t){var e=document.readyState;"complete"==e||"interactive"==e?setTimeout(t):document.addEventListener("DOMContentLoaded",t)},h.toDashed=function(t){return t.replace(/(.)([A-Z])/g,function(t,e,i){return e+"-"+i}).toLowerCase()},i.console);return h.htmlInit=function(r,a){h.docReady(function(){var t=h.toDashed(a),n="data-"+t,e=document.querySelectorAll("["+n+"]"),t=document.querySelectorAll(".js-"+t),e=h.makeArray(e).concat(h.makeArray(t)),o=n+"-options",s=i.jQuery;e.forEach(function(e){var t,i=e.getAttribute(n)||e.getAttribute(o);try{t=i&&JSON.parse(i)}catch(t){return void(u&&u.error("Error parsing "+n+" on "+e.className+": "+t))}i=new r(e,t);s&&s.data(e,a,i)})})},h}),function(t,e){"function"==typeof define&&define.amd?define("outlayer/item",["ev-emitter/ev-emitter","get-size/get-size"],e):"object"==typeof module&&module.exports?module.exports=e(require("ev-emitter"),require("get-size")):(t.Outlayer={},t.Outlayer.Item=e(t.EvEmitter,t.getSize))}(window,function(t,e){"use strict";var i=document.documentElement.style,n="string"==typeof i.transition?"transition":"WebkitTransition",i="string"==typeof i.transform?"transform":"WebkitTransform",o={WebkitTransition:"webkitTransitionEnd",transition:"transitionend"}[n],s={transform:i,transition:n,transitionDuration:n+"Duration",transitionProperty:n+"Property",transitionDelay:n+"Delay"};function r(t,e){t&&(this.element=t,this.layout=e,this.position={x:0,y:0},this._create())}t=r.prototype=Object.create(t.prototype);t.constructor=r,t._create=function(){this._transn={ingProperties:{},clean:{},onEnd:{}},this.css({position:"absolute"})},t.handleEvent=function(t){var e="on"+t.type;this[e]&&this[e](t)},t.getSize=function(){this.size=e(this.element)},t.css=function(t){var e,i=this.element.style;for(e in t)i[s[e]||e]=t[e]},t.getPosition=function(){var t=getComputedStyle(this.element),e=this.layout._getOption("originLeft"),i=this.layout._getOption("originTop"),n=t[e?"left":"right"],t=t[i?"top":"bottom"],o=parseFloat(n),s=parseFloat(t),r=this.layout.size;-1!=n.indexOf("%")&&(o=o/100*r.width),-1!=t.indexOf("%")&&(s=s/100*r.height),o=isNaN(o)?0:o,s=isNaN(s)?0:s,o-=e?r.paddingLeft:r.paddingRight,s-=i?r.paddingTop:r.paddingBottom,this.position.x=o,this.position.y=s},t.layoutPosition=function(){var t=this.layout.size,e={},i=this.layout._getOption("originLeft"),n=this.layout._getOption("originTop"),o=i?"right":"left",s=this.position.x+t[i?"paddingLeft":"paddingRight"],i=(e[i?"left":"right"]=this.getXValue(s),e[o]="",n?"paddingTop":"paddingBottom"),s=n?"bottom":"top",o=this.position.y+t[i];e[n?"top":"bottom"]=this.getYValue(o),e[s]="",this.css(e),this.emitEvent("layout",[this])},t.getXValue=function(t){var e=this.layout._getOption("horizontal");return this.layout.options.percentPosition&&!e?t/this.layout.size.width*100+"%":t+"px"},t.getYValue=function(t){var e=this.layout._getOption("horizontal");return this.layout.options.percentPosition&&e?t/this.layout.size.height*100+"%":t+"px"},t._transitionTo=function(t,e){this.getPosition();var i=this.position.x,n=this.position.y,o=t==this.position.x&&e==this.position.y;this.setPosition(t,e),o&&!this.isTransitioning?this.layoutPosition():((o={}).transform=this.getTranslate(t-i,e-n),this.transition({to:o,onTransitionEnd:{transform:this.layoutPosition},isCleaning:!0}))},t.getTranslate=function(t,e){return"translate3d("+(t=this.layout._getOption("originLeft")?t:-t)+"px, "+(e=this.layout._getOption("originTop")?e:-e)+"px, 0)"},t.goTo=function(t,e){this.setPosition(t,e),this.layoutPosition()},t.moveTo=t._transitionTo,t.setPosition=function(t,e){this.position.x=parseFloat(t),this.position.y=parseFloat(e)},t._nonTransition=function(t){for(var e in this.css(t.to),t.isCleaning&&this._removeStyles(t.to),t.onTransitionEnd)t.onTransitionEnd[e].call(this)},t.transition=function(t){if(parseFloat(this.layout.options.transitionDuration)){var e,i=this._transn;for(e in t.onTransitionEnd)i.onEnd[e]=t.onTransitionEnd[e];for(e in t.to)i.ingProperties[e]=!0,t.isCleaning&&(i.clean[e]=!0);t.from&&(this.css(t.from),this.element.offsetHeight,0),this.enableTransition(t.to),this.css(t.to),this.isTransitioning=!0}else this._nonTransition(t)};var a="opacity,"+i.replace(/([A-Z])/g,function(t){return"-"+t.toLowerCase()}),h=(t.enableTransition=function(){var t;this.isTransitioning||(t=this.layout.options.transitionDuration,this.css({transitionProperty:a,transitionDuration:t="number"==typeof t?t+"ms":t,transitionDelay:this.staggerDelay||0}),this.element.addEventListener(o,this,!1))},t.onwebkitTransitionEnd=function(t){this.ontransitionend(t)},t.onotransitionend=function(t){this.ontransitionend(t)},{"-webkit-transform":"transform"}),u=(t.ontransitionend=function(t){var e,i;t.target===this.element&&(e=this._transn,i=h[t.propertyName]||t.propertyName,delete e.ingProperties[i],function(t){for(var e in t)return;return 1}(e.ingProperties)&&this.disableTransition(),i in e.clean&&(this.element.style[t.propertyName]="",delete e.clean[i]),i in e.onEnd&&(e.onEnd[i].call(this),delete e.onEnd[i]),this.emitEvent("transitionEnd",[this]))},t.disableTransition=function(){this.removeTransitionStyles(),this.element.removeEventListener(o,this,!1),this.isTransitioning=!1},t._removeStyles=function(t){var e,i={};for(e in t)i[e]="";this.css(i)},{transitionProperty:"",transitionDuration:"",transitionDelay:""});return t.removeTransitionStyles=function(){this.css(u)},t.stagger=function(t){t=isNaN(t)?0:t,this.staggerDelay=t+"ms"},t.removeElem=function(){this.element.parentNode.removeChild(this.element),this.css({display:""}),this.emitEvent("remove",[this])},t.remove=function(){n&&parseFloat(this.layout.options.transitionDuration)?(this.once("transitionEnd",function(){this.removeElem()}),this.hide()):this.removeElem()},t.reveal=function(){delete this.isHidden,this.css({display:""});var t=this.layout.options,e={};e[this.getHideRevealTransitionEndProperty("visibleStyle")]=this.onRevealTransitionEnd,this.transition({from:t.hiddenStyle,to:t.visibleStyle,isCleaning:!0,onTransitionEnd:e})},t.onRevealTransitionEnd=function(){this.isHidden||this.emitEvent("reveal")},t.getHideRevealTransitionEndProperty=function(t){var e,t=this.layout.options[t];if(t.opacity)return"opacity";for(e in t)return e},t.hide=function(){this.isHidden=!0,this.css({display:""});var t=this.layout.options,e={};e[this.getHideRevealTransitionEndProperty("hiddenStyle")]=this.onHideTransitionEnd,this.transition({from:t.visibleStyle,to:t.hiddenStyle,isCleaning:!0,onTransitionEnd:e})},t.onHideTransitionEnd=function(){this.isHidden&&(this.css({display:"none"}),this.emitEvent("hide"))},t.destroy=function(){this.css({position:"",left:"",right:"",top:"",bottom:"",transition:"",transform:""})},r}),function(o,s){"use strict";"function"==typeof define&&define.amd?define("outlayer/outlayer",["ev-emitter/ev-emitter","get-size/get-size","fizzy-ui-utils/utils","./item"],function(t,e,i,n){return s(o,t,e,i,n)}):"object"==typeof module&&module.exports?module.exports=s(o,require("ev-emitter"),require("get-size"),require("fizzy-ui-utils"),require("./item")):o.Outlayer=s(o,o.EvEmitter,o.getSize,o.fizzyUIUtils,o.Outlayer.Item)}(window,function(t,e,o,n,s){"use strict";function i(){}var r=t.console,a=t.jQuery,h=0,u={};function d(t,e){var i=n.getQueryElement(t);i?(this.element=i,a&&(this.$element=a(this.element)),this.options=n.extend({},this.constructor.defaults),this.option(e),e=++h,this.element.outlayerGUID=e,(u[e]=this)._create(),this._getOption("initLayout")&&this.layout()):r&&r.error("Bad element for "+this.constructor.namespace+": "+(i||t))}d.namespace="outlayer",d.Item=s,d.defaults={containerStyle:{position:"relative"},initLayout:!0,originLeft:!0,originTop:!0,resize:!0,resizeContainer:!0,transitionDuration:"0.4s",hiddenStyle:{opacity:0,transform:"scale(0.001)"},visibleStyle:{opacity:1,transform:"scale(1)"}};var l=d.prototype;function c(t){function e(){t.apply(this,arguments)}return(e.prototype=Object.create(t.prototype)).constructor=e}n.extend(l,e.prototype),l.option=function(t){n.extend(this.options,t)},l._getOption=function(t){var e=this.constructor.compatOptions[t];return e&&void 0!==this.options[e]?this.options[e]:this.options[t]},d.compatOptions={initLayout:"isInitLayout",horizontal:"isHorizontal",layoutInstant:"isLayoutInstant",originLeft:"isOriginLeft",originTop:"isOriginTop",resize:"isResizeBound",resizeContainer:"isResizingContainer"},l._create=function(){this.reloadItems(),this.stamps=[],this.stamp(this.options.stamp),n.extend(this.element.style,this.options.containerStyle),this._getOption("resize")&&this.bindResize()},l.reloadItems=function(){this.items=this._itemize(this.element.children)},l._itemize=function(t){for(var e=this._filterFindItemElements(t),i=this.constructor.Item,n=[],o=0;o<e.length;o++){var s=new i(e[o],this);n.push(s)}return n},l._filterFindItemElements=function(t){return n.filterFindElements(t,this.options.itemSelector)},l.getItemElements=function(){return this.items.map(function(t){return t.element})},l.layout=function(){this._resetLayout(),this._manageStamps();var t=this._getOption("layoutInstant"),t=void 0!==t?t:!this._isLayoutInited;this.layoutItems(this.items,t),this._isLayoutInited=!0},l._init=l.layout,l._resetLayout=function(){this.getSize()},l.getSize=function(){this.size=o(this.element)},l._getMeasurement=function(t,e){var i,n=this.options[t];n?("string"==typeof n?i=this.element.querySelector(n):n instanceof HTMLElement&&(i=n),this[t]=i?o(i)[e]:n):this[t]=0},l.layoutItems=function(t,e){t=this._getItemsForLayout(t),this._layoutItems(t,e),this._postLayout()},l._getItemsForLayout=function(t){return t.filter(function(t){return!t.isIgnored})},l._layoutItems=function(t,i){var n;this._emitCompleteOnItems("layout",t),t&&t.length&&(n=[],t.forEach(function(t){var e=this._getItemLayoutPosition(t);e.item=t,e.isInstant=i||t.isLayoutInstant,n.push(e)},this),this._processLayoutQueue(n))},l._getItemLayoutPosition=function(){return{x:0,y:0}},l._processLayoutQueue=function(t){this.updateStagger(),t.forEach(function(t,e){this._positionItem(t.item,t.x,t.y,t.isInstant,e)},this)},l.updateStagger=function(){var t=this.options.stagger;if(null!=t)return this.stagger=function(t){if("number"==typeof t)return t;var t=t.match(/(^\d*\.?\d*)(\w*)/),e=t&&t[1],t=t&&t[2];if(!e.length)return 0;e=parseFloat(e);t=f[t]||1;return e*t}(t),this.stagger;this.stagger=0},l._positionItem=function(t,e,i,n,o){n?t.goTo(e,i):(t.stagger(o*this.stagger),t.moveTo(e,i))},l._postLayout=function(){this.resizeContainer()},l.resizeContainer=function(){var t;!this._getOption("resizeContainer")||(t=this._getContainerSize())&&(this._setContainerMeasure(t.width,!0),this._setContainerMeasure(t.height,!1))},l._getContainerSize=i,l._setContainerMeasure=function(t,e){var i;void 0!==t&&((i=this.size).isBorderBox&&(t+=e?i.paddingLeft+i.paddingRight+i.borderLeftWidth+i.borderRightWidth:i.paddingBottom+i.paddingTop+i.borderTopWidth+i.borderBottomWidth),t=Math.max(t,0),this.element.style[e?"width":"height"]=t+"px")},l._emitCompleteOnItems=function(e,t){var i=this;function n(){i.dispatchEvent(e+"Complete",null,[t])}var o,s=t.length;function r(){++o==s&&n()}t&&s?(o=0,t.forEach(function(t){t.once(e,r)})):n()},l.dispatchEvent=function(t,e,i){var n=e?[e].concat(i):i;this.emitEvent(t,n),a&&(this.$element=this.$element||a(this.element),e?((n=a.Event(e)).type=t,this.$element.trigger(n,i)):this.$element.trigger(t,i))},l.ignore=function(t){t=this.getItem(t);t&&(t.isIgnored=!0)},l.unignore=function(t){t=this.getItem(t);t&&delete t.isIgnored},l.stamp=function(t){(t=this._find(t))&&(this.stamps=this.stamps.concat(t),t.forEach(this.ignore,this))},l.unstamp=function(t){(t=this._find(t))&&t.forEach(function(t){n.removeFrom(this.stamps,t),this.unignore(t)},this)},l._find=function(t){if(t)return"string"==typeof t&&(t=this.element.querySelectorAll(t)),t=n.makeArray(t)},l._manageStamps=function(){this.stamps&&this.stamps.length&&(this._getBoundingRect(),this.stamps.forEach(this._manageStamp,this))},l._getBoundingRect=function(){var t=this.element.getBoundingClientRect(),e=this.size;this._boundingRect={left:t.left+e.paddingLeft+e.borderLeftWidth,top:t.top+e.paddingTop+e.borderTopWidth,right:t.right-(e.paddingRight+e.borderRightWidth),bottom:t.bottom-(e.paddingBottom+e.borderBottomWidth)}},l._manageStamp=i,l._getElementOffset=function(t){var e=t.getBoundingClientRect(),i=this._boundingRect,t=o(t);return{left:e.left-i.left-t.marginLeft,top:e.top-i.top-t.marginTop,right:i.right-e.right-t.marginRight,bottom:i.bottom-e.bottom-t.marginBottom}},l.handleEvent=n.handleEvent,l.bindResize=function(){t.addEventListener("resize",this),this.isResizeBound=!0},l.unbindResize=function(){t.removeEventListener("resize",this),this.isResizeBound=!1},l.onresize=function(){this.resize()},n.debounceMethod(d,"onresize",100),l.resize=function(){this.isResizeBound&&this.needsResizeLayout()&&this.layout()},l.needsResizeLayout=function(){var t=o(this.element);return this.size&&t&&t.innerWidth!==this.size.innerWidth},l.addItems=function(t){t=this._itemize(t);return t.length&&(this.items=this.items.concat(t)),t},l.appended=function(t){t=this.addItems(t);t.length&&(this.layoutItems(t,!0),this.reveal(t))},l.prepended=function(t){var e,t=this._itemize(t);t.length&&(e=this.items.slice(0),this.items=t.concat(e),this._resetLayout(),this._manageStamps(),this.layoutItems(t,!0),this.reveal(t),this.layoutItems(e))},l.reveal=function(t){var i;this._emitCompleteOnItems("reveal",t),t&&t.length&&(i=this.updateStagger(),t.forEach(function(t,e){t.stagger(e*i),t.reveal()}))},l.hide=function(t){var i;this._emitCompleteOnItems("hide",t),t&&t.length&&(i=this.updateStagger(),t.forEach(function(t,e){t.stagger(e*i),t.hide()}))},l.revealItemElements=function(t){t=this.getItems(t);this.reveal(t)},l.hideItemElements=function(t){t=this.getItems(t);this.hide(t)},l.getItem=function(t){for(var e=0;e<this.items.length;e++){var i=this.items[e];if(i.element==t)return i}},l.getItems=function(t){t=n.makeArray(t);var e=[];return t.forEach(function(t){t=this.getItem(t);t&&e.push(t)},this),e},l.remove=function(t){t=this.getItems(t);this._emitCompleteOnItems("remove",t),t&&t.length&&t.forEach(function(t){t.remove(),n.removeFrom(this.items,t)},this)},l.destroy=function(){var t=this.element.style,t=(t.height="",t.position="",t.width="",this.items.forEach(function(t){t.destroy()}),this.unbindResize(),this.element.outlayerGUID);delete u[t],delete this.element.outlayerGUID,a&&a.removeData(this.element,this.constructor.namespace)},d.data=function(t){t=(t=n.getQueryElement(t))&&t.outlayerGUID;return t&&u[t]},d.create=function(t,e){var i=c(d);return i.defaults=n.extend({},d.defaults),n.extend(i.defaults,e),i.compatOptions=n.extend({},d.compatOptions),i.namespace=t,i.data=d.data,i.Item=c(s),n.htmlInit(i,t),a&&a.bridget&&a.bridget(t,i),i};var f={ms:1,s:1e3};return d.Item=s,d}),function(t,e){"function"==typeof define&&define.amd?define(["outlayer/outlayer","get-size/get-size"],e):"object"==typeof module&&module.exports?module.exports=e(require("outlayer"),require("get-size")):t.Masonry=e(t.Outlayer,t.getSize)}(window,function(t,a){var t=t.create("masonry"),e=(t.compatOptions.fitWidth="isFitWidth",t.prototype);return e._resetLayout=function(){this.getSize(),this._getMeasurement("columnWidth","outerWidth"),this._getMeasurement("gutter","outerWidth"),this.measureColumns(),this.colYs=[];for(var t=0;t<this.cols;t++)this.colYs.push(0);this.maxY=0,this.horizontalColIndex=0},e.measureColumns=function(){this.getContainerWidth(),this.columnWidth||(t=(t=this.items[0])&&t.element,this.columnWidth=t&&a(t).outerWidth||this.containerWidth);var t=this.columnWidth+=this.gutter,e=this.containerWidth+this.gutter,i=e/t,e=t-e%t,i=Math[e&&e<1?"round":"floor"](i);this.cols=Math.max(i,1)},e.getContainerWidth=function(){var t=this._getOption("fitWidth")?this.element.parentNode:this.element,t=a(t);this.containerWidth=t&&t.innerWidth},e._getItemLayoutPosition=function(t){t.getSize();for(var e=t.size.outerWidth%this.columnWidth,e=Math[e&&e<1?"round":"ceil"](t.size.outerWidth/this.columnWidth),e=Math.min(e,this.cols),i=this[this.options.horizontalOrder?"_getHorizontalColPosition":"_getTopColPosition"](e,t),n={x:this.columnWidth*i.col,y:i.y},o=i.y+t.size.outerHeight,s=e+i.col,r=i.col;r<s;r++)this.colYs[r]=o;return n},e._getTopColPosition=function(t){var t=this._getTopColGroup(t),e=Math.min.apply(Math,t);return{col:t.indexOf(e),y:e}},e._getTopColGroup=function(t){if(t<2)return this.colYs;for(var e=[],i=this.cols+1-t,n=0;n<i;n++)e[n]=this._getColGroupY(n,t);return e},e._getColGroupY=function(t,e){return e<2?this.colYs[t]:(t=this.colYs.slice(t,t+e),Math.max.apply(Math,t))},e._getHorizontalColPosition=function(t,e){var i=this.horizontalColIndex%this.cols,i=1<t&&i+t>this.cols?0:i,e=e.size.outerWidth&&e.size.outerHeight;return this.horizontalColIndex=e?i+t:this.horizontalColIndex,{col:i,y:this._getColGroupY(i,t)}},e._manageStamp=function(t){var e=a(t),t=this._getElementOffset(t),i=this._getOption("originLeft")?t.left:t.right,n=i+e.outerWidth,i=Math.floor(i/this.columnWidth),i=Math.max(0,i),o=Math.floor(n/this.columnWidth);o-=n%this.columnWidth?0:1;for(var o=Math.min(this.cols-1,o),s=(this._getOption("originTop")?t.top:t.bottom)+e.outerHeight,r=i;r<=o;r++)this.colYs[r]=Math.max(s,this.colYs[r])},e._getContainerSize=function(){this.maxY=Math.max.apply(Math,this.colYs);var t={height:this.maxY};return this._getOption("fitWidth")&&(t.width=this._getContainerFitWidth()),t},e._getContainerFitWidth=function(){for(var t=0,e=this.cols;--e&&0===this.colYs[e];)t++;return(this.cols-t)*this.columnWidth-this.gutter},e.needsResizeLayout=function(){var t=this.containerWidth;return this.getContainerWidth(),t!=this.containerWidth},t});!function(l){function a(t,e){return"function"==typeof t?t.call(e):t}function o(t,e){this.$element=l(t),this.options=e,this.enabled=!0,this.fixTitle()}o.prototype={show:function(){var t=this.getTitle();if(t&&this.enabled){var e,i=this.tip(),s=(i.find(".tipsy-inner")[this.options.html?"html":"text"](t),i[0].className="tipsy",i.remove().css({top:0,left:0,visibility:"hidden",display:"block"}).prependTo(document.body),l.extend({},this.$element.offset(),{width:this.$element[0].offsetWidth,height:this.$element[0].offsetHeight})),n=i[0].offsetWidth,o=i[0].offsetHeight,t=a(this.options.gravity,this.$element[0]);switch(t.charAt(0)){case"n":e={top:s.top+s.height+this.options.offset,left:s.left+s.width/2-n/2};break;case"s":e={top:s.top-o-this.options.offset,left:s.left+s.width/2-n/2};break;case"e":e={top:s.top+s.height/2-o/2,left:s.left-n-this.options.offset};break;case"w":e={top:s.top+s.height/2-o/2,left:s.left+s.width+this.options.offset}}2==t.length&&("w"==t.charAt(1)?e.left=s.left+s.width/2-15:e.left=s.left+s.width/2-n+15),i.css(e).addClass("tipsy-"+t),i.find(".tipsy-arrow")[0].className="tipsy-arrow tipsy-arrow-"+t.charAt(0),this.options.className&&i.addClass(a(this.options.className,this.$element[0])),this.options.fade?i.stop().css({opacity:0,display:"block",visibility:"visible"}).animate({opacity:this.options.opacity}):i.css({visibility:"visible",opacity:this.options.opacity})}},hide:function(){this.options.fade?this.tip().stop().fadeOut(function(){l(this).remove()}):this.tip().remove()},fixTitle:function(){var t=this.$element;!t.attr("title")&&"string"==typeof t.attr("original-title")||t.attr("original-title",t.attr("title")||"").removeAttr("title")},getTitle:function(){var t,e=this.$element,i=this.options;return this.fixTitle(),"string"==typeof(i=this.options).title?t=e.attr("title"==i.title?"original-title":i.title):"function"==typeof i.title&&(t=i.title.call(e[0])),(t=(""+t).replace(/(^\s*|\s*$)/,""))||i.fallback},tip:function(){return this.$tip||(this.$tip=l('<div class="tipsy"></div>').html('<div class="tipsy-arrow"></div><div class="tipsy-inner"></div>')),this.$tip},validate:function(){this.$element[0].parentNode||(this.hide(),this.$element=null,this.options=null)},enable:function(){this.enabled=!0},disable:function(){this.enabled=!1},toggleEnabled:function(){this.enabled=!this.enabled}},l.fn.tipsy=function(i){var t,e,s;return l.fn.tipsy.enable(),!0===i?this.data("tipsy"):("string"==typeof i?(t=this.data("tipsy"))&&t[i]():((i=l.extend({},l.fn.tipsy.defaults,i)).live||this.each(function(){n(this)}),"manual"!=i.trigger&&(t=i.live?"live":"bind",e="hover"==i.trigger?"mouseenter":"focus",s="hover"==i.trigger?"mouseleave":"blur",this[t](e,function(){var t;!0===l.fn.tipsy.enabled&&((t=n(this)).hoverState="in",0==i.delayIn?t.show():(t.fixTitle(),setTimeout(function(){"in"==t.hoverState&&t.show()},i.delayIn)))})[t](s,function(){var t=n(this);t.hoverState="out",0==i.delayOut?t.hide():setTimeout(function(){"out"==t.hoverState&&t.hide()},i.delayOut)}))),this);function n(t){var e=l.data(t,"tipsy");return e||(e=new o(t,l.fn.tipsy.elementOptions(t,i)),l.data(t,"tipsy",e)),e}},l.fn.tipsy.defaults={className:null,delayIn:0,delayOut:0,fade:!1,fallback:"",gravity:"n",html:!1,live:!1,offset:0,opacity:.8,title:"title",trigger:"hover"},l.fn.tipsy.enable=function(){l.fn.tipsy.enabled=!0},l.fn.tipsy.disable=function(){l.fn.tipsy.enabled=!1},l.fn.tipsy.elementOptions=function(t,e){return l.metadata?l.extend({},e,l(t).metadata()):e},l.fn.tipsy.autoNS=function(){return l(this).offset().top>l(document).scrollTop()+l(window).height()/2?"s":"n"},l.fn.tipsy.autoWE=function(){return l(this).offset().left>l(document).scrollLeft()+l(window).width()/2?"e":"w"},l.fn.tipsy.autoBounds=function(n,o){return function(){var t={ns:o[0],ew:1<o.length&&o[1]},e=l(document).scrollTop()+n,i=l(document).scrollLeft()+n,s=l(this);return s.offset().top<e&&(t.ns="n"),s.offset().left<i&&(t.ew="w"),l(window).width()+l(document).scrollLeft()-s.offset().left<n&&(t.ew="e"),l(window).height()+l(document).scrollTop()-s.offset().top<n&&(t.ns="s"),t.ns+(t.ew||"")}}}(jQuery);jQuery(window).load(function () {
jQuery('.flexslider').each(function () {
var e = jQuery(this), i = jQuery(this).find('ul.slides li').length, a = 1000 * parseInt(e.attr('data-interval')), t = e.attr('data-flex_fx'), l = (e.attr('data-smooth-height'), 0 != a && a ? !0 : !1);
slidesNavi = 1 < i, e.flexslider({
animation: t,
slideshow: l,
slideshowSpeed: a,
sliderSpeed: 800,
smoothHeight: !1,
directionNav: slidesNavi,
prevText: '<i class="fa fa-angle-left"></i>',
nextText: '<i class="fa fa-angle-right"></i>',
controlNav: !1
});
});
});$((jQuery, void jQuery(window).load(function () {
strstr(window.location.href, 'vc_editable=true') || jQuery('body').find('.clients_carousel').each(function () {
var a = jQuery(this), t = a.attr('data-timeout'), e = a.attr('data-visible-items'), i = a.attr('data-autoplay'), o = a.attr('data-navigation'), r = a.attr('show-nav'), s = a.attr('data-0'), d = a.attr('data-480'), n = a.attr('data-768'), l = a.attr('data-992'), u = (u = a.attr('data-speed')) || 400, p = r && 'no' !== r ? (r = !0, ['<i class="fa fa-angle-left"></i>','<i class="fa fa-angle-right"></i>']) : (r = !1, ''), i = 'true' === i, o = 'yes' === o, y = 'no' === (y = a.attr('data-items-margin')) ? 0 : 30;
a.owlCarousel({
items: parseInt(e),
margin: y,
loop: !0,
nav: r,
lazyLoad: !0,
navText: p,
autoplay: i,
autoplayTimeout: t,
autoplayHoverPause: !0,
autoplaySpeed: 1000,
dragEndSpeed: u,
dotsSpeed: u,
dots: o,
navRewind: !0,
responsive: {
0: { items: Number(s) },
480: { items: parseInt(d) },
768: { items: parseInt(n) },
992: { items: parseInt(l) },
1200: { items: parseInt(e) }
}
});
}), jQuery('body').find('.cr_owl_slideshow').each(function () {
var a = jQuery(this), t = a.attr('data-timeout'), e = (a.attr('data-visible-items'), a.attr('data-autoplay'), a.attr('data-autoplay')), i = (a.attr('data-items-margin'), a.attr('data-autoplay-en')), e = e || 400;
dotsNavigation = !1, a.owlCarousel({
items: 1,
margin: 0,
loop: !0,
nav: !0,
autoHeight: !0,
navText: ['<i class="fa fa-angle-left"></i>','<i class="fa fa-angle-right"></i>'],
autoplay: i = 0 == t ? !1 : i,
autoplayTimeout: t,
autoplayHoverPause: !0,
autoplaySpeed: e,
navSpeed: e,
dragEndSpeed: e,
dots: !1,
lazyLoad: !0,
checkVisible: !0
});
});
})));jQuery('.magnific_popup_gallery').magnificPopup({
type: 'image',
callbacks: {
imageLoadComplete: function () {
var e = this;
setTimeout(function () {
e.wrap.addClass('mfp-image-loaded');
}, 10);
},
beforeOpen: function () {
this.st.image.markup = this.st.image.markup.replace('mfp-figure', 'mfp-figure mfp-with-anim');
},
open: function () {
$.magnificPopup.instance.next = function () {
var e = this;
this.wrap.removeClass('mfp-image-loaded'), setTimeout(function () {
$.magnificPopup.proto.next.call(e);
}, 100);
}, $.magnificPopup.instance.prev = function () {
var e = this;
this.wrap.removeClass('mfp-image-loaded'), setTimeout(function () {
$.magnificPopup.proto.prev.call(e);
}, 100);
};
}
},
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
removalDelay: 400,
gallery: { enabled: !0 }
}), jQuery('.single_post_featured ul').magnificPopup({
delegate: 'a.single-post-gallery',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !0 }
}), jQuery('.wpb_image_grid_ul').magnificPopup({
delegate: 'a.prettyphoto',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !0 }
}), jQuery('.wpb_gallery_slides ul li').magnificPopup({
delegate: 'a.prettyphoto',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !0 }
}), jQuery('.wpb_gallery_slides .nivoSlider').magnificPopup({
delegate: 'a.prettyphoto',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !0 }
}), jQuery('.cr-instagram-widget .prettyphoto').magnificPopup({
delegate: 'a.magnific_pop',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !0 }
}), jQuery('.fancybox').magnificPopup({
delegate: 'a.fancy-popup',
type: 'image',
fixedContentPos: !1,
mainClass: 'mfp-zoom-in',
gallery: { enabled: !1 }
});jQuery(window).load(function () {
jQuery('.recent_posts_container, .home.blog, .archive').each(function () {
jQuery('.grid-masonry').masonry({
itemSelector: '.posts-grid-item',
columnWidth: '.posts-grid-item',
isInitLayout: !0,
isResizeBound: !0,
gutter: '.gutter-sizer',
percentPosition: !0
});
}), jQuery('.grid-masonry-page-template').masonry({
itemSelector: '.posts-grid-item',
columnWidth: '.posts-grid-item',
gutter: '.gutter-sizer',
percentPosition: !0
});
});
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-includes/js/comment-reply.min.js?ver=ba2b1d75f486d5395c9940671a8ae03f" id="comment-reply-js" async="async" data-wp-strategy="async"></script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/themes/creativo/assets/js/smoothscroll.js?ver=6" id="smoothscroll-js"></script>
<script type="text/javascript" id="wprm-public-js-extra">
/* <![CDATA[ */
var wprm_public = {"user":"0","endpoints":{"analytics":"https:\/\/bitsofcarey.com\/wp-json\/wp-recipe-maker\/v1\/analytics","integrations":"https:\/\/bitsofcarey.com\/wp-json\/wp-recipe-maker\/v1\/integrations","manage":"https:\/\/bitsofcarey.com\/wp-json\/wp-recipe-maker\/v1\/manage"},"settings":{"features_comment_ratings":true,"template_color_comment_rating":"#343434","instruction_media_toggle_default":"on","video_force_ratio":false,"analytics_enabled":false,"google_analytics_enabled":false,"print_new_tab":true,"print_recipe_identifier":"slug"},"post_id":"8523","home_url":"https:\/\/bitsofcarey.com\/","print_slug":"wprm_print","permalinks":"\/%postname%\/","ajax_url":"https:\/\/bitsofcarey.com\/wp-admin\/admin-ajax.php","nonce":"18839014be","api_nonce":"a77d717358","translations":[],"version":{"free":"9.6.0","pro":"9.5.4"}};
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.js?ver=9.6.0" id="wprm-public-js"></script>
<script type="text/javascript" id="wprmp-public-js-extra">
/* <![CDATA[ */
var wprmp_public = {"user":"0","endpoints":{"private_notes":"https:\/\/bitsofcarey.com\/wp-json\/wp-recipe-maker\/v1\/private-notes","user_rating":"https:\/\/bitsofcarey.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_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":false,"decimal_separator":"point","features_comment_ratings":true,"features_user_ratings":false,"user_ratings_type":"modal","user_ratings_modal_title":"Rate This Recipe","user_ratings_thank_you_title":"Thank You!","user_ratings_thank_you_message_with_comment":"","user_ratings_problem_message":"There was a problem rating this recipe. Please try again later.","user_ratings_force_comment_scroll_to":"","user_ratings_open_url_parameter":"rate","user_ratings_require_comment":true,"user_ratings_require_name":true,"user_ratings_require_email":true,"user_ratings_comment_suggestions_enabled":"never","rating_details_zero":"No ratings yet","rating_details_one":"%average% from 1 vote","rating_details_multiple":"%average% from %votes% votes","rating_details_user_voted":"(Your vote: %user%)","rating_details_user_not_voted":"(Click on the stars to vote!)","servings_changer_display":"tooltip_slider","template_ingredient_list_style":"disc","template_instruction_list_style":"decimal","template_color_icon":"#343434"},"timer":{"sound_file":"https:\/\/bitsofcarey.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":67108864,"text":{"image_size":"The image file is too large"}}};
/* ]]> */
</script>
<script type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.js?ver=9.5.4" id="wprmp-public-js"></script>
<script defer type="text/javascript" src="https://bitsofcarey.com/wp-content/plugins/akismet/_inc/akismet-frontend.js?ver=1720674634" id="akismet-frontend-js"></script>
<style type="text/css">.wprm-recipe-template-2 {
margin: 20px auto;
background-color: #ffffff; /*wprm_background type=color*/
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif; /*wprm_main_font_family type=font*/
font-size: 1em; /*wprm_main_font_size type=font_size*/
line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
color: #666666; /*wprm_main_text type=color*/
max-width: 950px; /*wprm_max_width type=size*/
}
.wprm-recipe-template-2 a {
color: #098291; /*wprm_link type=color*/
}
.wprm-recipe-template-2 p, .wprm-recipe-template-2 li {
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif; /*wprm_main_font_family type=font*/
font-size: 1em !important;
line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
}
.wprm-recipe-template-2 li {
margin: 0 0 0 32px !important;
padding: 0 !important;
}
.rtl .wprm-recipe-template-2 li {
margin: 0 32px 0 0 !important;
}
.wprm-recipe-template-2 ol, .wprm-recipe-template-2 ul {
margin: 0 !important;
padding: 0 !important;
}
.wprm-recipe-template-2 br {
display: none;
}
.wprm-recipe-template-2 .wprm-recipe-name,
.wprm-recipe-template-2 .wprm-recipe-header {
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif; /*wprm_header_font_family type=font*/
color: #212121; /*wprm_header_text type=color*/
line-height: 1.3em; /*wprm_header_line_height type=font_size*/
}
.wprm-recipe-template-2 h1,
.wprm-recipe-template-2 h2,
.wprm-recipe-template-2 h3,
.wprm-recipe-template-2 h4,
.wprm-recipe-template-2 h5,
.wprm-recipe-template-2 h6 {
font-family: -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif; /*wprm_header_font_family type=font*/
color: #212121; /*wprm_header_text type=color*/
line-height: 1.3em; /*wprm_header_line_height type=font_size*/
margin: 0 !important;
padding: 0 !important;
}
.wprm-recipe-template-2 .wprm-recipe-header {
margin-top: 1.2em !important;
}
.wprm-recipe-template-2 h1 {
font-size: 2em; /*wprm_h1_size type=font_size*/
}
.wprm-recipe-template-2 h2 {
font-size: 1.8em; /*wprm_h2_size type=font_size*/
}
.wprm-recipe-template-2 h3 {
font-size: 1.2em; /*wprm_h3_size type=font_size*/
}
.wprm-recipe-template-2 h4 {
font-size: 1em; /*wprm_h4_size type=font_size*/
}
.wprm-recipe-template-2 h5 {
font-size: 1em; /*wprm_h5_size type=font_size*/
}
.wprm-recipe-template-2 h6 {
font-size: 1em; /*wprm_h6_size type=font_size*/
}.wprm-recipe-template-2 {
font-size: 1em; /*wprm_main_font_size type=font_size*/
border-style: solid; /*wprm_border_style type=border*/
border-width: 1px; /*wprm_border_width type=size*/
border-color: #E0E0E0; /*wprm_border type=color*/
padding: 10px;
background-color: #ffffff; /*wprm_background type=color*/
max-width: 950px; /*wprm_max_width type=size*/
}
.wprm-recipe-template-2 a {
color: #098291; /*wprm_link type=color*/
}
.wprm-recipe-template-2 .wprm-recipe-name {
line-height: 1.3em;
font-weight: bold;
}
.wprm-recipe-template-2 .wprm-template-chic-buttons {
clear: both;
font-size: 0.9em;
text-align: center;
}
.wprm-recipe-template-2 .wprm-template-chic-buttons .wprm-recipe-icon {
margin-right: 5px;
}
.wprm-recipe-template-2 .wprm-recipe-header {
margin-bottom: 0.5em !important;
}
.wprm-recipe-template-2 .wprm-nutrition-label-container {
font-size: 0.9em;
}
.wprm-recipe-template-2 .wprm-call-to-action {
border-radius: 3px;
}</style></body>
</html>
|