1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792
2793
2794
2795
2796
2797
2798
2799
2800
2801
2802
2803
2804
2805
2806
2807
2808
2809
2810
2811
2812
2813
2814
2815
2816
2817
2818
2819
2820
2821
2822
2823
2824
2825
2826
2827
2828
2829
2830
2831
2832
2833
2834
2835
2836
2837
2838
2839
2840
2841
2842
2843
2844
2845
2846
2847
2848
2849
2850
2851
2852
2853
2854
2855
2856
2857
2858
2859
2860
2861
2862
2863
2864
2865
2866
2867
2868
2869
2870
2871
2872
2873
2874
2875
2876
2877
2878
2879
2880
2881
2882
2883
2884
2885
2886
2887
2888
2889
2890
2891
2892
2893
2894
2895
2896
2897
2898
2899
2900
2901
2902
2903
2904
2905
2906
2907
2908
2909
2910
2911
2912
2913
2914
2915
2916
2917
2918
2919
2920
2921
2922
2923
2924
2925
2926
2927
2928
2929
2930
2931
2932
2933
2934
2935
2936
2937
2938
2939
2940
2941
2942
2943
2944
2945
2946
2947
2948
2949
2950
2951
2952
2953
2954
2955
2956
2957
2958
2959
2960
2961
2962
2963
2964
2965
2966
2967
2968
2969
2970
2971
2972
2973
2974
2975
2976
2977
2978
2979
2980
2981
2982
2983
2984
2985
2986
2987
2988
2989
2990
2991
2992
2993
2994
2995
2996
2997
2998
2999
3000
3001
3002
3003
3004
3005
3006
3007
3008
3009
3010
3011
3012
3013
3014
3015
3016
3017
3018
3019
3020
3021
3022
3023
3024
3025
3026
3027
3028
3029
3030
3031
3032
3033
3034
3035
3036
3037
3038
3039
3040
3041
3042
3043
3044
3045
3046
3047
3048
3049
3050
3051
3052
3053
3054
3055
3056
3057
3058
3059
3060
3061
3062
3063
3064
3065
3066
3067
3068
3069
3070
3071
3072
3073
3074
3075
3076
3077
3078
3079
3080
3081
3082
3083
3084
3085
3086
3087
3088
3089
3090
3091
3092
3093
3094
3095
3096
3097
3098
3099
3100
3101
3102
3103
3104
3105
3106
3107
3108
3109
3110
3111
3112
3113
3114
3115
3116
3117
3118
3119
3120
3121
3122
3123
3124
3125
3126
3127
3128
3129
3130
3131
3132
3133
3134
3135
3136
3137
3138
3139
3140
3141
3142
3143
3144
3145
3146
3147
3148
3149
3150
3151
3152
3153
3154
3155
3156
3157
3158
3159
3160
3161
3162
3163
3164
3165
3166
3167
3168
3169
3170
3171
3172
3173
3174
3175
3176
3177
3178
3179
3180
3181
3182
3183
3184
3185
3186
3187
3188
3189
3190
3191
3192
3193
3194
3195
3196
3197
3198
3199
3200
3201
3202
3203
3204
3205
3206
3207
3208
3209
3210
3211
3212
3213
3214
3215
3216
3217
3218
3219
3220
3221
3222
3223
3224
3225
3226
3227
3228
3229
3230
3231
3232
3233
3234
3235
3236
3237
3238
3239
3240
3241
3242
3243
3244
3245
3246
3247
3248
3249
3250
3251
3252
3253
3254
3255
3256
3257
3258
3259
3260
3261
3262
3263
3264
3265
3266
3267
3268
3269
3270
3271
3272
3273
3274
3275
3276
3277
3278
3279
3280
3281
3282
3283
3284
3285
3286
3287
3288
3289
3290
3291
3292
3293
3294
3295
3296
3297
3298
3299
3300
3301
3302
3303
3304
3305
3306
3307
3308
3309
3310
3311
3312
3313
3314
3315
3316
3317
3318
3319
3320
3321
3322
3323
3324
3325
3326
3327
3328
3329
3330
3331
3332
3333
3334
3335
3336
3337
3338
3339
3340
3341
3342
3343
3344
3345
3346
3347
3348
3349
3350
3351
3352
3353
3354
3355
3356
3357
3358
3359
3360
3361
3362
3363
3364
3365
3366
3367
3368
3369
3370
3371
3372
3373
3374
3375
3376
3377
3378
3379
3380
3381
3382
3383
3384
3385
3386
3387
3388
3389
3390
3391
3392
3393
3394
3395
3396
3397
3398
3399
3400
3401
3402
3403
3404
3405
3406
3407
3408
3409
3410
3411
3412
3413
3414
3415
3416
3417
3418
3419
3420
3421
3422
3423
3424
3425
3426
3427
3428
3429
3430
3431
3432
3433
3434
3435
3436
3437
3438
3439
3440
3441
3442
3443
3444
3445
3446
3447
3448
3449
3450
3451
3452
3453
3454
3455
3456
3457
3458
3459
3460
3461
3462
3463
3464
3465
3466
3467
3468
3469
3470
3471
3472
3473
3474
3475
3476
3477
3478
3479
3480
3481
3482
3483
3484
3485
3486
3487
3488
3489
3490
3491
3492
3493
3494
3495
3496
3497
3498
3499
3500
3501
3502
3503
3504
3505
3506
3507
3508
3509
3510
3511
3512
3513
3514
3515
3516
3517
3518
3519
3520
3521
3522
3523
3524
3525
3526
3527
3528
3529
3530
3531
3532
3533
3534
3535
3536
3537
3538
3539
3540
3541
3542
3543
3544
3545
3546
3547
3548
3549
3550
3551
3552
3553
3554
3555
3556
3557
3558
3559
3560
3561
3562
3563
3564
3565
3566
3567
3568
3569
3570
3571
3572
3573
3574
3575
3576
3577
3578
3579
3580
3581
3582
3583
3584
3585
3586
3587
3588
3589
3590
3591
3592
3593
3594
3595
3596
3597
3598
3599
3600
3601
3602
3603
3604
3605
3606
3607
3608
3609
3610
3611
3612
3613
3614
3615
3616
3617
3618
3619
3620
3621
3622
3623
3624
3625
3626
3627
3628
3629
3630
3631
3632
3633
3634
3635
3636
3637
3638
3639
3640
3641
3642
3643
3644
3645
3646
3647
3648
3649
3650
3651
3652
3653
3654
3655
3656
3657
3658
3659
3660
3661
3662
3663
3664
3665
3666
3667
3668
3669
3670
3671
3672
3673
3674
3675
3676
3677
3678
3679
3680
3681
3682
3683
3684
3685
3686
3687
3688
3689
3690
3691
3692
3693
|
<!DOCTYPE html>
<html lang="en-US">
<head ><meta charset="UTF-8" /><script>if(navigator.userAgent.match(/MSIE|Internet Explorer/i)||navigator.userAgent.match(/Trident\/7\..*?rv:11/i)){var href=document.location.href;if(!href.match(/[?&]nowprocket/)){if(href.indexOf("?")==-1){if(href.indexOf("#")==-1){document.location.href=href+"?nowprocket=1"}else{document.location.href=href.replace("#","?nowprocket=1#")}}else{if(href.indexOf("#")==-1){document.location.href=href+"&nowprocket=1"}else{document.location.href=href.replace("#","&nowprocket=1#")}}}}</script><script>(()=>{class RocketLazyLoadScripts{constructor(){this.v="2.0.2",this.userEvents=["keydown","keyup","mousedown","mouseup","mousemove","mouseover","mouseenter","mouseout","mouseleave","touchmove","touchstart","touchend","touchcancel","wheel","click","dblclick","input","visibilitychange"],this.attributeEvents=["onblur","onclick","oncontextmenu","ondblclick","onfocus","onmousedown","onmouseenter","onmouseleave","onmousemove","onmouseout","onmouseover","onmouseup","onmousewheel","onscroll","onsubmit"]}async t(){this.i(),this.o(),/iP(ad|hone)/.test(navigator.userAgent)&&this.h(),this.u(),this.l(this),this.m(),this.k(this),this.p(this),this._(),await Promise.all([this.R(),this.L()]),this.lastBreath=Date.now(),this.S(this),this.P(),this.D(),this.O(),this.M(),await this.C(this.delayedScripts.normal),await this.C(this.delayedScripts.defer),await this.C(this.delayedScripts.async),this.T("domReady"),await this.F(),await this.j(),await this.I(),this.T("windowLoad"),await this.A(),window.dispatchEvent(new Event("rocket-allScriptsLoaded")),this.everythingLoaded=!0,this.lastTouchEnd&&await new Promise((t=>setTimeout(t,500-Date.now()+this.lastTouchEnd))),this.H(),this.T("all"),this.U(),this.W()}i(){this.CSPIssue=sessionStorage.getItem("rocketCSPIssue"),document.addEventListener("securitypolicyviolation",(t=>{this.CSPIssue||"script-src-elem"!==t.violatedDirective||"data"!==t.blockedURI||(this.CSPIssue=!0,sessionStorage.setItem("rocketCSPIssue",!0))}),{isRocket:!0})}o(){window.addEventListener("pageshow",(t=>{this.persisted=t.persisted,this.realWindowLoadedFired=!0}),{isRocket:!0}),window.addEventListener("pagehide",(()=>{this.onFirstUserAction=null}),{isRocket:!0})}h(){let t;function e(e){t=e}window.addEventListener("touchstart",e,{isRocket:!0}),window.addEventListener("touchend",(function i(o){Math.abs(o.changedTouches[0].pageX-t.changedTouches[0].pageX)<10&&Math.abs(o.changedTouches[0].pageY-t.changedTouches[0].pageY)<10&&o.timeStamp-t.timeStamp<200&&(o.target.dispatchEvent(new PointerEvent("click",{target:o.target,bubbles:!0,cancelable:!0})),event.preventDefault(),window.removeEventListener("touchstart",e,{isRocket:!0}),window.removeEventListener("touchend",i,{isRocket:!0}))}),{isRocket:!0})}q(t){this.userActionTriggered||("mousemove"!==t.type||this.firstMousemoveIgnored?"keyup"===t.type||"mouseover"===t.type||"mouseout"===t.type||(this.userActionTriggered=!0,this.onFirstUserAction&&this.onFirstUserAction()):this.firstMousemoveIgnored=!0),"click"===t.type&&t.preventDefault(),this.savedUserEvents.length>0&&(t.stopPropagation(),t.stopImmediatePropagation()),"touchstart"===this.lastEvent&&"touchend"===t.type&&(this.lastTouchEnd=Date.now()),"click"===t.type&&(this.lastTouchEnd=0),this.lastEvent=t.type,this.savedUserEvents.push(t)}u(){this.savedUserEvents=[],this.userEventHandler=this.q.bind(this),this.userEvents.forEach((t=>window.addEventListener(t,this.userEventHandler,{passive:!1,isRocket:!0})))}U(){this.userEvents.forEach((t=>window.removeEventListener(t,this.userEventHandler,{passive:!1,isRocket:!0}))),this.savedUserEvents.forEach((t=>{t.target.dispatchEvent(new window[t.constructor.name](t.type,t))}))}m(){this.eventsMutationObserver=new MutationObserver((t=>{const e="return false";for(const i of t){if("attributes"===i.type){const t=i.target.getAttribute(i.attributeName);t&&t!==e&&(i.target.setAttribute("data-rocket-"+i.attributeName,t),i.target.setAttribute(i.attributeName,e))}"childList"===i.type&&i.addedNodes.forEach((t=>{if(t.nodeType===Node.ELEMENT_NODE)for(const i of t.attributes)this.attributeEvents.includes(i.name)&&i.value&&""!==i.value&&(t.setAttribute("data-rocket-"+i.name,i.value),t.setAttribute(i.name,e))}))}})),this.eventsMutationObserver.observe(document,{subtree:!0,childList:!0,attributeFilter:this.attributeEvents})}H(){this.eventsMutationObserver.disconnect(),this.attributeEvents.forEach((t=>{document.querySelectorAll("[data-rocket-"+t+"]").forEach((e=>{e.setAttribute(t,e.getAttribute("data-rocket-"+t)),e.removeAttribute("data-rocket-"+t)}))}))}k(t){Object.defineProperty(HTMLElement.prototype,"onclick",{get(){return this.rocketonclick},set(e){this.rocketonclick=e,this.setAttribute(t.everythingLoaded?"onclick":"data-rocket-onclick","this.rocketonclick(event)")}})}S(t){function e(e,i){let o=e[i];e[i]=null,Object.defineProperty(e,i,{get:()=>o,set(s){t.everythingLoaded?o=s:e["rocket"+i]=o=s}})}e(document,"onreadystatechange"),e(window,"onload"),e(window,"onpageshow");try{Object.defineProperty(document,"readyState",{get:()=>t.rocketReadyState,set(e){t.rocketReadyState=e},configurable:!0}),document.readyState="loading"}catch(t){console.log("WPRocket DJE readyState conflict, bypassing")}}l(t){this.originalAddEventListener=EventTarget.prototype.addEventListener,this.originalRemoveEventListener=EventTarget.prototype.removeEventListener,this.savedEventListeners=[],EventTarget.prototype.addEventListener=function(e,i,o){o&&o.isRocket||!t.B(e,this)&&!t.userEvents.includes(e)||t.B(e,this)&&!t.userActionTriggered||e.startsWith("rocket-")?t.originalAddEventListener.call(this,e,i,o):t.savedEventListeners.push({target:this,remove:!1,type:e,func:i,options:o})},EventTarget.prototype.removeEventListener=function(e,i,o){o&&o.isRocket||!t.B(e,this)&&!t.userEvents.includes(e)||t.B(e,this)&&!t.userActionTriggered||e.startsWith("rocket-")?t.originalRemoveEventListener.call(this,e,i,o):t.savedEventListeners.push({target:this,remove:!0,type:e,func:i,options:o})}}T(t){"all"===t&&(EventTarget.prototype.addEventListener=this.originalAddEventListener,EventTarget.prototype.removeEventListener=this.originalRemoveEventListener),this.savedEventListeners=this.savedEventListeners.filter((e=>{let i=e.type,o=e.target||window;return"domReady"===t&&"DOMContentLoaded"!==i&&"readystatechange"!==i||("windowLoad"===t&&"load"!==i&&"readystatechange"!==i&&"pageshow"!==i||(this.B(i,o)&&(i="rocket-"+i),e.remove?o.removeEventListener(i,e.func,e.options):o.addEventListener(i,e.func,e.options),!1))}))}p(t){let e;function i(e){return t.everythingLoaded?e:e.split(" ").map((t=>"load"===t||t.startsWith("load.")?"rocket-jquery-load":t)).join(" ")}function o(o){function s(e){const s=o.fn[e];o.fn[e]=o.fn.init.prototype[e]=function(){return this[0]===window&&t.userActionTriggered&&("string"==typeof arguments[0]||arguments[0]instanceof String?arguments[0]=i(arguments[0]):"object"==typeof arguments[0]&&Object.keys(arguments[0]).forEach((t=>{const e=arguments[0][t];delete arguments[0][t],arguments[0][i(t)]=e}))),s.apply(this,arguments),this}}if(o&&o.fn&&!t.allJQueries.includes(o)){const e={DOMContentLoaded:[],"rocket-DOMContentLoaded":[]};for(const t in e)document.addEventListener(t,(()=>{e[t].forEach((t=>t()))}),{isRocket:!0});o.fn.ready=o.fn.init.prototype.ready=function(i){function s(){parseInt(o.fn.jquery)>2?setTimeout((()=>i.bind(document)(o))):i.bind(document)(o)}return t.realDomReadyFired?!t.userActionTriggered||t.fauxDomReadyFired?s():e["rocket-DOMContentLoaded"].push(s):e.DOMContentLoaded.push(s),o([])},s("on"),s("one"),s("off"),t.allJQueries.push(o)}e=o}t.allJQueries=[],o(window.jQuery),Object.defineProperty(window,"jQuery",{get:()=>e,set(t){o(t)}})}P(){const t=new Map;document.write=document.writeln=function(e){const i=document.currentScript,o=document.createRange(),s=i.parentElement;let n=t.get(i);void 0===n&&(n=i.nextSibling,t.set(i,n));const a=document.createDocumentFragment();o.setStart(a,0),a.appendChild(o.createContextualFragment(e)),s.insertBefore(a,n)}}async R(){return new Promise((t=>{this.userActionTriggered?t():this.onFirstUserAction=t}))}async L(){return new Promise((t=>{document.addEventListener("DOMContentLoaded",(()=>{this.realDomReadyFired=!0,t()}),{isRocket:!0})}))}async I(){return this.realWindowLoadedFired?Promise.resolve():new Promise((t=>{window.addEventListener("load",t,{isRocket:!0})}))}M(){this.pendingScripts=[];this.scriptsMutationObserver=new MutationObserver((t=>{for(const e of t)e.addedNodes.forEach((t=>{"SCRIPT"!==t.tagName||t.noModule||t.isWPRocket||this.pendingScripts.push({script:t,promise:new Promise((e=>{const i=()=>{const i=this.pendingScripts.findIndex((e=>e.script===t));i>=0&&this.pendingScripts.splice(i,1),e()};t.addEventListener("load",i,{isRocket:!0}),t.addEventListener("error",i,{isRocket:!0}),setTimeout(i,1e3)}))})}))})),this.scriptsMutationObserver.observe(document,{childList:!0,subtree:!0})}async j(){await this.J(),this.pendingScripts.length?(await this.pendingScripts[0].promise,await this.j()):this.scriptsMutationObserver.disconnect()}D(){this.delayedScripts={normal:[],async:[],defer:[]},document.querySelectorAll("script[type$=rocketlazyloadscript]").forEach((t=>{t.hasAttribute("data-rocket-src")?t.hasAttribute("async")&&!1!==t.async?this.delayedScripts.async.push(t):t.hasAttribute("defer")&&!1!==t.defer||"module"===t.getAttribute("data-rocket-type")?this.delayedScripts.defer.push(t):this.delayedScripts.normal.push(t):this.delayedScripts.normal.push(t)}))}async _(){await this.L();let t=[];document.querySelectorAll("script[type$=rocketlazyloadscript][data-rocket-src]").forEach((e=>{let i=e.getAttribute("data-rocket-src");if(i&&!i.startsWith("data:")){i.startsWith("//")&&(i=location.protocol+i);try{const o=new URL(i).origin;o!==location.origin&&t.push({src:o,crossOrigin:e.crossOrigin||"module"===e.getAttribute("data-rocket-type")})}catch(t){}}})),t=[...new Map(t.map((t=>[JSON.stringify(t),t]))).values()],this.N(t,"preconnect")}async $(t){if(await this.G(),!0!==t.noModule||!("noModule"in HTMLScriptElement.prototype))return new Promise((e=>{let i;function o(){(i||t).setAttribute("data-rocket-status","executed"),e()}try{if(navigator.userAgent.includes("Firefox/")||""===navigator.vendor||this.CSPIssue)i=document.createElement("script"),[...t.attributes].forEach((t=>{let e=t.nodeName;"type"!==e&&("data-rocket-type"===e&&(e="type"),"data-rocket-src"===e&&(e="src"),i.setAttribute(e,t.nodeValue))})),t.text&&(i.text=t.text),t.nonce&&(i.nonce=t.nonce),i.hasAttribute("src")?(i.addEventListener("load",o,{isRocket:!0}),i.addEventListener("error",(()=>{i.setAttribute("data-rocket-status","failed-network"),e()}),{isRocket:!0}),setTimeout((()=>{i.isConnected||e()}),1)):(i.text=t.text,o()),i.isWPRocket=!0,t.parentNode.replaceChild(i,t);else{const i=t.getAttribute("data-rocket-type"),s=t.getAttribute("data-rocket-src");i?(t.type=i,t.removeAttribute("data-rocket-type")):t.removeAttribute("type"),t.addEventListener("load",o,{isRocket:!0}),t.addEventListener("error",(i=>{this.CSPIssue&&i.target.src.startsWith("data:")?(console.log("WPRocket: CSP fallback activated"),t.removeAttribute("src"),this.$(t).then(e)):(t.setAttribute("data-rocket-status","failed-network"),e())}),{isRocket:!0}),s?(t.fetchPriority="high",t.removeAttribute("data-rocket-src"),t.src=s):t.src="data:text/javascript;base64,"+window.btoa(unescape(encodeURIComponent(t.text)))}}catch(i){t.setAttribute("data-rocket-status","failed-transform"),e()}}));t.setAttribute("data-rocket-status","skipped")}async C(t){const e=t.shift();return e?(e.isConnected&&await this.$(e),this.C(t)):Promise.resolve()}O(){this.N([...this.delayedScripts.normal,...this.delayedScripts.defer,...this.delayedScripts.async],"preload")}N(t,e){this.trash=this.trash||[];let i=!0;var o=document.createDocumentFragment();t.forEach((t=>{const s=t.getAttribute&&t.getAttribute("data-rocket-src")||t.src;if(s&&!s.startsWith("data:")){const n=document.createElement("link");n.href=s,n.rel=e,"preconnect"!==e&&(n.as="script",n.fetchPriority=i?"high":"low"),t.getAttribute&&"module"===t.getAttribute("data-rocket-type")&&(n.crossOrigin=!0),t.crossOrigin&&(n.crossOrigin=t.crossOrigin),t.integrity&&(n.integrity=t.integrity),t.nonce&&(n.nonce=t.nonce),o.appendChild(n),this.trash.push(n),i=!1}})),document.head.appendChild(o)}W(){this.trash.forEach((t=>t.remove()))}async F(){try{document.readyState="interactive"}catch(t){}this.fauxDomReadyFired=!0;try{await this.G(),document.dispatchEvent(new Event("rocket-readystatechange")),await this.G(),document.rocketonreadystatechange&&document.rocketonreadystatechange(),await this.G(),document.dispatchEvent(new Event("rocket-DOMContentLoaded")),await this.G(),window.dispatchEvent(new Event("rocket-DOMContentLoaded"))}catch(t){console.error(t)}}async A(){try{document.readyState="complete"}catch(t){}try{await this.G(),document.dispatchEvent(new Event("rocket-readystatechange")),await this.G(),document.rocketonreadystatechange&&document.rocketonreadystatechange(),await this.G(),window.dispatchEvent(new Event("rocket-load")),await this.G(),window.rocketonload&&window.rocketonload(),await this.G(),this.allJQueries.forEach((t=>t(window).trigger("rocket-jquery-load"))),await this.G();const t=new Event("rocket-pageshow");t.persisted=this.persisted,window.dispatchEvent(t),await this.G(),window.rocketonpageshow&&window.rocketonpageshow({persisted:this.persisted})}catch(t){console.error(t)}}async G(){Date.now()-this.lastBreath>45&&(await this.J(),this.lastBreath=Date.now())}async J(){return document.hidden?new Promise((t=>setTimeout(t))):new Promise((t=>requestAnimationFrame(t)))}B(t,e){return e===document&&"readystatechange"===t||(e===document&&"DOMContentLoaded"===t||(e===window&&"DOMContentLoaded"===t||(e===window&&"load"===t||e===window&&"pageshow"===t)))}static run(){(new RocketLazyLoadScripts).t()}}RocketLazyLoadScripts.run()})();</script>
<meta name="viewport" content="width=device-width, initial-scale=1" />
<link href='https://stackpath.bootstrapcdn.com' rel='preconnect' crossorigin>
<script data-no-optimize="1" data-cfasync="false">!function(){"use strict";function e(e){const t=e.match(/((?=([a-z0-9._!#$%+^&*()[\]<>-]+))\2@[a-z0-9._-]+\.[a-z0-9._-]+)/gi);return t?t[0]:""}function t(t){return e(a(t.toLowerCase()))}function a(e){return e.replace(/\s/g,"")}async function n(e){const t={sha256Hash:"",sha1Hash:""};if(!("msCrypto"in window)&&"https:"===location.protocol&&"crypto"in window&&"TextEncoder"in window){const a=(new TextEncoder).encode(e),[n,c]=await Promise.all([s("SHA-256",a),s("SHA-1",a)]);t.sha256Hash=n,t.sha1Hash=c}return t}async function s(e,t){const a=await crypto.subtle.digest(e,t);return Array.from(new Uint8Array(a)).map(e=>("00"+e.toString(16)).slice(-2)).join("")}function c(e){let t=!0;return Object.keys(e).forEach(a=>{0===e[a].length&&(t=!1)}),t}function i(e,t,a){e.splice(t,1);const n="?"+e.join("&")+a.hash;history.replaceState(null,"",n)}var o={checkEmail:e,validateEmail:t,trimInput:a,hashEmail:n,hasHashes:c,removeEmailAndReplaceHistory:i,detectEmails:async function(){const e=new URL(window.location.href),a=Array.from(e.searchParams.entries()).map(e=>`${e[0]}=${e[1]}`);let s,o;const r=["adt_eih","sh_kit"];if(a.forEach((e,t)=>{const a=decodeURIComponent(e),[n,c]=a.split("=");if("adt_ei"===n&&(s={value:c,index:t,emsrc:"url"}),r.includes(n)){o={value:c,index:t,emsrc:"sh_kit"===n?"urlhck":"urlh"}}}),s)t(s.value)&&n(s.value).then(e=>{if(c(e)){const t={value:e,created:Date.now()};localStorage.setItem("adt_ei",JSON.stringify(t)),localStorage.setItem("adt_emsrc",s.emsrc)}});else if(o){const e={value:{sha256Hash:o.value,sha1Hash:""},created:Date.now()};localStorage.setItem("adt_ei",JSON.stringify(e)),localStorage.setItem("adt_emsrc",o.emsrc)}s&&i(a,s.index,e),o&&i(a,o.index,e)},cb:"adthrive"};const{detectEmails:r,cb:l}=o;r()}();
</script><script type="rocketlazyloadscript">rm2Inited=!1;
function afterrm2(){if(!window.getWpmrJS){setTimeout(afterrm2,80);return}getWpmrJS()}
function lazyrm21(){
if(rm2Inited)return;var l=document.createElement('link');l.href='/wp-content/plugins/wp-recipe-maker/dist/public-modern.css';l.type='text/css';l.rel='stylesheet';l.media='screen';document.getElementsByTagName('head')[0].appendChild(l);
var l1=document.createElement('link');l1.href='/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.css';l1.type='text/css';l1.rel='stylesheet';l1.media='screen';document.getElementsByTagName('head')[0].appendChild(l1);
afterrm2();
rm2Inited=!0;console.log('load css / js [ /wp-recipe-maker/templates/recipe/legacy/tastefully-simple/tastefully-simple.min.css ] [2x css /00x js ]')
}
var s_rm2='.wprm-recipe-container,.wprm-rating-stars';
function lazyrm2old1(){
var i=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1699>n.top||-1699>n.top};if(rm2Inited||!i(document.querySelector(s_rm2)))return;lazyrm21()
}
function inviewrm2(){if(!'IntersectionObserver' in window||!('IntersectionObserverEntry' in window)||!('intersectionRatio' in window.IntersectionObserverEntry.prototype)){
document.addEventListener('resize',lazyrm2old1);
document.addEventListener('mousemove',lazyrm2old1);
document.addEventListener('scroll',function(){if(window.scrollY>244)lazyrm2old1()})
lazyrm2old1()
}else{
var Elsrm2=document.querySelectorAll(s_rm2);
var observerrm2=new IntersectionObserver(function(entries){
entries.forEach(function(e){
if(e.isIntersecting){
lazyrm21();
observerrm2.unobserve(e.target)
}})},{rootMargin:'929px'});Elsrm2.forEach(function(e){observerrm2.observe(e)})
}}
document.addEventListener('scroll',inviewrm2);document.addEventListener('mousemove',lazyrm2old1);
document.addEventListener('touchstart',lazyrm2old1);</script><script type="rocketlazyloadscript">blgInited=!1;
function lazyblg1(){
var i=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1888>n.top||-1888>n.top};if(blgInited||!i(document.querySelector('.blocks-gallery-item,.has-very-light-gray-color,[class^="wp-block-"]')))return;blgInited=!0;['touchstart','mousemove','resize'].forEach(function(e){window.removeEventListener(e,lazyblg1)});document.removeEventListener('scroll',sclazyblg1);console.log('load css/js [/wp-includes/css/dist/block-library/theme.min.css] [2/0]');
var l=document.createElement('link');l.href='/wp-includes/css/dist/block-library/theme.min.css';l.type='text/css';l.rel='stylesheet';l.media='screen';document.getElementsByTagName('head')[0].appendChild(l);
var l1=document.createElement('link');l1.href='/wp-includes/css/dist/block-library/style.min.css';l1.type='text/css';l1.rel='stylesheet';l1.media='screen';document.getElementsByTagName('head')[0].appendChild(l1);
}['touchstart','mousemove'].forEach(function(e){window.addEventListener(e,lazyblg1)});function sclazyblg1(){if(window.scrollY>53)lazyblg1()}document.addEventListener('scroll',sclazyblg1)</script><script type="rocketlazyloadscript">wicInited=!1;
function lazywic1(){
var i=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1888>n.top||-1888>n.top};if(wicInited||!i(document.querySelector('[class^="components-"]')))return;wicInited=!0;['touchstart','mousemove','resize'].forEach(function(e){window.removeEventListener(e,lazywic1)});document.removeEventListener('scroll',sclazywic1);console.log('load css/js [/wp-includes/css/dist/components/style.min.css] [1/0]');
var l=document.createElement('link');l.href='/wp-includes/css/dist/components/style.min.css';l.type='text/css';l.rel='stylesheet';l.media='screen';document.getElementsByTagName('head')[0].appendChild(l);
}['touchstart','mousemove'].forEach(function(e){window.addEventListener(e,lazywic1)});function sclazywic1(){if(window.scrollY>53)lazywic1()}document.addEventListener('scroll',sclazywic1)</script><script type="rocketlazyloadscript">wflInited=!1;
function lazywfl1(){
var i=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1888>n.top||-1888>n.top};if(wflInited||!i(document.querySelector('.featherlight-content')))return;wflInited=!0;['touchstart','mousemove','resize'].forEach(function(e){window.removeEventListener(e,lazywfl1)});document.removeEventListener('scroll',sclazywfl1);console.log('load css/js [/plugins/wp-featherlight/] [1/1]');
var l=document.createElement('link');l.href='/wp-content/plugins/wp-featherlight/css/wp-featherlight.min.css';l.type='text/css';l.rel='stylesheet';l.media='screen';document.getElementsByTagName('head')[0].appendChild(l);
var s=document.createElement('script');s.onload=function(){};s.src='/wp-content/plugins/wp-featherlight/js/wpFeatherlight.pkgd.min.js';document.head.appendChild(s);
}['touchstart','mousemove'].forEach(function(e){window.addEventListener(e,lazywfl1)});function sclazywfl1(){if(window.scrollY>53)lazywfl1()}document.addEventListener('scroll',sclazywfl1)</script><meta name='robots' content='index, follow, max-image-preview:large, max-snippet:-1, max-video-preview:-1' />
<style>img:is([sizes="auto" i], [sizes^="auto," i]) { contain-intrinsic-size: 3000px 1500px }</style>
<!-- Hubbub v.2.25.1 https://morehubbub.com/ -->
<meta property="og:locale" content="en_US" />
<meta property="og:type" content="article" />
<meta property="og:title" content="Crispy Baked Teriyaki Tofu" />
<meta property="og:description" content="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight! Serve with rice and veggies for a scrumptious vegan meal." />
<meta property="og:url" content="https://www.connoisseurusveg.com/teriyaki-tofu/" />
<meta property="og:site_name" content="Connoisseurus Veg" />
<meta property="og:updated_time" content="2024-11-19T16:58:25+00:00" />
<meta property="article:published_time" content="2018-12-17T10:28:53+00:00" />
<meta property="article:modified_time" content="2024-11-19T16:58:25+00:00" />
<meta name="twitter:card" content="summary_large_image" />
<meta name="twitter:title" content="Crispy Baked Teriyaki Tofu" />
<meta name="twitter:description" content="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight! Serve with rice and veggies for a scrumptious vegan meal." />
<meta class="flipboard-article" content="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight! Serve with rice and veggies for a scrumptious vegan meal." />
<meta property="og:image" content="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-10.jpg" />
<meta name="twitter:image" content="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-10.jpg" />
<meta property="og:image:width" content="1200" />
<meta property="og:image:height" content="800" />
<!-- Hubbub v.2.25.1 https://morehubbub.com/ -->
<style data-no-optimize="1" data-cfasync="false">
.adthrive-ad {
margin-top: 10px;
margin-bottom: 10px;
text-align: center;
overflow-x: visible;
clear: both;
line-height: 0;
}
.adthrive-device-desktop .adthrive-recipe, .adthrive-device-tablet .adthrive-recipe {
float: right;
margin: 10px;
}
.adthrive-recipe > div,
.adthrive-recipe iframe {
padding: 0 !important;
}
/* confirm click footer ad fix test */
body.adthrive-device-phone .adthrive-footer.adthrive-sticky {
padding-top:0px;
overflow:visible !important;
border-top:0px !important;
}
body.adthrive-device-phone .adthrive-sticky.adthrive-footer>.adthrive-close {
top:-25px !important;
right:0px !important;
border-radius: 0px !important;
line-height: 24px !important;
font-size: 24px !important;
}
/* confirm click footer ad fix test end */
.adthrive-content, .adthrive-recipe{
min-height: 325px !important;
}
/* Top Center White Background */
.adthrive-collapse-mobile-background {
background-color: #fff!important;
}
.adthrive-top-collapse-close > svg > * {
stroke: black;
font-family: sans-serif;
}
.adthrive-top-collapse-wrapper-video-title,
.adthrive-top-collapse-wrapper-bar a a.adthrive-learn-more-link {
color: black!important;
}
/* END top center white background */
/* Top Center video and Slickstream - prevent video player shifting when scrolling */
body.slick-filmstrip-toolbar-showing.adthrive-device-phone .adthrive-player-position.adthrive-collapse-mobile.adthrive-collapse-top-center:not(.adthrive-player-without-wrapper-text),
body.slick-filmstrip-toolbar-showing.adthrive-device-phone .adthrive-collapse-mobile-background {
transform: none!important;
}
body.slick-filmstrip-toolbar-showing.adthrive-device-phone .adthrive-player-position.adthrive-collapse-mobile.adthrive-collapse-top-center.adthrive-player-without-wrapper-text {
transform: translateX(-50%)!important;
}
/* END Top Center video and Slickstream */
/* Remove comscore from certain memberpress pages ZD 273718 */
body.postid-41257 .adthrive-footer-message,
body.memberpressproduct-template-default .adthrive-footer-message,
body.page-id-41244 .adthrive-footer-message {
display:none;
}</style>
<script data-no-optimize="1" data-cfasync="false">
window.adthriveCLS = {
enabledLocations: ['Content', 'Recipe'],
injectedSlots: [],
injectedFromPlugin: true,
branch: '240b0f0',bucket: 'prod', };
window.adthriveCLS.siteAds = {"siteId":"59f780e1cfb83317e831c313","siteName":"Connoisseurus Veg","betaTester":false,"targeting":[{"value":"59f780e1cfb83317e831c313","key":"siteId"},{"value":"6233884dc55479708846482f","key":"organizationId"},{"value":"Connoisseurus Veg","key":"siteName"},{"value":"AdThrive Edge","key":"service"},{"value":"on","key":"bidding"},{"value":["Food","Clean Eating"],"key":"verticals"}],"breakpoints":{"tablet":768,"desktop":1024},"adUnits":[{"sequence":1,"targeting":[{"value":["Sidebar"],"key":"location"}],"devices":["desktop"],"name":"Sidebar_1","sticky":false,"location":"Sidebar","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".sidebar > .feast-modern-sidebar > *","skip":0,"classNames":["widget"],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":299,"autosize":true},{"sequence":9,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_9","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".sidebar","skip":0,"classNames":["widget"],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":".site-footer","adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":291,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.search, body.archive","spacing":0,"max":3,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".content > article","skip":3,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.search, body.archive","spacing":0,"max":3,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".content > article","skip":2,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":0.85,"max":4,"lazyMax":95,"enable":true,"lazy":true,"elementSelector":".entry-content > *:not(h2):not(h3):not(.wprm-automatic-recipe-snippets):not(.tasty-pins-hidden-image-container):not(span):not(.adthrive)","skip":5,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet","phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single","spacing":0.85,"max":2,"lazyMax":95,"enable":true,"lazy":true,"elementSelector":".entry-content > *:not(h2):not(h3):not(.wprm-automatic-recipe-snippets):not(.tasty-pins-hidden-image-container):not(span):not(.adthrive)","skip":5,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["tablet","desktop"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0.72,"max":2,"lazyMax":97,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container li, .wprm-recipe-notes-container li, .wprm-recipe-notes-container span","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":5,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_5","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-105,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0.7,"max":2,"lazyMax":96,"enable":true,"lazy":true,"elementSelector":".wprm-recipe-ingredients-container, .wprm-recipe-instructions-container, .wprm-recipe-notes-container","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":3,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone","tablet","desktop"],"name":"Recipe_3","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"#mpprecipe-instructions","skip":0,"classNames":[],"position":"afterbegin","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-103,"autosize":true},{"sequence":2,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone","tablet","desktop"],"name":"Recipe_2","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":".ERSInstructionsHeader","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-102,"autosize":true},{"sequence":null,"targeting":[{"value":["Below Post"],"key":"location"}],"devices":["desktop","tablet","phone"],"name":"Below_Post","sticky":false,"location":"Below Post","dynamic":{"pageSelector":"body.single","spacing":0.7,"max":0,"lazyMax":99,"enable":true,"lazy":true,"elementSelector":"article.post, .comment-list > li","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[728,90],[336,280],[320,50],[468,60],[250,250],[1,1],[320,100],[300,250],[970,250],[728,250]],"priority":99,"autosize":true},{"sequence":null,"targeting":[{"value":["Footer"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["tablet","phone","desktop"],"name":"Footer","sticky":true,"location":"Footer","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazyMax":null,"enable":true,"lazy":false,"elementSelector":"body:not(.postid-41257):not(.memberpressproduct-template-default):not(.page-id-41244):not(.postid-41700)","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":"","adSizes":[[320,50],[320,100],[728,90],[970,90],[468,60],[1,1],[300,50]],"priority":-1,"autosize":true}],"adDensityLayout":{"mobile":{"adDensity":0.26,"onePerViewport":false},"pageOverrides":[{"mobile":{"adDensity":0.3,"onePerViewport":false},"note":null,"pageSelector":"body.blog, body.search, body.archive, body.home","desktop":{"adDensity":0.28,"onePerViewport":false}}],"desktop":{"adDensity":0.24,"onePerViewport":false}},"adDensityEnabled":true,"siteExperiments":[],"adTypes":{"sponsorTileDesktop":true,"interscrollerDesktop":true,"nativeDesktopContent":true,"outstreamDesktop":true,"nativeBelowPostDesktop":true,"miniscroller":true,"animatedFooter":true,"largeFormatsMobile":true,"nativeMobileContent":true,"inRecipeRecommendationMobile":true,"nativeMobileRecipe":true,"expandableFooter":true,"nativeDesktopSidebar":true,"sponsorTileMobile":true,"expandableCatalogAdsMobile":false,"interscroller":true,"nativeDesktopRecipe":true,"outstreamMobile":true,"nativeHeaderDesktop":true,"nativeHeaderMobile":true,"nativeBelowPostMobile":true,"expandableCatalogAdsDesktop":false,"largeFormatsDesktop":true,"inRecipeRecommendationDesktop":true},"adOptions":{"theTradeDesk":false,"rtbhouse":true,"undertone":true,"sidebarConfig":{"dynamicStickySidebar":{"minHeight":1800,"enabled":true,"blockedSelectors":[]}},"footerCloseButton":false,"teads":true,"pmp":true,"thirtyThreeAcross":true,"sharethrough":true,"optimizeVideoPlayersForEarnings":true,"removeVideoTitleWrapper":true,"pubMatic":true,"infiniteScroll":false,"yahoossp":true,"improvedigital":true,"spa":false,"stickyContainerConfig":{"recipeDesktop":{"minHeight":null,"enabled":false},"blockedSelectors":[],"stickyHeaderSelectors":[],"content":{"minHeight":null,"enabled":false},"recipeMobile":{"minHeight":null,"enabled":false}},"sonobi":true,"yieldmo":true,"footerSelector":"","amazonUAM":true,"gamMCMEnabled":true,"gamMCMChildNetworkCode":"22522806599","stickyContainerAds":false,"rubiconMediaMath":true,"rubicon":true,"conversant":true,"openx":true,"customCreativeEnabled":true,"mobileHeaderHeight":1,"secColor":"#000000","unruly":true,"mediaGrid":true,"bRealTime":false,"gumgum":true,"comscoreFooter":true,"desktopInterstitial":false,"footerCloseButtonDesktop":false,"ozone":true,"isAutoOptimized":false,"adform":true,"comscoreTAL":true,"targetaff":false,"bgColor":"#FFFFFF","advancePlaylistOptions":{"playlistPlayer":{"enabled":true},"relatedPlayer":{"enabled":true,"applyToFirst":true}},"amazonASR":false,"kargo":true,"liveRampATS":true,"footerCloseButtonMobile":false,"interstitialBlockedPageSelectors":"body.postid-41257, body.memberpressproduct-template-default, body.page-id-41244","allowSmallerAdSizes":true,"comscore":"Food","wakeLock":{"desktopEnabled":true,"mobileValue":15,"mobileEnabled":true,"desktopValue":30},"mobileInterstitial":false,"tripleLift":true,"sensitiveCategories":["alc","ast","cbd","cosm","dat","gamc","gamv","pol","rel","sst","ssr","srh","ske","wtl"],"liveRamp":true,"adthriveEmailIdentity":true,"criteo":true,"nativo":true,"infiniteScrollOptions":{"selector":"","heightThreshold":0},"siteAttributes":{"mobileHeaderSelectors":[],"desktopHeaderSelectors":[]},"dynamicContentSlotLazyLoading":true,"clsOptimizedAds":true,"aidem":false,"verticals":["Food","Clean Eating"],"inImage":false,"usCMP":{"enabled":false,"regions":[]},"advancePlaylist":true,"flipp":true,"delayLoading":false,"inImageZone":null,"appNexus":true,"rise":true,"liveRampId":"","infiniteScrollRefresh":false,"indexExchange":true},"featureRollouts":{"erp":{"featureRolloutId":19,"data":null,"enabled":false}},"videoPlayers":{"contextual":{"autoplayCollapsibleEnabled":true,"overrideEmbedLocation":false,"defaultPlayerType":"static"},"videoEmbed":"wordpress","footerSelector":"","contentSpecificPlaylists":[],"players":[{"devices":["desktop","mobile"],"formattedType":"Stationary Related","description":"","id":4057501,"title":"Stationary related player - desktop and mobile","type":"stationaryRelated","enabled":true,"playerId":"OZiUiXuN"},{"playlistId":"","pageSelector":"","devices":["desktop"],"description":"","skip":0,"title":"","type":"stickyRelated","enabled":true,"formattedType":"Sticky Related","elementSelector":".entry-content > .wp-block-group:has(img) ~ p + p, .entry-content > .wp-block-image ~ p + p","id":4057502,"position":"afterend","saveVideoCloseState":false,"shuffle":false,"mobileHeaderSelector":null,"playerId":"OZiUiXuN"},{"playlistId":"v2liD09t","pageSelector":"body.single","devices":["desktop"],"description":"","skip":0,"title":"My Latest Videos","type":"stickyPlaylist","enabled":true,"footerSelector":"","formattedType":"Sticky Playlist","elementSelector":".entry-content > .wp-block-group:has(img) ~ p + p, .entry-content > .wp-block-image ~ p + p","id":4057504,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":null,"playerId":"yQ7kM2GQ"},{"playlistId":"","pageSelector":"","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":0,"title":"","type":"stickyRelated","enabled":true,"formattedType":"Sticky Related","elementSelector":".entry-content > .wp-block-group:has(img) ~ p + p, .entry-content > .wp-block-image ~ p + p","id":4057503,"position":"afterend","saveVideoCloseState":false,"shuffle":false,"mobileHeaderSelector":null,"playerId":"OZiUiXuN"},{"playlistId":"v2liD09t","pageSelector":"body.single","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":0,"title":"My Latest Videos","type":"stickyPlaylist","enabled":true,"footerSelector":"","formattedType":"Sticky Playlist","elementSelector":".entry-content > .wp-block-group:has(img) ~ p + p, .entry-content > .wp-block-image ~ p + p","id":4057505,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":".feastmobilenavbar","playerId":"yQ7kM2GQ"}],"partners":{"theTradeDesk":false,"yahoossp":true,"criteo":true,"unruly":true,"mediaGrid":true,"improvedigital":true,"undertone":true,"gumgum":true,"aidem":false,"yieldmo":true,"adform":true,"pmp":true,"amazonUAM":true,"kargo":true,"thirtyThreeAcross":false,"stickyOutstream":{"desktop":{"enabled":true},"blockedPageSelectors":"body.postid-41257, body.memberpressproduct-template-default, body.page-id-41244, body.postid-41700","mobileLocation":"bottom-left","allowOnHomepage":true,"mobile":{"enabled":true},"saveVideoCloseState":false,"mobileHeaderSelector":".feastmobilenavbar","allowForPageWithStickyPlayer":{"enabled":true}},"sharethrough":true,"rubicon":true,"appNexus":true,"rise":true,"tripleLift":true,"openx":true,"pubMatic":true,"indexExchange":true}}};</script>
<script data-no-optimize="1" data-cfasync="false">
(function(w, d) {
w.adthrive = w.adthrive || {};
w.adthrive.cmd = w.adthrive.cmd || [];
w.adthrive.plugin = 'adthrive-ads-3.6.2';
w.adthrive.host = 'ads.adthrive.com';
w.adthrive.integration = 'plugin';
var commitParam = (w.adthriveCLS && w.adthriveCLS.bucket !== 'prod' && w.adthriveCLS.branch) ? '&commit=' + w.adthriveCLS.branch : '';
var s = d.createElement('script');
s.async = true;
s.referrerpolicy='no-referrer-when-downgrade';
s.src = 'https://' + w.adthrive.host + '/sites/59f780e1cfb83317e831c313/ads.min.js?referrer=' + w.encodeURIComponent(w.location.href) + commitParam + '&cb=' + (Math.floor(Math.random() * 100) + 1) + '';
var n = d.getElementsByTagName('script')[0];
n.parentNode.insertBefore(s, n);
})(window, document);
</script>
<link rel="dns-prefetch" href="https://ads.adthrive.com/"><link rel="preconnect" href="https://ads.adthrive.com/"><link rel="preconnect" href="https://ads.adthrive.com/" crossorigin>
<!-- This site is optimized with the Yoast SEO Premium plugin v24.4 (Yoast SEO v24.4) - https://yoast.com/wordpress/plugins/seo/ -->
<title>Crispy Baked Teriyaki Tofu - Connoisseurus Veg</title><style id="rocket-critical-css">html{font-family:sans-serif;-webkit-text-size-adjust:100%;-ms-text-size-adjust:100%}body{margin:0}article,aside,figure,header,main,nav,section{display:block}video{display:inline-block;vertical-align:baseline}a{background-color:transparent}strong{font-weight:bold}img{border:0}svg:not(:root){overflow:hidden}figure{margin:20px 0}button,input,textarea{color:inherit;font:inherit;margin:0}button{overflow:visible}button{text-transform:none;font-family:sans-serif}button,input[type="submit"]{-webkit-appearance:button}button::-moz-focus-inner,input::-moz-focus-inner{border:0;padding:0}input{line-height:normal}input[type="search"]{-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box;-webkit-appearance:textfield}input[type="search"]::-webkit-search-cancel-button,input[type="search"]::-webkit-search-decoration{-webkit-appearance:none}textarea{overflow:auto}*,input[type="search"]{-moz-box-sizing:border-box;-webkit-box-sizing:border-box;box-sizing:border-box}.entry:after,.entry-content:after,.nav-primary:after,.site-container:after,.site-header:after,.site-inner:after,.widget:after,.widget-area:after,.wrap:after{clear:both;content:" ";display:table}body{background:#fff;color:#302a2c;font-family:"Libre Baskerville",Georgia,serif;font-size:100%;font-weight:400;letter-spacing:0.02em;line-height:1.8}a{color:#135846;text-decoration:underline}p{margin:5px 0 15px;padding:0}strong{font-weight:600}ul{margin:0;padding:0}h1,h2,h3{font-family:"Lato",Helvetica,sans-serif;letter-spacing:3px;margin:21px 0;padding:0;text-transform:uppercase}h1{font-size:2em}h2{font-size:1.625em}h3{font-size:1.375em}iframe,img,video{max-width:100%}img{height:auto}input,textarea{border:1px solid #eee;-webkit-box-shadow:0 0 0 #fff;-webkit-box-shadow:0 0 0 #fff;box-shadow:0 0 0 #fff;color:#333;font-style:italic;font-weight:300;letter-spacing:0.5px;padding:10px;width:100%}::-moz-placeholder{color:#000}::-webkit-input-placeholder{color:#000}button,input[type="submit"]{background:#302a2c;border:1px solid #302a2c;-webkit-box-shadow:none;box-shadow:none;color:#fff;font-family:"Lato",Helvetica,Arial,sans-serif;font-style:normal;font-weight:300;letter-spacing:0.5px;padding:15px 20px;text-transform:uppercase;width:auto}input[type="submit"]{letter-spacing:2px}input[type="search"]::-webkit-search-cancel-button,input[type="search"]::-webkit-search-results-button{display:none}.site-container{margin:0 auto}.site-inner,.wrap{margin:0 auto;max-width:1140px}.site-inner{margin:24px auto;padding:24px 37px}.content{float:right;width:720px}.content-sidebar .content{float:left}.sidebar-primary{float:right;width:300px}.search-form input{clear:none;display:inline;float:left;margin-bottom:0;padding:14px 20px;width:61.8%}.search-form input[type="submit"]{clear:none;float:right;font-weight:400;letter-spacing:2px;padding:14px 20px;width:38.2%}.aligncenter,.aligncenter img{display:block;margin:0 auto 22px}.breadcrumb{font-size:0.8em;margin-bottom:20px}.entry-title{margin-top:21px;line-height:1.2;margin-bottom:15px;text-align:center;overflow-wrap:break-word}h1.entry-title{color:#302a2c;font-style:normal;text-decoration:none}.widgettitle{color:#302a2c;font-weight:400;letter-spacing:2px;margin:0 0 10px;text-align:center;text-transform:uppercase}.screen-reader-text,.screen-reader-shortcut{background:#fff;border:0;clip:rect(0,0,0,0);color:#302a2c;height:1px;overflow:hidden;position:absolute!important;width:1px}.genesis-skip-link li{height:0;list-style:none;width:0}.enews-widget .widgettitle{clear:left;float:left;line-height:50px;margin:0 20px 0 0;width:auto}.enews-widget p{clear:none;float:left;font-style:italic;line-height:50px;margin:0 20px 0 0;width:auto}.enews-widget form{clear:none;float:right;min-width:50%;width:auto}.enews-widget input{border:1px solid #000;clear:none;display:inline;float:left;margin-bottom:10px;padding:14px 20px}.enews-widget input[type="email"]{width:61.8%}.enews-widget input[type="submit"]{clear:none;float:right;padding:14px 20px;width:38.2%}img[data-lazy-src]{opacity:0}img.lazyloaded{opacity:1}.site-header{background-color:#f5f5f5}.site-header .wrap{padding:15px 0}.title-area{display:inline-block;font-family:"Lato",Helvetica,sans-serif;font-weight:400;margin:0;padding:20px 0;text-align:center;width:320px}.header-image .title-area{padding:0}.site-title{font-size:3em;font-weight:300;letter-spacing:4px;line-height:0.8;margin:0;text-transform:uppercase}.site-title a{color:#302a2c;font-style:normal;text-decoration:none;min-height:50px}.header-image .site-title a{width:100%}.site-header .widget-area{float:right;text-align:right;width:760px}.header-image .site-header .widget-area{padding:20px 0}.genesis-nav-menu{clear:both;padding:0;text-align:center;width:100%}.genesis-nav-menu .menu-item{display:inline-block;font-family:"Lato",Helvetica,sans-serif;font-weight:400;letter-spacing:2px;line-height:1;margin:0;padding:0;text-align:left;min-height:52px}.genesis-nav-menu a{color:#302a2c;display:block;font-style:normal;padding:20px 25px;position:relative;text-decoration:none;text-transform:uppercase}.genesis-nav-menu .sub-menu{border-bottom:5px solid #000;opacity:0;position:absolute;left:-9999px;width:200px;z-index:2000}.genesis-nav-menu .sub-menu a{background-color:#fff;letter-spacing:1px;padding:20px;position:relative;width:200px}.menu-item input{min-height:52px}.genesis-nav-menu #feast-search{vertical-align:middle;margin:0;padding:0}.genesis-nav-menu .search-form-input{width:100%;background:#F9F9F9 url(https://www.connoisseurusveg.com/wp-content/themes/brunchpro-v442/images/search.svg) center right 10px no-repeat;background-size:27px 27px}.genesis-nav-menu .search-form-submit{border:0;clip:rect(0,0,0,0);height:1px;margin:-1px;padding:0;position:absolute;width:1px}#feast-search input[type="submit"]{display:none}.nav-primary{margin:0}.entry{margin-bottom:20px;padding:0 0 22px}.entry-content p{margin-bottom:30px}.entry-meta{font-family:"Lato",Helvetica,sans-serif;font-size:0.8em;font-weight:300;letter-spacing:1px;margin:0 auto 5px;text-align:center;text-transform:uppercase}.comment-respond label{display:block;margin-right:12px}.sidebar a{color:#302a2c}@media only screen and (-webkit-min-device-pixel-ratio:1.5),only screen and (-moz-min-device-pixel-ratio:1.5),only screen and (-o-min-device-pixel-ratio:3/2),only screen and (min-device-pixel-ratio:1.5){.header-image .site-header{-webkit-background-size:contain!important;background-size:contain!important}}@media only screen and (max-width:1200px){.site-inner,.wrap{max-width:960px;overflow:hidden}.site-inner{margin:20px auto}.content,.site-header .widget-area{width:720px}.genesis-nav-menu a{padding:16px}.sidebar-primary{width:300px}.enews-widget .widgettitle,.enews-widget p,.enews-widget form{clear:both;display:block;float:none;text-align:center;width:100%}}@media only screen and (max-width:1023px){.content,.sidebar-primary,.site-header .widget-area,.site-inner,.title-area,.wrap{width:100%}.header-image .site-header .wrap{background-position:center top}.header-image .site-header .widget-area{padding:0}.site-inner{padding-left:5%;padding-right:5%}.entry,.site-header{padding:20px 0}.genesis-nav-menu li{float:none}.genesis-nav-menu,.site-header .title-area,.site-title{text-align:center}}@media only screen and (max-width:940px){nav{display:none;position:relative}#genesis-nav-primary{border-bottom:1px solid #9d9d9d}.genesis-nav-menu{border:none}.genesis-nav-menu .menu-item{border-bottom:1px solid #9d9d9d;display:block;position:relative;text-align:left}.genesis-nav-menu .sub-menu{border-top:1px solid #9d9d9d;clear:both;display:none;opacity:1;position:static;width:100%}.genesis-nav-menu .sub-menu .menu-item:last-child{border-bottom:none}.genesis-nav-menu .sub-menu a{border:none;padding:16px 22px;position:relative;width:auto}.site-header .widget-area{width:100%}}@media only screen and (min-width:1023px){.sidebar-primary{font-size:0.8em}.genesis-nav-menu #feast-search{margin:5px;padding:0 5px}}.wp-block-group{box-sizing:border-box}.wp-block-image{margin:0 0 1em}.wp-block-image img{height:auto;max-width:100%;vertical-align:bottom}.wp-block-image:not(.is-style-rounded) img{border-radius:inherit}.wp-block-image .aligncenter{display:table}.wp-block-image .aligncenter{margin-left:auto;margin-right:auto}.wp-block-image figure{margin:0}ul{box-sizing:border-box}:root{--wp--preset--font-size--normal:16px;--wp--preset--font-size--huge:42px}.aligncenter{clear:both}.screen-reader-text{border:0;clip:rect(1px,1px,1px,1px);-webkit-clip-path:inset(50%);clip-path:inset(50%);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px;word-wrap:normal!important}.convertkit-broadcasts-list li time{grid-area:date}.convertkit-broadcasts-list li a{grid-area:subject}.convertkit-broadcasts-pagination li.convertkit-broadcasts-pagination-prev{grid-area:prev;text-align:left}.convertkit-broadcasts-pagination li.convertkit-broadcasts-pagination-next{grid-area:next;text-align:right}.dpsp-networks-btns-wrapper{margin:0!important;padding:0!important;list-style:none!important}.dpsp-networks-btns-wrapper:after{display:block;clear:both;height:0;content:""}.dpsp-networks-btns-wrapper li{float:left;margin:0;padding:0;border:0;list-style-type:none!important}.dpsp-networks-btns-wrapper li:before{display:none!important}.dpsp-networks-btns-wrapper li:first-child{margin-left:0!important}.dpsp-networks-btns-wrapper .dpsp-network-btn{display:flex;position:relative;-moz-box-sizing:border-box;box-sizing:border-box;width:100%;min-width:40px;height:40px;max-height:40px;padding:0;border:2px solid;border-radius:0;box-shadow:none;font-family:Arial,sans-serif;font-size:14px;font-weight:700;line-height:36px;text-align:center;vertical-align:middle;text-decoration:none!important;text-transform:unset!important}.dpsp-networks-btns-wrapper .dpsp-network-btn:after{display:block;clear:both;height:0;content:""}.dpsp-networks-btns-wrapper .dpsp-network-btn .dpsp-network-count{padding-right:.5em;padding-left:.25em;font-size:13px;font-weight:400;white-space:nowrap}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar .dpsp-network-btn .dpsp-network-count{position:absolute;bottom:0;left:0;width:100%;height:20px;margin-left:0;padding-left:.5em;font-size:11px;line-height:20px;text-align:center}.dpsp-facebook{--networkAccent:#334d87;--networkColor:#3a579a;--networkHover:rgba(51,77,135,0.4)}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-facebook{border-color:#3a579a;color:#3a579a;background:#3a579a}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-facebook:not(:hover):not(:active){color:#3a579a}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-facebook .dpsp-network-icon{border-color:#3a579a;color:#3a579a;background:#3a579a}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-facebook .dpsp-network-icon .dpsp-network-icon-inner>svg{fill:var(--customNetworkColor,var(--networkColor,#3a579a))}.dpsp-twitter{--networkAccent:#0099d7;--networkColor:#00abf0;--networkHover:rgba(0,153,215,0.4)}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-twitter{border-color:#00abf0;color:#00abf0;background:#00abf0}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-twitter:not(:hover):not(:active){color:#00abf0}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-twitter .dpsp-network-icon{border-color:#00abf0;color:#00abf0;background:#00abf0}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-twitter .dpsp-network-icon .dpsp-network-icon-inner>svg{fill:var(--customNetworkColor,var(--networkColor,#00abf0))}.dpsp-pinterest{--networkAccent:#b31e24;--networkColor:#c92228;--networkHover:rgba(179,30,36,0.4)}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-pinterest{border-color:#c92228;color:#c92228;background:#c92228}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-pinterest:not(:hover):not(:active){color:#c92228}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-pinterest .dpsp-network-icon{border-color:#c92228;color:#c92228;background:#c92228}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-pinterest .dpsp-network-icon .dpsp-network-icon-inner>svg{fill:var(--customNetworkColor,var(--networkColor,#c92228))}.dpsp-email{--networkAccent:#239e57;--networkColor:#27ae60;--networkHover:rgba(35,158,87,0.4)}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-email{border-color:#27ae60;color:#27ae60;background:#27ae60}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-email:not(:hover):not(:active){color:#27ae60}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-email .dpsp-network-icon{border-color:#27ae60;color:#27ae60;background:#27ae60}.dpsp-networks-btns-wrapper .dpsp-network-btn.dpsp-email .dpsp-network-icon .dpsp-network-icon-inner>svg{fill:var(--customNetworkColor,var(--networkColor,#27ae60))}.dpsp-shape-circle .dpsp-network-btn{border-radius:30px}.dpsp-shape-circle .dpsp-network-btn .dpsp-network-icon{overflow:hidden;border-radius:30px}#dpsp-floating-sidebar{position:fixed;top:50%;transform:translateY(-50%);z-index:9998}#dpsp-floating-sidebar.dpsp-position-left{left:0}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar li{float:none;margin-left:0}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar .dpsp-network-btn{width:40px;padding:0}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar .dpsp-network-btn .dpsp-network-icon{border-color:transparent!important;background:transparent!important}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar .dpsp-network-btn.dpsp-has-count .dpsp-network-icon{height:22px;line-height:22px}.dpsp-networks-btns-wrapper.dpsp-networks-btns-sidebar .dpsp-network-btn.dpsp-has-count .dpsp-network-icon-inner{height:18px}#dpsp-floating-sidebar.dpsp-no-animation{display:none}#dpsp-floating-sidebar.dpsp-no-animation.opened{display:block}#dpsp-floating-sidebar.dpsp-position-left.dpsp-shape-circle{left:12px}.dpsp-bottom-spacing .dpsp-networks-btns-sidebar .dpsp-network-btn{margin-bottom:6px}#dpsp-floating-sidebar .dpsp-networks-btns-wrapper li{position:relative;overflow:visible}.dpsp-networks-btns-wrapper .dpsp-network-btn .dpsp-network-icon{display:block;position:relative;top:-2px;left:-2px;-moz-box-sizing:border-box;box-sizing:border-box;width:40px;height:40px;border:2px solid;font-size:14px;line-height:36px;text-align:center;align-self:start;flex:0 0 auto}.dpsp-icon-total-share svg,.dpsp-network-icon .dpsp-network-icon-inner svg{position:relative;overflow:visible;width:auto;max-height:14px}.dpsp-icon-total-share,.dpsp-network-icon-inner{display:flex;align-items:center;justify-content:center}.dpsp-network-icon-inner{height:36px}.dpsp-total-share-wrapper{position:relative;margin-top:10px;color:#5d6368;font-family:Helvetica,Helvetica Neue,Arial,sans-serif;line-height:1.345}.dpsp-total-share-wrapper .dpsp-total-share-count{font-size:15px;line-height:18px;white-space:nowrap}.dpsp-total-share-wrapper .dpsp-icon-total-share{position:absolute;top:6px;left:0;margin-top:0;margin-left:0}.dpsp-total-share-wrapper .dpsp-icon-total-share svg{top:2px;width:auto;max-height:16px;fill:#5d6368}#dpsp-floating-sidebar .dpsp-total-share-wrapper{margin-bottom:10px}#dpsp-floating-sidebar .dpsp-total-share-wrapper .dpsp-icon-total-share{display:none}.dpsp-total-share-wrapper span{display:block;font-size:11px;font-weight:700;text-align:center;white-space:nowrap;text-transform:uppercase}.dpsp-button-style-1 .dpsp-network-btn{color:#fff!important}.dpsp-button-style-1 .dpsp-network-btn.dpsp-has-count:not(.dpsp-has-label),.dpsp-button-style-1 .dpsp-network-btn.dpsp-no-label{justify-content:center}.dpsp-button-style-1 .dpsp-network-btn .dpsp-network-icon:not(.dpsp-network-icon-outlined) .dpsp-network-icon-inner>svg{fill:#fff!important}.dpsp-networks-btns-sidebar .dpsp-network-btn,.dpsp-networks-btns-sidebar .dpsp-network-btn .dpsp-network-icon{border-color:transparent;background:transparent}.simple-social-icons svg[class^="social-"]{display:inline-block;width:1em;height:1em;stroke-width:0;stroke:currentColor;fill:currentColor}.simple-social-icons{overflow:hidden}.simple-social-icons ul{margin:0;padding:0}.simple-social-icons ul li{background:none!important;border:none!important;float:left;list-style-type:none!important;margin:0 6px 12px!important;padding:0!important}.simple-social-icons ul li a{border:none!important;-moz-box-sizing:content-box;-webkit-box-sizing:content-box;box-sizing:content-box;display:inline-block;font-style:normal!important;font-variant:normal!important;font-weight:normal!important;height:1em;line-height:1em;text-align:center;text-decoration:none!important;text-transform:none!important;width:1em}.simple-social-icons ul.aligncenter{text-align:center}.simple-social-icons ul.aligncenter li{display:inline-block;float:none}.wprm-automatic-recipe-snippets{margin-bottom:10px}.wprm-automatic-recipe-snippets .wprm-jump-to-recipe-shortcode,.wprm-automatic-recipe-snippets .wprm-print-recipe-shortcode{display:inline-block;margin:0 5px;padding:5px 10px;text-decoration:none}.wprm-recipe *{box-sizing:border-box}</style><link rel="preload" data-rocket-preload as="image" href="https://www.connoisseurusveg.com/wp-content/uploads/2021/09/bg.png" fetchpriority="high"><link rel="preload" data-rocket-preload as="style" href="https://fonts.googleapis.com/css?family=Josefin%20Sans%3AInherit%2CInherit%2C700%2C&display=swap" /><link rel="stylesheet" href="https://fonts.googleapis.com/css?family=Josefin%20Sans%3AInherit%2CInherit%2C700%2C&display=swap" media="print" onload="this.media='all'" /><noscript><link rel="stylesheet" href="https://fonts.googleapis.com/css?family=Josefin%20Sans%3AInherit%2CInherit%2C700%2C&display=swap" /></noscript>
<meta name="description" content="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight! Serve with rice and veggies for a scrumptious vegan meal." />
<link rel="canonical" href="https://www.connoisseurusveg.com/teriyaki-tofu/" />
<meta name="author" content="Alissa Saenz" />
<meta name="twitter:label1" content="Written by" />
<meta name="twitter:data1" content="Alissa Saenz" />
<meta name="twitter:label2" content="Est. reading time" />
<meta name="twitter:data2" content="6 minutes" />
<script type="application/ld+json" class="yoast-schema-graph">{"@context":"https://schema.org","@graph":[{"@type":"Article","@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#article","isPartOf":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/"},"author":{"name":"Alissa Saenz","@id":"https://www.connoisseurusveg.com/#/schema/person/d240ead21049acdcb0aa9f87e289025f"},"headline":"Crispy Baked Teriyaki Tofu","datePublished":"2018-12-17T15:28:53+00:00","dateModified":"2024-11-19T21:58:25+00:00","wordCount":1209,"commentCount":68,"publisher":{"@id":"https://www.connoisseurusveg.com/#organization"},"image":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#primaryimage"},"thumbnailUrl":"https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","articleSection":["Main Dishes","Tofu"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https://www.connoisseurusveg.com/teriyaki-tofu/#respond"]}]},{"@type":"WebPage","@id":"https://www.connoisseurusveg.com/teriyaki-tofu/","url":"https://www.connoisseurusveg.com/teriyaki-tofu/","name":"Crispy Baked Teriyaki Tofu - Connoisseurus Veg","isPartOf":{"@id":"https://www.connoisseurusveg.com/#website"},"primaryImageOfPage":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#primaryimage"},"image":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#primaryimage"},"thumbnailUrl":"https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","datePublished":"2018-12-17T15:28:53+00:00","dateModified":"2024-11-19T21:58:25+00:00","description":"This crispy teriyaki tofu is better than takeout and easy enough for a weeknight! Serve with rice and veggies for a scrumptious vegan meal.","breadcrumb":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#breadcrumb"},"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https://www.connoisseurusveg.com/teriyaki-tofu/"]}]},{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#primaryimage","url":"https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","contentUrl":"https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","width":1200,"height":1200,"caption":"Plate of Teriyaki Tofu with broccoli and rice."},{"@type":"BreadcrumbList","@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https://www.connoisseurusveg.com/"},{"@type":"ListItem","position":2,"name":"Main Dishes","item":"https://www.connoisseurusveg.com/category/entrees/"},{"@type":"ListItem","position":3,"name":"Crispy Baked Teriyaki Tofu"}]},{"@type":"WebSite","@id":"https://www.connoisseurusveg.com/#website","url":"https://www.connoisseurusveg.com/","name":"Connoisseurus Veg","description":"Delicious vegan recipes.","publisher":{"@id":"https://www.connoisseurusveg.com/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https://www.connoisseurusveg.com/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-US"},{"@type":"Organization","@id":"https://www.connoisseurusveg.com/#organization","name":"Tofu Press","url":"https://www.connoisseurusveg.com/","logo":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.connoisseurusveg.com/#/schema/logo/image/","url":"https://www.connoisseurusveg.com/wp-content/uploads/2020/11/TOFU-press.jpg","contentUrl":"https://www.connoisseurusveg.com/wp-content/uploads/2020/11/TOFU-press.jpg","width":900,"height":900,"caption":"Tofu Press"},"image":{"@id":"https://www.connoisseurusveg.com/#/schema/logo/image/"},"sameAs":["https://www.facebook.com/connoisseurusveg","https://x.com/Connoisseurus","https://www.instagram.com/connoisseurusveg/","https://www.pinterest.com/connoisseurus/"]},{"@type":"Person","@id":"https://www.connoisseurusveg.com/#/schema/person/d240ead21049acdcb0aa9f87e289025f","name":"Alissa Saenz","image":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.connoisseurusveg.com/#/schema/person/image/","url":"https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g","contentUrl":"https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g","caption":"Alissa Saenz"},"description":"Hi, I'm Alissa! I'm a former attorney turned professional food blogger. I love creating vegan recipes with bold flavors! You can read more about me here. I'd love to connect with you on Facebook, Instagram, or Pinterest.","sameAs":["https://www.connoisseurusveg.com/"]},{"@type":"Recipe","name":"Crispy Baked Teriyaki Tofu","author":{"@id":"https://www.connoisseurusveg.com/#/schema/person/d240ead21049acdcb0aa9f87e289025f"},"description":"This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal.","datePublished":"2018-12-17T10:28:53+00:00","image":["https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg","https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x375.jpg","https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-480x270.jpg"],"recipeYield":["4"],"prepTime":"PT10M","cookTime":"PT30M","totalTime":"PT40M","recipeIngredient":["1 (14 ounce) package extra firm tofu, (drained, pressed, and cut into 1-inch pieces)","1 tablespoon soy sauce","1 tablespoon vegetable oil ((or high heat oil of choice))","1 tablespoon cornstarch","1/4 teaspoon white pepper ((or black pepper, if that's what you've got))","1/4 cup water","1/3 cup soy sauce","3 tablespoons brown sugar","2 tablespoons rice vinegar","2 tablespoons mirin or dry sherry","1 teaspoon toasted sesame oil","1 teaspoon freshly grated ginger","1 garlic clove, (minced)","2 tablespoons chilled water","1 tablespoon cornstarch","Cooked rice","Steamed veggies","Chopped scallions","Toasted sesame seeds"],"recipeInstructions":[{"@type":"HowToStep","text":"To make the crispy baked tofu, preheat the oven to 400° and line a baking sheet with parchment paper.","name":"To make the crispy baked tofu, preheat the oven to 400° and line a baking sheet with parchment paper.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-0"},{"@type":"HowToStep","text":"Place the tofu into a medium bowl and add the soy sauce, oil, cornstarch, and pepper. Toss to coat the tofu.","name":"Place the tofu into a medium bowl and add the soy sauce, oil, cornstarch, and pepper. Toss to coat the tofu.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-1"},{"@type":"HowToStep","text":"Arrange the tofu pieces in a single layer on the baking sheet.","name":"Arrange the tofu pieces in a single layer on the baking sheet.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-2"},{"@type":"HowToStep","text":"Bake for about 30 minutes, turning halfway through, until browned and crispy.","name":"Bake for about 30 minutes, turning halfway through, until browned and crispy.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-3"},{"@type":"HowToStep","text":"While the tofu bakes, prepare the sauce. Stir 1/4 cup of water, brown sugar, soy sauce, rice vinegar, sherry, sesame oil, garlic, and ginger together in small saucepan.","name":"While the tofu bakes, prepare the sauce. Stir 1/4 cup of water, brown sugar, soy sauce, rice vinegar, sherry, sesame oil, garlic, and ginger together in small saucepan.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-4"},{"@type":"HowToStep","text":"Place the saucepan over medium heat and bring the sauce to a simmer.","name":"Place the saucepan over medium heat and bring the sauce to a simmer.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-5"},{"@type":"HowToStep","text":"Lower the heat and allow it to simmer for 10 minutes, until reduced by about 1/3.","name":"Lower the heat and allow it to simmer for 10 minutes, until reduced by about 1/3.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-6"},{"@type":"HowToStep","text":"Stir the chilled water and cornstarch together in a small bowl or cup. Stir the mixture into the sauce and allow it to simmer for about 1 minute more, until it thickens up a bit.","name":"Stir the chilled water and cornstarch together in a small bowl or cup. Stir the mixture into the sauce and allow it to simmer for about 1 minute more, until it thickens up a bit.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-7"},{"@type":"HowToStep","text":"Remove the pot from the heat.","name":"Remove the pot from the heat.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-8"},{"@type":"HowToStep","text":"When the tofu is finished cooking, add it to the pot and stir to coat the tofu with sauce.","name":"When the tofu is finished cooking, add it to the pot and stir to coat the tofu with sauce.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-9"},{"@type":"HowToStep","text":"Divide onto plates with rice and steamed veggies. Top with sesame seeds and scallions. Serve.","name":"Divide onto plates with rice and steamed veggies. Top with sesame seeds and scallions. Serve.","url":"https://www.connoisseurusveg.com/teriyaki-tofu/#wprm-recipe-17313-step-0-10"}],"aggregateRating":{"@type":"AggregateRating","ratingValue":"4.95","ratingCount":"70","reviewCount":"11"},"review":[{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This recipe is that golden combination of both very simple to make and very yummy to eat! It's really easy to get the sauce made, veggies steamed, and rice cooked while the tofu is baking so you never feel rushed and the cooking experience is relaxing and enjoyable. We like to serve it with broccoli and thinly sliced carrot rounds and dump the veggies in the sauce right along with the tofu. I can't speak to how it holds up as leftovers because we never have any! Lol. Definitely a new staple recipe in our household :)","author":{"@type":"Person","name":"Sarah Mitchell"},"datePublished":"2025-01-07"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"The best teriyaki sauce! I omitted the sherry as suggested. Delicious!","author":{"@type":"Person","name":"Heather"},"datePublished":"2024-03-29"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This was delicious. My family loved this style of tofu as part of a rice bowl with various other toppings. I also made a spicier sichuan sauce on the size, which paired well.","author":{"@type":"Person","name":"Søren"},"datePublished":"2024-02-04"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Delicious! Found this recipe tonight as hubby & I were mulling over what to cook. We had all of the ingredients & am glad we did! Only swaps were using less oil (we try to eat oil free but I didn’t know if leaving the oil put would ruin the baked tofu). I also used subbed coconut aminos for soy sauce. Served with broccoli (mixed the broccoli & tofu with the sauce) over brown rice. My family enjoyed it. Even my picky kiddo liked it enough that he ate all his tofu and broccoli. Only food he left over was rice. To me that is a win! Thanks for the great recipe. If you have suggestions on how to make it oil free, I am all ears. Will definitely be making this again!","author":{"@type":"Person","name":"Carrie"},"datePublished":"2023-04-10"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"I've been making this recipe since the start of the pandemic and it has become an easy weeknight staple. The flavors are all there and once you invest in the key ingredients it becomes so easy to make this dish all the time for only the price of tofu and some scallions which was much appreciated when the world was shut down. Thank you so much for this recipe!","author":{"@type":"Person","name":"Kallie"},"datePublished":"2023-01-10"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"Agreed","author":{"@type":"Person","name":"Nikki"},"datePublished":"2022-11-08"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"So good! I made this recipe exactly as written and served over white rice and broccoli as pictured, and it was perfect. I also added a bit of chili crisp to each serving at the end for a little bit of spice. This is going into my regular meal rotation for sure!","author":{"@type":"Person","name":"Emma"},"datePublished":"2022-04-20"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"I served it with 1.5 cups (dry) brown rice, and microwave-steamed frozen broccoli! It says 4 servings but it was so good that my boyfriend and I ate all of it just the two of us for dinner! :)","author":{"@type":"Person","name":"Maddie McCoy"},"datePublished":"2021-08-30"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"This is the best teriyaki sauce I've come across! Will hold onto this recipe. Thank you!","author":{"@type":"Person","name":"Clare"},"datePublished":"2021-03-08"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"The whole recipe is amazing, but the stand out is the way the tofu bakes. I have been vegan for almost 2 decades, absolutely adore tofu and I am a great cook, but this was the first time I had baked tofu come out perfectly (this recipe combines the right amount of coating/right temperature/time in oven #trifecta). It was insanely crispy, the texture was spot on and it held the sauce perfectly. This is going to be the recipe I send tofu hating friends and family, because not only is it easy and delicious but it shows how amazing tofu can be.","author":{"@type":"Person","name":"Sara"},"datePublished":"2021-02-18"},{"@type":"Review","reviewRating":{"@type":"Rating","ratingValue":"5"},"reviewBody":"I made this with white rice and mixed steamed veggies (carrots, green pepper, baby bok choy). It was very delicious. There's a lot going on at once, but it all came together in a very tasty meal. I will definitely be making this again. I may even use the sauce with other things.","author":{"@type":"Person","name":"Mark"},"datePublished":"2021-01-23"}],"recipeCategory":["Entree"],"recipeCuisine":["Japanese"],"keywords":"broccoli, japanese, tofu","nutrition":{"@type":"NutritionInformation","calories":"185 kcal","carbohydrateContent":"18 g","fatContent":"8.8 g","saturatedFatContent":"1.3 g","sodiumContent":"1523 mg","fiberContent":"1.2 g","sugarContent":"9.6 g","servingSize":"1 serving"},"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#recipe","isPartOf":{"@id":"https://www.connoisseurusveg.com/teriyaki-tofu/#article"},"mainEntityOfPage":"https://www.connoisseurusveg.com/teriyaki-tofu/"}]}</script>
<!-- / Yoast SEO Premium plugin. -->
<link href='https://fonts.gstatic.com' crossorigin rel='preconnect' />
<link rel="alternate" type="application/rss+xml" title="Connoisseurus Veg » Feed" href="https://www.connoisseurusveg.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="Connoisseurus Veg » Comments Feed" href="https://www.connoisseurusveg.com/comments/feed/" />
<style>
@media only screen and (min-width: 1200px) {
.header-widget-area .simple-social-icons {
height: 62px;
}
}
</style><link rel="alternate" type="application/rss+xml" title="Connoisseurus Veg » Crispy Baked Teriyaki Tofu Comments Feed" href="https://www.connoisseurusveg.com/teriyaki-tofu/feed/" />
<link rel="alternate" type="application/rss+xml" title="Connoisseurus Veg » Stories Feed" href="https://www.connoisseurusveg.com/web-stories/feed/"><script>function cpLoadCSS(e,t,n){"use strict";var i=window.document.createElement("link"),o=t||window.document.getElementsByTagName("script")[0];return i.rel="stylesheet",i.href=e,i.media="only x",o.parentNode.insertBefore(i,o),setTimeout(function(){i.media=n||"all"}),i}</script><style>.cp-popup-container .cpro-overlay,.cp-popup-container .cp-popup-wrapper{opacity:0;visibility:hidden;display:none}</style><link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/themes/brunchpro-v442/style.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<style id='brunch-pro-theme-inline-css' type='text/css'>
.brunch-pro .site-header{background:#ffffff;}a, .site-footer a:not(.button), .pagination-next:after, .pagination-previous:before{color:#e11d58;}
</style>
<link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/broadcasts.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/button.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/form.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" 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>
<style id='feast-global-styles-inline-css' type='text/css'>
.feast-plugin a {
word-break: break-word;
}
.feast-plugin ul.menu a {
word-break: initial;
}
p.is-variation-fancy-text {
font-style: italic;
}
body {
font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol" !important;
}h1,
h2,
h3,
h4,
h5,
h6 {
font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol" !important;;
}.single .content a,
.category .content a,
.feast-modern-category-layout a,
aside a,
.site-footer a {
text-decoration: underline;
}
.feast-social-media {
display: flex;
flex-wrap: wrap;
align-items: center;
justify-content: center;
column-gap: 18px;
row-gap: 9px;
width: 100%;
padding: 27px 0;
}
.feast-social-media.feast-social-media--align-left {
justify-content: flex-start;
}
.feast-social-media.feast-social-media--align-right {
justify-content: flex-end;
}
.feast-social-media a {
display: flex;
align-items: center;
justify-content: center;
padding: 12px;
}
@media(max-width:600px) {
.feast-social-media a {
min-height: 50px;
min-width: 50px;
}
}
.feast-remove-top-padding {
padding-top: 0 !important;
}
.feast-remove-bottom-padding {
padding-bottom: 0 !important;
}
.feast-remove-top-margin {
margin-top: 0 !important;
}
.feast-remove-bottom-margin {
margin-bottom: 0 !important;
}
body h1,
body h2,
body h3,
body h4,
body h5,
body h6 {
line-height: 1.2;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio {
display: flex;
flex-direction: column;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__media {
display: flex;
justify-content: center;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__content {
padding: 16px 24px 28px;
margin: 0;
display: flex;
flex-direction: column;
gap: 10px;
box-sizing: border-box;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__content h3,
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__content h2 {
font-size: 1.625em;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__content * {
margin: 0;
max-width: 100%;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__content p {
line-height: 1.5;
}
@media only screen and (max-width: 335px) {
.site-inner {
padding-left: 0;
padding-right: 0;
}
}
@media only screen and (max-width:1023px) {
.feast-layout--modern-footer {
padding-left: 5%;
padding-right: 5%;
}
}
@media only screen and (max-width: 600px) {
.site-container .feast-layout--modern-footer .is-style-full-width-feature-wrapper,
.site-container .feast-layout--modern-footer .is-style-full-width-custom-background-feature-wrapper {
margin: var(--feast-spacing-xl) -5%;
}
}
a.wprm-recipe-jump:hover {
opacity: 1.0 !important;
}
.wp-block-media-text.is-variation-media-text-sidebar-bio .wp-block-media-text__media img {
border-radius: 178px;
aspect-ratio: 1 / 1;
object-fit: cover;
}
.feast-modern-category-layout {
text-align: initial;
}
@media(min-width:1080px) {
}
</style>
<link rel='preload' href='https://www.connoisseurusveg.com/wp-content/plugins/social-pug/assets/dist/style-frontend-pro.css?ver=2.25.1' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<style id='dpsp-frontend-style-pro-inline-css' type='text/css'>
@media screen and ( max-width : 720px ) {
.dpsp-content-wrapper.dpsp-hide-on-mobile,
.dpsp-share-text.dpsp-hide-on-mobile {
display: none;
}
.dpsp-has-spacing .dpsp-networks-btns-wrapper li {
margin:0 2% 10px 0;
}
.dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count) {
max-height: 40px;
padding: 0;
justify-content: center;
}
.dpsp-content-wrapper.dpsp-size-small .dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count){
max-height: 32px;
}
.dpsp-content-wrapper.dpsp-size-large .dpsp-network-btn.dpsp-has-label:not(.dpsp-has-count){
max-height: 46px;
}
}
@media screen and ( max-width : 720px ) {
aside#dpsp-floating-sidebar.dpsp-hide-on-mobile.opened {
display: none;
}
}
@media screen and ( max-width : 720px ) {
aside#dpsp-floating-sidebar.dpsp-hide-on-mobile.opened {
display: none;
}
}
</style>
<script>document.addEventListener('DOMContentLoaded', function(event) { if( typeof cpLoadCSS !== 'undefined' ) { cpLoadCSS('https://www.connoisseurusveg.com/wp-content/plugins/convertpro/assets/modules/css/cp-popup.min.css?ver=1.7.9', 0, 'all'); } }); </script>
<style id='akismet-widget-style-inline-css' type='text/css'>
.a-stats {
--akismet-color-mid-green: #357b49;
--akismet-color-white: #fff;
--akismet-color-light-grey: #f6f7f7;
max-width: 350px;
width: auto;
}
.a-stats * {
all: unset;
box-sizing: border-box;
}
.a-stats strong {
font-weight: 600;
}
.a-stats a.a-stats__link,
.a-stats a.a-stats__link:visited,
.a-stats a.a-stats__link:active {
background: var(--akismet-color-mid-green);
border: none;
box-shadow: none;
border-radius: 8px;
color: var(--akismet-color-white);
cursor: pointer;
display: block;
font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen-Sans', 'Ubuntu', 'Cantarell', 'Helvetica Neue', sans-serif;
font-weight: 500;
padding: 12px;
text-align: center;
text-decoration: none;
transition: all 0.2s ease;
}
/* Extra specificity to deal with TwentyTwentyOne focus style */
.widget .a-stats a.a-stats__link:focus {
background: var(--akismet-color-mid-green);
color: var(--akismet-color-white);
text-decoration: none;
}
.a-stats a.a-stats__link:hover {
filter: brightness(110%);
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.06), 0 0 2px rgba(0, 0, 0, 0.16);
}
.a-stats .count {
color: var(--akismet-color-white);
display: block;
font-size: 1.5em;
line-height: 1.4;
padding: 0 13px;
white-space: nowrap;
}
</style>
<link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/simple-social-icons/css/style.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<link data-minify="1" rel='preload' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/themes/mill_font_awesome.css?ver=1739205066' data-rocket-async="style" as="style" onload="this.onload=null;this.rel='stylesheet'" onerror="this.removeAttribute('data-rocket-async')" type='text/css' media='all' />
<style></style><style>@font-face{font-family:fontello;font-display:swap;src:url(/wp-content/themes/fontello.eot);src:url(/wp-content/themes/fontello.eot?#iefix) format('embedded-opentype'),url('') format('woff'),url(/wp-content/themes/fontello.ttf) format('truetype'),url(/wp-content/themes/fontello.svg#fontello) format('svg');font-weight:400;font-style:normal}</style><link rel="https://api.w.org/" href="https://www.connoisseurusveg.com/wp-json/" /><link rel="alternate" title="JSON" type="application/json" href="https://www.connoisseurusveg.com/wp-json/wp/v2/posts/17311" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://www.connoisseurusveg.com/xmlrpc.php?rsd" />
<link rel='shortlink' href='https://www.connoisseurusveg.com/?p=17311' />
<link rel="alternate" title="oEmbed (JSON)" type="application/json+oembed" href="https://www.connoisseurusveg.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F" />
<link rel="alternate" title="oEmbed (XML)" type="text/xml+oembed" href="https://www.connoisseurusveg.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F&format=xml" />
<style id='feast-blockandfront-styles'>.feast-about-author { background-color: #f2f2f2; color: #32373c; padding: 17px; margin-top: 57px; display: grid; grid-template-columns: 1fr 3fr !important; } .feast-about-author h2 { margin-top: 7px !important;} .feast-about-author img{ border-radius: 50% !important; }aside .feast-about-author { grid-template-columns: 1fr !important; }.wp-block-search .wp-block-search__input { max-width: 100%; background: #FFF; color: #000; }.wp-block-separator { color: #D6D6D6; border-bottom: none; margin-top: 16px; margin-bottom: 16px; }.screen-reader-text { width: 1px; height: 1px; }footer ul li, .site-footer ul li { list-style-type: none; }footer ul li, .site-footer ul li { list-style-type: none; }aside .wp-block-search { display: grid; grid-template-columns: 1fr; margin: 37px 0; } aside .wp-block-search__inside-wrapper { display: grid !important; grid-template-columns: 1fr; } aside input { min-height: 50px; } ​aside .wp-block-search__label, aside .wp-block-search__button { display: none; } aside p, aside div, aside ul { margin: 17px 0; }@media only screen and (max-width: 600px) { aside .wp-block-search { grid-template-columns: 1fr; } aside input { min-height: 50px; margin-bottom: 17px;} }.feast-button a { border: 2px solid #CCC; padding: 7px 14px; border-radius: 20px; text-decoration: none !important; font-weight: bold; } .feast-button { padding: 27px 7px; }a.wp-block-button__link { text-decoration: none !important; }.feast-box-primary { padding: 17px !important; margin: 17px 0 !important; }.feast-box-secondary { padding: 17px !important; margin: 17px 0 !important; }.feast-box-primary li, .feast-box-secondary li {margin-left: 17px !important; }.feast-checklist li::marker { color: transparent; } .feast-checklist li:before { content: '✓'; margin-right: 17px; }.schema-faq-question { font-size: 1.2em; display: block; margin-bottom: 7px;} .schema-faq-section { margin: 37px 0; }</style>
<style type="text/css">
.feast-category-index-list, .fsri-list {
display: grid;
grid-template-columns: repeat(2, minmax(0, 1fr) );
grid-gap: 57px 17px;
list-style: none;
list-style-type: none;
margin: 17px 0 !important;
}
.feast-category-index-list li, .fsri-list li {
min-height: 150px;
text-align: center;
position: relative;
list-style: none !important;
margin-left: 0 !important;
list-style-type: none !important;
overflow: hidden;
}
.feast-category-index-list li a.title {
text-decoration: none;
}
.feast-category-index-list-overlay .fsci-title {
position: absolute;
top: 88%;
left: 50%;
transform: translate(-50%, -50%);
background: #FFF;
padding: 5px;
color: #333;
font-weight: bold;
border: 2px solid #888;
text-transform: uppercase;
width: 80%;
}
.listing-item:focus-within, .wp-block-search__input:focus {outline: 2px solid #555; }
.listing-item a:focus, .listing-item a:focus .fsri-title, .listing-item a:focus img { opacity: 0.8; outline: none; }
.listing-item a, .feast-category-index-list a { text-decoration: none !important; word-break: break-word; }
li.listing-item:before { content: none !important; } /* needs to override theme */
.fsri-list { padding-left: 0 !important; }
.fsri-list .listing-item { margin: 0; }
.fsri-list .listing-item img { display: block; }
.fsri-list .feast_3x4_thumbnail { object-fit: cover; width: 100%; aspect-ratio: 3/4; }
.fsri-list .feast_2x3_thumbnail { object-fit: cover; width: 100%; aspect-ratio: 2/3; }
.fsri-list .feast_4x3_thumbnail { object-fit: cover; width: 100%; aspect-ratio: 4/3; }
.fsri-list .feast_1x1_thumbnail { object-fit: cover; width: 100%; aspect-ratio: 1/1; }
.fsri-title, .fsci-title { text-wrap: balance; }
.listing-item { display: grid; align-content: flex-start; } .fsri-rating, .fsri-time { place-self: end center; } /* align time + rating bottom */
.fsri-category { padding: 8px 12px 0; }
.feast-recipe-index .feast-category-link { text-align: right; }
.feast-recipe-index .feast-category-link a { text-decoration: underline; }
.feast-image-frame, .feast-image-border { border: 3px solid #DDD; }
.feast-image-round, .feast-image-round img, .feast-media-text-image-round .wp-block-media-text__media img { border-radius: 50%; }
.feast-image-shadow { box-shadow: 3px 3px 5px #AAA; }
.feast-line-through { text-decoration: line-through; }
.feast-grid-full, .feast-grid-half, .feast-grid-third, .feast-grid-fourth, .feast-grid-fifth { display: grid; grid-gap: 57px 17px; }
.feast-grid-full { grid-template-columns: 1fr !important; }
.feast-grid-half { grid-template-columns: repeat(2, minmax(0, 1fr)) !important; }
.feast-grid-third { grid-template-columns: repeat(3, minmax(0, 1fr)) !important; }
.feast-grid-fourth { grid-template-columns: repeat(4, minmax(0, 1fr)) !important; }
.feast-grid-fifth { grid-template-columns: repeat(5, minmax(0, 1fr)) !important; }
@media only screen and (max-width:601px) {
.feast-grid-full-horizontal { grid-template-columns: 1fr !important; }
.feast-grid-full-horizontal .listing-item { min-height: 0; }
.feast-grid-full-horizontal .listing-item a { display: flex; align-items: center; }
.feast-grid-full-horizontal .listing-item a > img { width: 33%; }
.feast-grid-full-horizontal .listing-item a > .fsri-title { width: 67%; padding: 0; text-align: left; margin-top: 0 !important; padding: 0 16px; }
.feast-grid-full-horizontal .fsri-rating, .feast-grid-full-horizontal .fsri-time, .feast-grid-full-horizontal .fsri-recipe-keys, .feast-grid-full-horizontal .fsri-recipe-cost { display: none !important; }
body .feast-recipe-index .feast-grid-full-horizontal { row-gap: 17px; }
}
@media only screen and (min-width: 600px) {
.feast-category-index-list { grid-template-columns: repeat(4, minmax(0, 1fr) ); }
.feast-desktop-grid-full { grid-template-columns: 1fr !important; }
.feast-desktop-grid-half { grid-template-columns: repeat(2, 1fr) !important; }
.feast-desktop-grid-third { grid-template-columns: repeat(3, 1fr) !important; }
.feast-desktop-grid-fourth { grid-template-columns: repeat(4, 1fr) !important; }
.feast-desktop-grid-fifth { grid-template-columns: repeat(5, 1fr) !important; }
.feast-desktop-grid-sixth { grid-template-columns: repeat(6, 1fr) !important; }
.feast-desktop-grid-ninth { grid-template-columns: repeat(6, 1fr) !important; }
.feast-desktop-grid-half-horizontal, .feast-desktop-grid-third-horizontal { grid-template-columns: repeat(2, 1fr) !important; }
.feast-desktop-grid-full-horizontal { grid-template-columns: 1fr !important; }
.feast-desktop-grid-half-horizontal .listing-item a, .feast-desktop-grid-full-horizontal .listing-item a, .feast-desktop-grid-third-horizontal .listing-item a { display: flex; align-items: center; }
.feast-desktop-grid-half-horizontal .listing-item a > img, .feast-desktop-grid-full-horizontal a > img, .feast-desktop-grid-third-horizontal .listing-item a > img { width: 33% !important; margin-bottom: 0; }
.feast-desktop-grid-half-horizontal .listing-item a > .fsri-title, .feast-desktop-grid-full-horizontal a > .fsri-title, .feast-desktop-grid-third-horizontal .listing-item a > .fsri-title { width: 67%; padding: 0 16px; text-align: left; margin-top: 0 !important; }
.feast-desktop-grid-half-horizontal .fsri-rating, .feast-desktop-grid-half-horizontal .fsri-time, .feast-desktop-grid-half-horizontal .fsri-recipe-keys, .feast-desktop-grid-half-horizontal .fsri-recipe-cost { display: none !important; }
.feast-desktop-grid-third-horizontal .fsri-rating, .feast-desktop-grid-third-horizontal .fsri-time, .feast-desktop-grid-third-horizontal .fsri-recipe-keys, .feast-desktop-grid-third-horizontal .fsri-recipe-cost { display: none !important; }
.feast-desktop-grid-full-horizontal .fsri-rating, .feast-desktop-grid-full-horizontal .fsri-time, .feast-desktop-grid-full-horizontal .fsri-recipe-keys, .feast-desktop-grid-full-horizontal .fsri-recipe-cost { display: none !important; }
body .feast-recipe-index .feast-desktop-grid-half-horizontal, body .feast-recipe-index .feast-desktop-grid-third-horizontal, body .feast-recipe-index .feast-desktop-grid-full-horizontal { row-gap: 7px; }
}
@media only screen and (min-width:900px) {
.feast-desktop-grid-third-horizontal { grid-template-columns: repeat(3, 1fr) !important; }
.feast-desktop-grid-ninth { grid-template-columns: repeat(9, 1fr) !important; }
}
@media only screen and (min-width:900px) and (max-width:1200px) {
.feast-desktop-grid-third-horizontal .listing-item a > img {
width: 44%;
}
}
@media only screen and (min-width:600px) and (max-width:775px) {
.feast-desktop-grid-third-horizontal .listing-item a > img,
.feast-desktop-grid-half-horizontal .listing-item a > img {
width: 44%;
}
}
@media only screen and (min-width: 1100px) { .full-width-content main.content { width: 1080px; max-width: 1080px; } .full-width-content .sidebar-primary { display: none; } }
@media only screen and (max-width: 600px) { .entry-content :not(.wp-block-gallery) .wp-block-image { width: 100% !important; } }
@media only screen and (min-width: 1024px) {
.feast-full-width-wrapper { width: 100vw; position: relative; left: 50%; right: 50%; margin: 37px -50vw; background: #F5F5F5; padding: 17px 0; }
.feast-full-width-wrapper .feast-recipe-index { width: 1140px; margin: 0 auto; }
.feast-full-width-wrapper .listing-item { background: #FFF; padding: 17px; }
}
.feast-prev-next { display: grid; grid-template-columns: 1fr; border-bottom: 1px solid #CCC; margin: 57px 0; }
.feast-prev-post, .feast-next-post { padding: 37px 17px; border-top: 1px solid #CCC; }
.feast-next-post { text-align: right; }
@media only screen and (min-width: 600px) {
.feast-prev-next { grid-template-columns: 1fr 1fr; border-bottom: none; }
.feast-next-post { border-left: 1px solid #CCC;}
.feast-prev-post, .feast-next-post { padding: 37px; }
}
.has-background { padding: 1.25em 2.375em; margin: 1em 0; }
figure { margin: 0 0 1em; }
@media only screen and (max-width: 1023px) {
.content-sidebar .content, .sidebar-primary { float: none; clear: both; }
.has-background { padding: 1em; margin: 1em 0; }
}
hr.has-background { padding: inherit; margin: inherit; }
body { -webkit-animation: none !important; animation: none !important; }
@media only screen and (max-width: 600px) {
body {
--wp--preset--font-size--small: 16px !important;
}
}
@media only screen and (max-width: 600px) { .feast-desktop-only { display: none; } }
@media only screen and (min-width: 600px) { .feast-mobile-only { display: none; } }
summary { display: list-item; }
.comment-form-cookies-consent > label {
display: inline-block;
margin-left: 30px;
}
@media only screen and (max-width: 600px) { .comment-form-cookies-consent { display: grid; grid-template-columns: 1fr 12fr; } }
.bypostauthor .comment-author-name { color: unset; }
.comment-list article header { overflow: auto; }
.fsri-rating .wprm-recipe-rating { pointer-events: none; }
.fsri-tasty-recipe-count {
display: block;
width: 100%;
font-size: .8em;
}
nav#breadcrumbs { margin: 5px 0 15px; }</style><style type="text/css" id='feastbreadcrumbstylesoverride'>
@media only screen and (max-width: 940px) {
nav#breadcrumbs {
display: block;
}
}
</style> <script type="rocketlazyloadscript" data-rocket-type="text/javascript">
(function(c,l,a,r,i,t,y){
c[a]=c[a]||function(){(c[a].q=c[a].q||[]).push(arguments)};t=l.createElement(r);t.async=1;
t.src="https://www.clarity.ms/tag/"+i+"?ref=wordpress";y=l.getElementsByTagName(r)[0];y.parentNode.insertBefore(t,y);
})(window, document, "clarity", "script", "o7wde1ge0a");
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript">//<![CDATA[
function external_links_in_new_windows_loop() {
if (!document.links) {
document.links = document.getElementsByTagName('a');
}
var change_link = false;
var force = '';
var ignore = '';
for (var t=0; t<document.links.length; t++) {
var all_links = document.links[t];
change_link = false;
if(document.links[t].hasAttribute('onClick') == false) {
// forced if the address starts with http (or also https), but does not link to the current domain
if(all_links.href.search(/^http/) != -1 && all_links.href.search('www.connoisseurusveg.com') == -1 && all_links.href.search(/^#/) == -1) {
// console.log('Changed ' + all_links.href);
change_link = true;
}
if(force != '' && all_links.href.search(force) != -1) {
// forced
// console.log('force ' + all_links.href);
change_link = true;
}
if(ignore != '' && all_links.href.search(ignore) != -1) {
// console.log('ignore ' + all_links.href);
// ignored
change_link = false;
}
if(change_link == true) {
// console.log('Changed ' + all_links.href);
document.links[t].setAttribute('onClick', 'javascript:window.open(\'' + all_links.href.replace(/'/g, '') + '\', \'_blank\', \'noopener\'); return false;');
document.links[t].removeAttribute('target');
}
}
}
}
// Load
function external_links_in_new_windows_load(func)
{
var oldonload = window.onload;
if (typeof window.onload != 'function'){
window.onload = func;
} else {
window.onload = function(){
oldonload();
func();
}
}
}
external_links_in_new_windows_load(external_links_in_new_windows_loop);
//]]></script>
<!-- [slickstream] Page Generated at: 2/18/2025, 2:34:12 AM EST --> <script>console.info(`[slickstream] Page Generated at: 2/18/2025, 2:34:12 AM EST`);</script>
<script>console.info(`[slickstream] Current timestamp: ${(new Date).toLocaleString('en-US', { timeZone: 'America/New_York' })} EST`);</script>
<!-- [slickstream] Page Boot Data: -->
<script class='slickstream-script'>
(function() {
"slickstream";
const win = window;
win.$slickBoot = win.$slickBoot || {};
win.$slickBoot.d = {"bestBy":1739867203492,"epoch":1732223537877,"siteCode":"C9E7Y3W7","services":{"engagementCacheableApiDomain":"https:\/\/c13f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c13b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c13f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c13b-wss.app.slickstream.com\/socket?site=C9E7Y3W7"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/app.js","adminUrl":"","allowList":["connoisseurusveg.com"],"abTests":[],"v2":{"phone":{"placeholders":[{"selector":".single-post .entry-content","position":"last child of selector"}],"bootTriggerTimeout":250,"inlineSearch":[{"id":"postDCM_below-post","injection":"auto-inject","selector":".single-post .entry-content","position":"last child of selector","titleHtml":"<span class=\"ss-widget-title\">Explore More<\/span>","minHeight":308}],"bestBy":1739867203492,"epoch":1732223537877,"siteCode":"C9E7Y3W7","services":{"engagementCacheableApiDomain":"https:\/\/c13f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c13b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c13f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c13b-wss.app.slickstream.com\/socket?site=C9E7Y3W7"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/app.js","adminUrl":"","allowList":["connoisseurusveg.com"],"abTests":[]},"tablet":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1739867203492,"epoch":1732223537877,"siteCode":"C9E7Y3W7","services":{"engagementCacheableApiDomain":"https:\/\/c13f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c13b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c13f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c13b-wss.app.slickstream.com\/socket?site=C9E7Y3W7"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/app.js","adminUrl":"","allowList":["connoisseurusveg.com"],"abTests":[]},"desktop":{"placeholders":[{"selector":".single-post .entry-content","position":"last child of selector"}],"bootTriggerTimeout":250,"inlineSearch":[{"id":"postDCM_below-post","injection":"auto-inject","selector":".single-post .entry-content","position":"last child of selector","titleHtml":"<span class=\"ss-widget-title\">Explore More<\/span>","minHeight":308}],"bestBy":1739867203492,"epoch":1732223537877,"siteCode":"C9E7Y3W7","services":{"engagementCacheableApiDomain":"https:\/\/c13f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c13b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c13f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c13b-wss.app.slickstream.com\/socket?site=C9E7Y3W7"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/app.js","adminUrl":"","allowList":["connoisseurusveg.com"],"abTests":[]},"unknown":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1739867203492,"epoch":1732223537877,"siteCode":"C9E7Y3W7","services":{"engagementCacheableApiDomain":"https:\/\/c13f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c13b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c13f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c13b-wss.app.slickstream.com\/socket?site=C9E7Y3W7"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.104\/app.js","adminUrl":"","allowList":["connoisseurusveg.com"],"abTests":[]}}};
win.$slickBoot.s = 'plugin';
win.$slickBoot._bd = performance.now();
})();
</script>
<!-- [slickstream] END Page Boot Data -->
<!-- [slickstream] CLS Insertion: -->
<script>
"use strict";(async(e,t,n)=>{const o="slickstream";const i=e?JSON.parse(e):null;const r=t?JSON.parse(t):null;const c=n?JSON.parse(n):null;if(i||r||c){const e=async()=>{if(document.body){if(i){m(i.selector,i.position||"after selector","slick-film-strip",i.minHeight||72,i.margin||i.marginLegacy||"10px auto")}if(r){r.forEach((e=>{if(e.selector){m(e.selector,e.position||"after selector","slick-inline-search-panel",e.minHeight||350,e.margin||e.marginLegacy||"50px 15px",e.id)}}))}if(c){s(c)}return}window.requestAnimationFrame(e)};window.requestAnimationFrame(e)}const s=async e=>{const t="slick-on-page";try{if(document.querySelector(`.${t}`)){return}const n=l()?e.minHeightMobile||220:e.minHeight||200;if(e.cssSelector){m(e.cssSelector,"before selector",t,n,"",undefined)}else{a(e.pLocation||3,t,n)}}catch(e){console.log("plugin","error",o,`Failed to inject ${t}`)}};const a=async(e,t,n)=>{const o=document.createElement("div");o.classList.add(t);o.classList.add("cls-inserted");o.style.minHeight=n+"px";const i=document.querySelectorAll("article p");if((i===null||i===void 0?void 0:i.length)>=e){const t=i[e-1];t.insertAdjacentElement("afterend",o);return o}const r=document.querySelectorAll("section.wp-block-template-part div.entry-content p");if((r===null||r===void 0?void 0:r.length)>=e){const t=r[e-1];t.insertAdjacentElement("afterend",o);return o}return null};const l=()=>{const e=navigator.userAgent;const t=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari/i.test(e);const n=/Mobi|iP(hone|od)|Opera Mini/i.test(e);return n&&!t};const d=async(e,t)=>{const n=Date.now();while(true){const o=document.querySelector(e);if(o){return o}const i=Date.now();if(i-n>=t){throw new Error("Timeout")}await u(200)}};const u=async e=>new Promise((t=>{setTimeout(t,e)}));const m=async(e,t,n,i,r,c)=>{try{const o=await d(e,5e3);const s=c?document.querySelector(`.${n}[data-config="${c}"]`):document.querySelector(`.${n}`);if(o&&!s){const e=document.createElement("div");e.style.minHeight=i+"px";e.style.margin=r;e.classList.add(n);e.classList.add("cls-inserted");if(c){e.dataset.config=c}switch(t){case"after selector":o.insertAdjacentElement("afterend",e);break;case"before selector":o.insertAdjacentElement("beforebegin",e);break;case"first child of selector":o.insertAdjacentElement("afterbegin",e);break;case"last child of selector":o.insertAdjacentElement("beforeend",e);break}return e}}catch(t){console.log("plugin","error",o,`Failed to inject ${n} for selector ${e}`)}return false}})
('','[{\"id\":\"postDCM_below-post\",\"injection\":\"auto-inject\",\"selector\":\".single-post .entry-content\",\"position\":\"last child of selector\",\"titleHtml\":\"<span class=\\\"ss-widget-title\\\">Explore More<\\/span>\",\"minHeight\":308}]','');
</script>
<!-- [slickstream] END CLS Insertion -->
<meta property='slick:wpversion' content='2.0.3' />
<!-- [slickstream] Bootloader: -->
<script class='slickstream-script'>'use strict';
(async(e,t)=>{if(location.search.indexOf("no-slick")>=0){return}let s;const a=()=>performance.now();let c=window.$slickBoot=window.$slickBoot||{};c.rt=e;c._es=a();c.ev="2.0.1";c.l=async(e,t)=>{try{let c=0;if(!s&&"caches"in self){s=await caches.open("slickstream-code")}if(s){let o=await s.match(e);if(!o){c=a();await s.add(e);o=await s.match(e);if(o&&!o.ok){o=undefined;s.delete(e)}}if(o){const e=o.headers.get("x-slickstream-consent");return{t:c,d:t?await o.blob():await o.json(),c:e||"na"}}}}catch(e){console.log(e)}return{}};const o=e=>new Request(e,{cache:"no-store"});if(!c.d||c.d.bestBy<Date.now()){const s=o(`${e}/d/page-boot-data?site=${t}&url=${encodeURIComponent(location.href.split("#")[0])}`);let{t:i,d:n,c:l}=await c.l(s);if(n){if(n.bestBy<Date.now()){n=undefined}else if(i){c._bd=i;c.c=l}}if(!n){c._bd=a();const e=await fetch(s);const t=e.headers.get("x-slickstream-consent");c.c=t||"na";n=await e.json()}if(n){c.d=n;c.s="embed"}}if(c.d){let e=c.d.bootUrl;const{t:t,d:s}=await c.l(o(e),true);if(s){c.bo=e=URL.createObjectURL(s);if(t){c._bf=t}}else{c._bf=a()}const i=document.createElement("script");i.className="slickstream-script";i.src=e;document.head.appendChild(i)}else{console.log("[slickstream] Boot failed")}})
("https://app.slickstream.com","C9E7Y3W7");
</script>
<!-- [slickstream] END Bootloader -->
<!-- [slickstream] Page Metadata: -->
<meta property="slick:wppostid" content="17311" />
<meta property="slick:featured_image" content="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg" />
<meta property="slick:group" content="post" />
<meta property="slick:category" content="entrees:Main Dishes" />
<meta property="slick:category" content="tofu-category:Tofu" />
<script type="application/x-slickstream+json">{"@context":"https://slickstream.com","@graph":[{"@type":"Plugin","version":"2.0.3"},{"@type":"Site","name":"Connoisseurus Veg","url":"https://www.connoisseurusveg.com","description":"Delicious vegan recipes.","atomUrl":"https://www.connoisseurusveg.com/feed/atom/","rtl":false},{"@type":"WebPage","@id":17311,"isFront":false,"isHome":false,"isCategory":false,"isTag":false,"isSingular":true,"date":"2018-12-17T10:28:53-05:00","modified":"2024-11-19T16:58:25-05:00","title":"Crispy Baked Teriyaki Tofu","pageType":"post","postType":"post","featured_image":"https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg","author":"Alissa Saenz","categories":[{"@id":15,"slug":"entrees","name":"Main Dishes","parents":[]},{"@id":5090,"slug":"tofu-category","name":"Tofu","parents":[]}]}]}</script>
<!-- [slickstream] END Page Metadata -->
<script class='slickstream-script'>
(function() {
const slickstreamRocketPluginScripts = document.querySelectorAll('script.slickstream-script[type=rocketlazyloadscript]');
const slickstreamRocketExternalScripts = document.querySelectorAll('script[type=rocketlazyloadscript][src*="app.slickstream.com"]');
if (slickstreamRocketPluginScripts.length > 0 || slickstreamRocketExternalScripts.length > 0) {
console.warn('[slickstream]' + ['Slickstream scripts. This ', 'may cause undesirable behavior, ', 'such as increased CLS scores.',' WP-Rocket is deferring one or more ',].sort().join(''));
}
})();
</script><meta name="hubbub-info" description="Hubbub Pro 2.25.1"><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><link rel="icon" href="https://www.connoisseurusveg.com/wp-content/themes/brunchpro-v442/images/favicon.ico" />
<meta name="facebook-domain-verification" content="ihb8paj9mjreqg7bfa85pw0aqpqhre" />
<meta name="pinterest-rich-pin" content="false" />
<!-- Global site tag (gtag.js) - Google Analytics -->
<script async src="https://www.googletagmanager.com/gtag/js?id=G-ND9HJ8FCF0"></script>
<script>
window.dataLayer = window.dataLayer || [];
function gtag(){dataLayer.push(arguments);}
gtag('js', new Date());
gtag('config', 'G-ND9HJ8FCF0');
</script><!-- All in one Favicon 4.8 --><link rel="shortcut icon" href="https://www.connoisseurusveg.com/wp-content/uploads/2014/07/favicon-3.ico" />
<link rel="apple-touch-icon" href="https://www.connoisseurusveg.com/wp-content/uploads/2014/07/favicon-31.ico" />
<!-- BEGIN Clicky Analytics v2.2.3 Tracking - https://deconf.com/clicky-analytics-dashboard-wordpress/ -->
<script type="rocketlazyloadscript" data-rocket-type="text/javascript">
var clicky_custom = clicky_custom || {};
clicky_custom.outbound_pattern = ['/go/','/out/'];
</script>
<script type="rocketlazyloadscript" async data-rocket-src="//static.getclicky.com/100751834.js"></script>
<!-- END Clicky Analytics v2.2.3 Tracking - https://deconf.com/clicky-analytics-dashboard-wordpress/ -->
<style>
/* Add animation (Chrome, Safari, Opera) */
@-webkit-keyframes openmenu {
from {left:-100px;opacity: 0;}
to {left:0px;opacity:1;}
}
@-webkit-keyframes closebutton {
0% {opacity: 0;}
100% {opacity: 1;}
}
/* Add animation (Standard syntax) */
@keyframes openmenu {
from {left:-100px;opacity: 0;}
to {left:0px;opacity:1;}
}
@keyframes closebutton {
0% {opacity: 0;}
100% {opacity: 1;}
}
.mmmadminlinks {
position: absolute;
left: 20px;
top: 0;
width: 200px;
line-height: 25px;
text-align: left;
display: none;
}
@media only screen and ( min-width: 1000px ) {
.mmmadminlinks { display: block; }
}
/* Ensure the jump link is below the fixed nav */
html {
scroll-padding-top: 90px;
}
/* The mmm's background */
.feastmobilemenu-background {
display: none;
position: fixed;
z-index: 9999;
left: 0;
top: 0;
width: 100%;
height: 100%;
overflow: auto;
background-color: rgb(0, 0, 0);
background-color: rgba(0, 0, 0, 0.4);
}
/* Display the mmm when targeted */
.feastmobilemenu-background:target {
display: table;
position: fixed;
}
/* The mmm box */
.mmm-dialog {
display: table-cell;
vertical-align: top;
font-size: 20px;
}
/* The mmm's content */
.mmm-dialog .mmm-content {
margin: 0;
padding: 10px 10px 10px 20px;
position: fixed;
left: 0;
background-color: #FEFEFE;
contain: strict;
overflow-x: hidden;
overflow-y: auto;
outline: 0;
border-right: 1px #777 solid;
border-bottom: 1px #777 solid;
text-align: justify;
width: 320px;
height: 90%;
box-shadow: 0 4px 8px 0 rgba(0, 0, 0, 0.2), 0 6px 20px 0 rgba(0, 0, 0, 0.19);
/* Add animation */
-webkit-animation-name: openmenu; /* Chrome, Safari, Opera */
-webkit-animation-duration: 0.6s; /* Chrome, Safari, Opera */
animation-name: openmenu;
animation-duration: 0.6s;
}
.mmm-content li {
list-style: none;
}
#menu-feast-modern-mobile-menu li,
.desktop-inline-modern-menu > ul.menu li {
min-height: 50px;
margin-left: 5px;
list-style: none;
}
#menu-feast-modern-mobile-menu li a,
.desktop-inline-modern-menu > ul.menu li a {
color: inherit;
text-decoration: inherit;
}
/* The button used to close the mmm */
.closebtn {
text-decoration: none;
float: right;
margin-right: 10px;
font-size: 50px;
font-weight: bold;
color: #333;
z-index: 1301;
top: 0;
position: fixed;
left: 270px;
-webkit-animation-name: closebutton; /* Chrome, Safari, Opera */
-webkit-animation-duration: 1.5s; /* Chrome, Safari, Opera */
animation-name: closebutton;
animation-duration: 1.5s;
}
.closebtn:hover,
.closebtn:focus {
color: #555;
cursor: pointer;
}
@media (prefers-reduced-motion) { /* accessibility animation fix */
.mmm-dialog .mmm-content, .closebtn {
animation: none !important;
}
}
.mmmheader {
font-size: 25px;
color: #FFF;
height: 80px;
display: flex;
justify-content: space-between;
}
#mmmlogo {
max-width: 200px;
max-height: 70px;
}
#feast-mobile-search {
margin-bottom: 17px;
min-height: 50px;
overflow: auto;
}
#feast-mobile-search input[type=submit] {
display: none;
}
#feast-mobile-search input[type=search] {
width: 100%;
}
#feast-mobile-menu-social-icons {
margin-top: 17px;
}
#feast-social .simple-social-icons {
list-style: none;
margin: 0 !important;
}
.feastmobilenavbar {
position: fixed;
top: 0;
left: 0;
z-index: 1300;
width: 100%;
height: 80px;
padding: 0;
margin: 0 auto;
box-sizing: border-box;
border-top: 1px solid #CCC;
border-bottom: 1px solid #CCC;
background: #FFF;
display: grid;
grid-template-columns: repeat(7, minmax(50px, 1fr));
text-align: center;
contain: strict;
overflow: hidden;
}
.feastmobilenavbar > div { height: 80px; }
.admin-bar .feastmobilenavbar {
top: 32px;
}
@media screen and (max-width:782px) {
.admin-bar .feastmobilenavbar {
top: 0;
position: sticky;
}
.admin-bar .site-container, .admin-bar .body-template-content {
margin-top: 0;
}
}
.feastmobilenavbar a img {
margin-bottom: inherit !important;
}
.feastmenutoggle, .feastsearchtoggle, .feastsubscribebutton {
display: flex;
align-items: center;
justify-items: center;
justify-content: center;
}
.feastsearchtoggle svg, .feastmenutoggle svg {
width: 30px;
height: 30px;
padding: 10px;
box-sizing: content-box;
color: black;
}
.feastsubscribebutton {
overflow: hidden;
}
.feastsubscribebutton img {
max-width: 90px;
padding: 15px;
margin: 1px;
}
.feastsubscribebutton svg {
color: #000;
}
.feastmenulogo {
overflow: hidden;
display: flex;
align-items: center;
justify-content: center;
grid-column-end: span 5;
}
@media only screen and ( max-width: 1199px ) {
.feastmenulogo {grid-column-end: span 5; }
.feastsubscribebutton { grid-column-end: span 2; }
}
@media only screen and (max-width: 359px) { /* 320px fix */
.feastmobilenavbar {
grid-template-columns: repeat(6, minmax(50px, 1fr));
}
.feastmenulogo {grid-column-end: span 4; } }
@media only screen and ( min-width: 1200px ) {
.feastmobilenavbar { display: none; }
}
@media only screen and ( max-width: 1199px ) {
header.site-header, .nav-primary { display: none !important; visibility: hidden; }
.site-container, .body-template-content { margin-top: 80px; /* prevents menu overlapping content */ }
}
</style>
<style id='feast-increase-content-width'>@media only screen and (min-width: 1200px) { #genesis-content { min-width: 728px; } #content-container { min-width: 728px; } }</style>
<style>.wprm-recipe-ingredients li{position:relative}.wprm-recipe-template-snippet-basic-buttons{text-align:center}.wprm-recipe-link.wprm-recipe-link-inline-button{border-width:1px;border-style:solid;display:inline-block;margin:0 5px 5px 0}.wprm-recipe-icon svg{display:inline;vertical-align:middle;margin-top:-.15em;width:1.3em;height:1.3em;overflow:visible}.wprm-automatic-recipe-snippets .wprm-jump-to-recipe-shortcode{display:inline-block;margin:0 5px;padding:5px 10px;text-decoration:none}.wprm-block-text-bold{font-weight:bold}</style><script data-no-optimize='1' data-cfasync='false' id='cls-disable-ads-240b0f0'>var cls_disable_ads=function(e){"use strict";var t,i,o,r,a,n,s,l,d,u,c,p,h,_,g,S,y,m,v,f,O;function w(){return w=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var i=arguments[t];for(var o in i)Object.prototype.hasOwnProperty.call(i,o)&&(e[o]=i[o])}return e},w.apply(this,arguments)}window.adthriveCLS.buildDate="2025-02-14",function(e){e.amznbid="amznbid",e.amzniid="amzniid",e.amznp="amznp",e.amznsz="amznsz"}(t||(t={})),function(e){e.ThirtyThreeAcross="33across",e.Adform="adform",e.Aidem="aidem",e.AidemServer="aidem_ss",e.AppNexus="appnexus",e.AmazonTAM="amazon",e.AmazonUAM="AmazonUAM",e.Conversant="conversant",e.Concert="concert",e.Criteo="criteo",e.CriteoServer="crit_ss",e.GumGum="gumgum",e.ImproveDigital="improvedigital",e.ImproveDigitalServer="improve_ss",e.IndexExchange="ix",e.Kargo="kargo",e.KargoServer="krgo_ss",e.MediaGrid="grid",e.MediaGridVideo="gridvid",e.Medianet="medianet",e.Nativo="nativo",e.Ogury="ogury",e.OpenX="openx",e.OpenXServer="opnx_ss",e.Ozone="ozone",e.Pubmatic="pubmatic",e.PubmaticServer="pubm_ss",e.ResetDigital="resetdigital",e.Rise="rise",e.Rtbhouse="rtbhouse",e.Rubicon="rubicon",e.RubiconServer="rubi_ss",e.Seedtag="seedtag",e.Sharethrough="sharethrough",e.SharethroughServer="share_ss",e.Teads="teads",e.Triplelift="triplelift",e.TripleliftServer="tripl_ss",e.TTD="ttd",e.Undertone="undertone",e.UndertoneServer="under_ss",e.Unruly="unruly",e.YahooSSP="yahoossp",e.YahooSSPServer="yah_ss",e.Verizon="verizon",e.Yieldmo="yieldmo",e.Flipp="flipp"}(i||(i={})),function(e){e.ix="ix",e.medianet="mn",e.openx="ox",e.pubmatic="pu",e.rubicon="ma",e.sharethrough="sh",e.triplelift="tl"}(o||(o={})),function(e){e.Prebid="prebid",e.GAM="gam",e.Amazon="amazon",e.Marmalade="marmalade",e.Floors="floors",e.CMP="cmp",e.Optable="optable",e.OptimalBidder="optimalBidder"}(r||(r={})),function(e){e.cm="cm",e.fbrap="fbrap",e.rapml="rapml"}(a||(a={})),function(e){e.lazy="lazy",e.raptive="raptive",e.refresh="refresh",e.session="session",e.crossDomain="crossdomain",e.highSequence="highsequence",e.lazyBidPool="lazyBidPool"}(n||(n={})),function(e){e.lazy="l",e.raptive="rapml",e.refresh="r",e.session="s",e.crossdomain="c",e.highsequence="hs",e.lazyBidPool="lbp"}(s||(s={})),function(e){e.Version="Version",e.SharingNotice="SharingNotice",e.SaleOptOutNotice="SaleOptOutNotice",e.SharingOptOutNotice="SharingOptOutNotice",e.TargetedAdvertisingOptOutNotice="TargetedAdvertisingOptOutNotice",e.SensitiveDataProcessingOptOutNotice="SensitiveDataProcessingOptOutNotice",e.SensitiveDataLimitUseNotice="SensitiveDataLimitUseNotice",e.SaleOptOut="SaleOptOut",e.SharingOptOut="SharingOptOut",e.TargetedAdvertisingOptOut="TargetedAdvertisingOptOut",e.SensitiveDataProcessing="SensitiveDataProcessing",e.KnownChildSensitiveDataConsents="KnownChildSensitiveDataConsents",e.PersonalDataConsents="PersonalDataConsents",e.MspaCoveredTransaction="MspaCoveredTransaction",e.MspaOptOutOptionMode="MspaOptOutOptionMode",e.MspaServiceProviderMode="MspaServiceProviderMode",e.SubSectionType="SubsectionType",e.Gpc="Gpc"}(l||(l={})),function(e){e[e.NA=0]="NA",e[e.OptedOut=1]="OptedOut",e[e.OptedIn=2]="OptedIn"}(d||(d={})),function(e){e.AdDensity="addensity",e.AdLayout="adlayout",e.FooterCloseButton="footerclose",e.Interstitial="interstitial",e.RemoveVideoTitleWrapper="removevideotitlewrapper",e.StickyOutstream="stickyoutstream",e.StickyOutstreamOnStickyPlayer="sospp",e.VideoAdvancePlaylistRelatedPlayer="videoadvanceplaylistrp",e.MobileStickyPlayerPosition="mspp"}(u||(u={})),function(e){e.Below_Post_1="Below_Post_1",e.Below_Post="Below_Post",e.Content="Content",e.Content_1="Content_1",e.Content_2="Content_2",e.Content_3="Content_3",e.Content_4="Content_4",e.Content_5="Content_5",e.Content_6="Content_6",e.Content_7="Content_7",e.Content_8="Content_8",e.Content_9="Content_9",e.Recipe="Recipe",e.Recipe_1="Recipe_1",e.Recipe_2="Recipe_2",e.Recipe_3="Recipe_3",e.Recipe_4="Recipe_4",e.Recipe_5="Recipe_5",e.Native_Recipe="Native_Recipe",e.Footer_1="Footer_1",e.Footer="Footer",e.Header_1="Header_1",e.Header_2="Header_2",e.Header="Header",e.Sidebar_1="Sidebar_1",e.Sidebar_2="Sidebar_2",e.Sidebar_3="Sidebar_3",e.Sidebar_4="Sidebar_4",e.Sidebar_5="Sidebar_5",e.Sidebar_9="Sidebar_9",e.Sidebar="Sidebar",e.Interstitial_1="Interstitial_1",e.Interstitial="Interstitial",e.Video_StickyOutstream_1="Video_StickyOutstream_1",e.Video_StickyOutstream="Video_StickyOutstream",e.Video_StickyInstream="Video_StickyInstream",e.Sponsor_Tile="Sponsor_Tile"}(c||(c={})),function(e){e.Desktop="desktop",e.Mobile="mobile"}(p||(p={})),function(e){e.Video_Collapse_Autoplay_SoundOff="Video_Collapse_Autoplay_SoundOff",e.Video_Individual_Autoplay_SOff="Video_Individual_Autoplay_SOff",e.Video_Coll_SOff_Smartphone="Video_Coll_SOff_Smartphone",e.Video_In_Post_ClicktoPlay_SoundOn="Video_In-Post_ClicktoPlay_SoundOn",e.Video_Collapse_Autoplay_SoundOff_15s="Video_Collapse_Autoplay_SoundOff_15s",e.Video_Individual_Autoplay_SOff_15s="Video_Individual_Autoplay_SOff_15s",e.Video_Coll_SOff_Smartphone_15s="Video_Coll_SOff_Smartphone_15s",e.Video_In_Post_ClicktoPlay_SoundOn_15s="Video_In-Post_ClicktoPlay_SoundOn_15s"}(h||(h={})),function(e){e.vpaidAdPlayError="vpaidAdPlayError",e.adError="adError",e.adLoaded="adLoaded"}(_||(_={})),function(e){e.Float="adthrive-collapse-float",e.Sticky="adthrive-collapse-sticky",e.Mobile="adthrive-collapse-mobile"}(g||(g={})),function(e){e.Small="adthrive-collapse-small",e.Medium="adthrive-collapse-medium"}(S||(S={})),function(e){e.BottomRight="adthrive-collapse-bottom-right"}(y||(y={})),function(e){e[e.Unstarted=0]="Unstarted",e[e.UncollapsedPlay=1]="UncollapsedPlay",e[e.CollapsedPlay=2]="CollapsedPlay",e[e.UserPauseUncollapsed=3]="UserPauseUncollapsed",e[e.UserPauseCollapsed=4]="UserPauseCollapsed",e[e.PausedNotVisible=5]="PausedNotVisible",e[e.Overlapped=6]="Overlapped",e[e.Closed=7]="Closed",e[e.NonLinearAdPlay=8]="NonLinearAdPlay",e[e.NonLinearAdPaused=9]="NonLinearAdPaused",e[e.NonLinearAdOverlapped=10]="NonLinearAdOverlapped",e[e.UserUnPaused=11]="UserUnPaused"}(m||(m={})),function(e){e[e.Play=0]="Play",e[e.UserClick=1]="UserClick",e[e.PageSwitch=2]="PageSwitch",e[e.OutOfView=3]="OutOfView",e[e.InView=4]="InView",e[e.Close=5]="Close",e[e.Overlapping=6]="Overlapping",e[e.OtherVideoPlaying=7]="OtherVideoPlaying"}(v||(v={})),function(e){e.None="none"}(f||(f={})),function(e){e.Default="default",e.AZ_Animals="5daf495ed42c8605cfc74b0b",e.Natashas_Kitchen="55bccc97303edab84afd77e2",e.RecipeTin_Eats="55cb7e3b4bc841bd0c4ea577",e.Sallys_Baking_Recipes="566aefa94856897050ee7303",e.Spend_With_Pennies="541917f5a90318f9194874cf"}(O||(O={}));const C=new class{info(e,t,...i){this.call(console.info,e,t,...i)}warn(e,t,...i){this.call(console.warn,e,t,...i)}error(e,t,...i){this.call(console.error,e,t,...i),this.sendErrorLogToCommandQueue(e,t,...i)}event(e,t,...i){var o;"debug"===(null==(o=window.adthriveCLS)?void 0:o.bucket)&&this.info(e,t)}sendErrorLogToCommandQueue(e,t,...i){window.adthrive=window.adthrive||{},window.adthrive.cmd=window.adthrive.cmd||[],window.adthrive.cmd.push((()=>{void 0!==window.adthrive.logError&&"function"==typeof window.adthrive.logError&&window.adthrive.logError(e,t,i)}))}call(e,t,i,...o){const r=[`%c${t}::${i} `],a=["color: #999; font-weight: bold;"];o.length>0&&"string"==typeof o[0]&&r.push(o.shift()),a.push(...o);try{Function.prototype.apply.call(e,console,[r.join(""),...a])}catch(e){return void console.error(e)}}};class b{}const P=["mcmpfreqrec"];new class extends b{init(e){this._gdpr="true"===e.gdpr,this._shouldQueue=this._gdpr}clearQueue(e){e&&(this._shouldQueue=!1,this._sessionStorageHandlerQueue.forEach((e=>{this.setSessionStorage(e.key,e.value)})),this._localStorageHandlerQueue.forEach((e=>{if("adthrive_abgroup"===e.key){const t=Object.keys(e.value)[0],i=e.value[t],o=e.value[`${t}_weight`];this.getOrSetABGroupLocalStorageValue(t,i,o,{value:24,unit:"hours"})}else e.expiry?"internal"===e.type?this.setExpirableInternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):this.setExpirableExternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):"internal"===e.type?this.setInternalLocalStorage(e.key,e.value):this.setExternalLocalStorage(e.key,e.value)})),this._cookieHandlerQueue.forEach((e=>{"internal"===e.type?this.setInternalCookie(e.key,e.value):this.setExternalCookie(e.key,e.value)}))),this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[]}readInternalCookie(e){return this._verifyInternalKey(e),this._readCookie(e)}readExternalCookie(e){return this._readCookie(e)}readInternalLocalStorage(e){return this._verifyInternalKey(e),this._readFromLocalStorage(e)}readExternalLocalStorage(e){return this._readFromLocalStorage(e)}readSessionStorage(e){const t=window.sessionStorage.getItem(e);if(!t)return null;try{return JSON.parse(t)}catch(e){return t}}deleteCookie(e){document.cookie=`${e}=; SameSite=None; Secure; expires=Thu, 01 Jan 1970 00:00:00 UTC; path=/`}deleteLocalStorage(e){window.localStorage.removeItem(e)}deleteSessionStorage(e){window.sessionStorage.removeItem(e)}setInternalCookie(e,t,i){this._verifyInternalKey(e),this._setCookieValue("internal",e,t,i)}setExternalCookie(e,t,i){this._setCookieValue("external",e,t,i)}setInternalLocalStorage(e,t){if(this._verifyInternalKey(e),this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExternalLocalStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"external"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExpirableInternalLocalStorage(e,t,i){this._verifyInternalKey(e);try{var o;const a=null!=(o=null==i?void 0:i.expiry)?o:{value:400,unit:"days"};var r;const n=null!=(r=null==i?void 0:i.resetOnRead)&&r;if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal",expires:this._getExpiryDate(a),expiry:a,resetOnRead:n};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"internal",expires:this._getExpiryDate(a),expiry:a,resetOnRead:n};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setExpirableExternalLocalStorage(e,t,i){try{var o;const a=null!=(o=null==i?void 0:i.expiry)?o:{value:400,unit:"days"};var r;const n=null!=(r=null==i?void 0:i.resetOnRead)&&r;if(this._gdpr&&this._shouldQueue){const i={key:e,value:JSON.stringify(t),type:"external",expires:this._getExpiryDate(a),expiry:a,resetOnRead:n};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"external",expires:this._getExpiryDate(a),expiry:a,resetOnRead:n};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setSessionStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t};this._sessionStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.sessionStorage.setItem(e,i)}}getOrSetABGroupLocalStorageValue(e,t,i,o,r=!0){const a="adthrive_abgroup",n=this.readInternalLocalStorage(a);if(null!==n){const t=n[e];var s;const i=null!=(s=n[`${e}_weight`])?s:null;if(this._isValidABGroupLocalStorageValue(t))return[t,i]}const l=w({},n,{[e]:t,[`${e}_weight`]:i});return o?this.setExpirableInternalLocalStorage(a,l,{expiry:o,resetOnRead:r}):this.setInternalLocalStorage(a,l),[t,i]}_isValidABGroupLocalStorageValue(e){return null!=e&&!("number"==typeof e&&isNaN(e))}_getExpiryDate({value:e,unit:t}){const i=new Date;return"milliseconds"===t?i.setTime(i.getTime()+e):"seconds"==t?i.setTime(i.getTime()+1e3*e):"minutes"===t?i.setTime(i.getTime()+60*e*1e3):"hours"===t?i.setTime(i.getTime()+60*e*60*1e3):"days"===t?i.setTime(i.getTime()+24*e*60*60*1e3):"months"===t&&i.setTime(i.getTime()+30*e*24*60*60*1e3),i.toUTCString()}_resetExpiry(e){return e.expires=this._getExpiryDate(e.expiry),e}_readCookie(e){const t=document.cookie.split("; ").find((t=>t.split("=")[0]===e));if(!t)return null;const i=t.split("=")[1];if(i)try{return JSON.parse(decodeURIComponent(i))}catch(e){return decodeURIComponent(i)}return null}_readFromLocalStorage(e){const t=window.localStorage.getItem(e);if(!t)return null;try{const o=JSON.parse(t),r=o.expires&&(new Date).getTime()>new Date(o.expires).getTime();if("adthrive_abgroup"===e&&o.created)return window.localStorage.removeItem(e),null;if(o.resetOnRead&&o.expires&&!r){const t=this._resetExpiry(o);var i;return window.localStorage.setItem(e,JSON.stringify(o)),null!=(i=t.value)?i:t}if(r)return window.localStorage.removeItem(e),null;if(!o.hasOwnProperty("value"))return o;try{return JSON.parse(o.value)}catch(e){return o.value}}catch(e){return t}}_setCookieValue(e,t,i,o){try{if(this._gdpr&&this._shouldQueue){const o={key:t,value:i,type:e};this._cookieHandlerQueue.push(o)}else{var r;const e=this._getExpiryDate(null!=(r=null==o?void 0:o.expiry)?r:{value:400,unit:"days"});var a;const s=null!=(a=null==o?void 0:o.sameSite)?a:"None";var n;const l=null==(n=null==o?void 0:o.secure)||n,d="object"==typeof i?JSON.stringify(i):i;document.cookie=`${t}=${d}; SameSite=${s}; ${l?"Secure;":""} expires=${e}; path=/`}}catch(e){}}_verifyInternalKey(e){const t=e.startsWith("adthrive_"),i=e.startsWith("adt_");if(!t&&!i&&!P.includes(e))throw new Error('When reading an internal cookie, the key must start with "adthrive_" or "adt_" or be part of the allowed legacy keys.')}constructor(...e){super(...e),this.name="BrowserStorage",this.disable=!1,this.gdprPurposes=[1],this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[],this._shouldQueue=!1}};const x=e=>{const t=window.location.href;return e.some((e=>new RegExp(e,"i").test(t)))};window.adthrive.windowPerformance=window.adthrive.windowPerformance||new class{resetTimeOrigin(){this._timeOrigin=window.performance.now()}now(){try{return Math.round(window.performance.now()-this._timeOrigin)}catch(e){return 0}}constructor(){this._timeOrigin=0}};const k=window.adthrive.windowPerformance;k.now.bind(k);class A{checkCommandQueue(){this.adthrive&&this.adthrive.cmd&&this.adthrive.cmd.forEach((e=>{const t=e.toString(),i=this.extractAPICall(t,"disableAds");i&&this.disableAllAds(this.extractPatterns(i));const o=this.extractAPICall(t,"disableContentAds");o&&this.disableContentAds(this.extractPatterns(o));const r=this.extractAPICall(t,"disablePlaylistPlayers");r&&this.disablePlaylistPlayers(this.extractPatterns(r))}))}extractPatterns(e){const t=e.match(/["'](.*?)['"]/g);if(null!==t)return t.map((e=>e.replace(/["']/g,"")))}extractAPICall(e,t){const i=new RegExp(t+"\\((.*?)\\)","g"),o=e.match(i);return null!==o&&o[0]}disableAllAds(e){e&&!x(e)||(this.all=!0,this.reasons.add("all_page"))}disableContentAds(e){e&&!x(e)||(this.content=!0,this.recipe=!0,this.locations.add(c.Content),this.locations.add(c.Recipe),this.reasons.add("content_plugin"))}disablePlaylistPlayers(e){e&&!x(e)||(this.video=!0,this.locations.add("Video"),this.reasons.add("video_page"))}urlHasEmail(e){if(!e)return!1;return null!==/([A-Z0-9._%+-]+(@|%(25)*40)[A-Z0-9.-]+\.[A-Z]{2,})/i.exec(e)}constructor(e){this.adthrive=e,this.all=!1,this.content=!1,this.recipe=!1,this.video=!1,this.locations=new Set,this.reasons=new Set,(this.urlHasEmail(window.location.href)||this.urlHasEmail(window.document.referrer))&&(this.all=!0,this.reasons.add("all_email"));try{this.checkCommandQueue(),null!==document.querySelector(".tag-novideo")&&(this.video=!0,this.locations.add("Video"),this.reasons.add("video_tag"))}catch(e){C.error("ClsDisableAds","checkCommandQueue",e)}}}const I=window.adthriveCLS;return I&&(I.disableAds=new A(window.adthrive)),e.ClsDisableAds=A,e}({});
</script> <style type="text/css" id="wp-custom-css">
.slick-film-strip {
min-height: 82px !important;
margin: 0 auto !important;
}
/*NP fix for search border - CD 11.2.22*/
#wp-block-search__input-1 {
border:2px solid #E11D58 !important;
}
/* added by JB of NP on 4.1.2022 to make footer links and text the same font */
.site-footer a{
text-decoration:underline;
font-family: -apple-system, system-ui, BlinkMacSystemFont, "Segoe UI", Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol" !important;
}
/*brunch 2.0 customizations*/
.header-widget-area .enews-widget {
background: #000;
border: 1px solid #E11D58;
padding: 10px;
color: #fff;
}
.author-box .avatar {
margin-right: 22px;
float: left;
}
h1 {
font-size: 26px !important;
}
.sidebar p {
font-size: 16px !important;
}
.pagelink {
display: block;
font-size: 16px !important;
}
.wprm-recipe-simple h4.wprm-recipe-group-name {
font-weight: bold;
}
.genesis-nav-menu a {
font-size: 18px;
}
.header-widget-area .enews-widget p {
color: #fff;
float: none;
margin-bottom: 10px;
text-align: center;
line-height: 1.4;
}
.header-widget-area .enews-widget .widget-title {
font-size: 18px;
}
.header-widget-area .enews-widget {
border: none;
}
/* NP Updated enews style - 9/20/2022 CTM */
.header-widget-area .enews-widget input[type="text"] {
margin-right: 8px;
}
.header-widget-area .enews-widget input[type="email"] {
}
.header-widget-area .enews-widget input[type="text"],
.header-widget-area .enews-widget input[type="email"] {
text-align: center;
width: calc(50% - 4px);
}
.header-widget-area .enews-widget input[type="submit"] {
background: #E11D58;
color: #FFF;
font-family: "Century Gothic",CenturyGothic,AppleGothic,sans-serif;
font-style: italic;
font-weight: 300;
height: 48px;
letter-spacing: .5px;
padding: 12px 20px;
text-transform: none;
width: 100%;
margin-top: 8px;
}
.site-header .widget-area, .site-header .widget-area .genesis-nav-menu {
float: right;
text-align: right;
width: 475px;
}
.title-area {
width: 575px;
}
.entry-meta {
font-weight: 400;;
}
.after-entry .enews-widget {
background: #000;
color: #fff;
text-align: center;
padding: 10px;
}
.after-entry .enews-widget input[type="submit"] {
margin-top: 10px;
width: 100%;
}
.after-entry .enews-widget p {
text-align: center !important;
}
.after-entry .enews-widget input {
width: 100%;
}
.enews-widget input {
border: 1px solid #C5CAC5;
clear: none;
display: inline;
float: left;
margin-bottom: 0;
padding: 14px 20px;
}
.enews-widget input {
border: 1px solid #C5CAC5;
clear: none;
display: inline;
float: left;
margin-bottom: 0;
padding: 14px 20px;
}
.after-entry .enews-widget .widgettitle {
color: #fff;
font-size: 16px;
text-align: center !important;
float: none;
}
.after-entry .enews-widget form {
clear: none;
float: none;
min-width: 90%;
margin: 0 auto;
width: auto;
}
.button, .button-secondary, button, input[type="button"], input[type="reset"], input[type="submit"] {
background: #E11D58;
font-weight: 400;
border: none;
}
.header-widget-area .enews-widget form {
width: 100%;
}
.header-widget-area .widgettitle {
color: #fff;
float: none !important;
}
.genesis-nav-menu a, .genesis-nav-menu a:active {
color: #E11D58 !important;
}
.sidebar-secondary {
float: left;
width: 300px;
}
.alt-sidebar-content .content-sidebar-wrap, .alt-sidebar-content .content {
width: 705px;
}
a.more-link, .more-from-category a {
background: #E11D58;
border: none;
color: #fff;
display: table;
font-family: "Century Gothic",CenturyGothic,AppleGothic,sans-serif;
font-size: 13px;
font-style: normal;
font-weight: 300;
letter-spacing: 2px;
padding: 15px 40px;
text-decoration: none;
text-transform: uppercase;
}
.site-inner {background: #fff;}
.sidebar .widgettitle {
background: url(https://www.connoisseurusveg.com/wp-content/uploads/2021/09/sidebarbg.png) no-repeat center center;
font-size: 16px;
height: 57px;
padding: 15px;
text-align: center;
}
.sidebar a {
color: #E11D58;
text-decoration: none;
}
.search-form input {
clear: none;
display: inline;
float: left;
margin-bottom: 0;
padding: 15px 5px;
text-align: center;
width: 48%;
}
.search-form input[type="submit"] {
background: #fff;
border: 1px solid #eee;
clear: none;
color: #ccc;
float: right;
font-weight: 400;
letter-spacing: 2px;
padding: 14px 20px;
width: 48%;
}
.site-container {
background: url(https://www.connoisseurusveg.com/wp-content/uploads/2021/09/bg.png);
}
.site-inner, .site-footer .wrap {
background: #fff;
}
.entry-content a {
text-decoration: underline;
}
a {
color: #E11D58;
}
.content .post li {
margin: 0 0 12px 20px;
}
#feast-advanced-jump-to li {
margin: 0;
}
@font-face{font-display:swap;font-family:Social Pug;src:url(/wp-content/plugins/social-pug/assets/dist/socialpug.1.0.0.eot?gd6mr8);src:url(/wp-content/plugins/social-pug/assets/dist/socialpug.1.0.0.eot?#iefix) format("embedded-opentype"),url(/wp-content/themes/socialpug.1.0.0.woff2) format("woff2"),url(/wp-content/plugins/social-pug/assets/dist/socialpug.1.0.0.woff) format("woff"),url(/wp-content/plugins/social-pug/assets/dist/socialpug.1.0.0.ttf) format("truetype"),url(/wp-content/plugins/social-pug/assets/dist/socialpug.1.0.0.svg#socialpug) format("svg");font-weight:400;font-style:normal}
.wprm-automatic-recipe-snippets .wprm-print-recipe-shortcode{display:inline-block;margin:0 5px;padding:5px 10px;text-decoration:none}
#dpsp-floating-sidebar{top:calc(50% - 117px)}
article, article a , aside p, aside a {
font-size: 20px;
}
h2 {
font-weight: bold;
font-size: 25px;
}
/* NP Comment Alignment Fix */
.comment-content {
display: inline-block;
}
/*NP fix for recipe index on mobile*/
@media screen and (max-width: 782px){
.alt-sidebar-content .content-sidebar-wrap, .alt-sidebar-content .content {
width: 100%;
}
}
/* NP center breadcrumbs TR 9/23/24*/
nav#breadcrumbs {
text-align: center;
} </style>
<noscript><style id="rocket-lazyload-nojs-css">.rll-youtube-player, [data-lazy-src]{display:none !important;}</style></noscript><script type="rocketlazyloadscript">
/*! loadCSS rel=preload polyfill. [c]2017 Filament Group, Inc. MIT License */
(function(w){"use strict";if(!w.loadCSS){w.loadCSS=function(){}}
var rp=loadCSS.relpreload={};rp.support=(function(){var ret;try{ret=w.document.createElement("link").relList.supports("preload")}catch(e){ret=!1}
return function(){return ret}})();rp.bindMediaToggle=function(link){var finalMedia=link.media||"all";function enableStylesheet(){link.media=finalMedia}
if(link.addEventListener){link.addEventListener("load",enableStylesheet)}else if(link.attachEvent){link.attachEvent("onload",enableStylesheet)}
setTimeout(function(){link.rel="stylesheet";link.media="only x"});setTimeout(enableStylesheet,3000)};rp.poly=function(){if(rp.support()){return}
var links=w.document.getElementsByTagName("link");for(var i=0;i<links.length;i++){var link=links[i];if(link.rel==="preload"&&link.getAttribute("as")==="style"&&!link.getAttribute("data-loadcss")){link.setAttribute("data-loadcss",!0);rp.bindMediaToggle(link)}}};if(!rp.support()){rp.poly();var run=w.setInterval(rp.poly,500);if(w.addEventListener){w.addEventListener("load",function(){rp.poly();w.clearInterval(run)})}else if(w.attachEvent){w.attachEvent("onload",function(){rp.poly();w.clearInterval(run)})}}
if(typeof exports!=="undefined"){exports.loadCSS=loadCSS}
else{w.loadCSS=loadCSS}}(typeof global!=="undefined"?global:this))
</script><meta name="generator" content="WP Rocket 3.18.1.4" data-wpr-features="wpr_delay_js wpr_defer_js wpr_async_css wpr_lazyload_images wpr_lazyload_iframes wpr_oci wpr_image_dimensions wpr_minify_css wpr_desktop" /></head>
<body class="post-template-default single single-post postid-17311 single-format-standard has-grow-sidebar wp-featherlight-captions custom-header header-image content-sidebar genesis-breadcrumbs-hidden genesis-footer-widgets-hidden brunch-pro feast-plugin wp-6-7-2 fp-12-2-2"><div class="site-container"><ul class="genesis-skip-link"><li><a href="#genesis-nav-primary" class="screen-reader-shortcut"> Skip to primary navigation</a></li><li><a href="#genesis-content" class="screen-reader-shortcut"> Skip to main content</a></li><li><a href="#genesis-sidebar-primary" class="screen-reader-shortcut"> Skip to primary sidebar</a></li></ul><nav class="nav-primary" aria-label="Main" id="genesis-nav-primary"><div class="wrap"><ul id="menu-about" class="menu genesis-nav-menu menu-primary"><li id="menu-item-9563" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-home menu-item-9563"><a href="https://www.connoisseurusveg.com/"><span >Home</span></a></li>
<li id="menu-item-9565" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-has-children menu-item-9565"><a href="https://www.connoisseurusveg.com/about/"><span >About</span></a>
<ul class="sub-menu">
<li id="menu-item-9567" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-9567"><a href="https://www.connoisseurusveg.com/contact/"><span >Contact</span></a></li>
<li id="menu-item-19111" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-19111"><a href="https://www.connoisseurusveg.com/photo-use-policy/"><span >Photo Use Policy</span></a></li>
</ul>
</li>
<li id="menu-item-50249" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-50249"><a href="https://www.connoisseurusveg.com/browse-recipes/"><span >Browse Recipes</span></a></li>
<li id="feast-search" class="feast-search menu-item"><form class="search-form" method="get" action="https://www.connoisseurusveg.com/" role="search"><label class="search-form-label screen-reader-text" for="searchform-1">Search</label><input class="search-form-input" type="search" name="s" id="searchform-1" placeholder="Search"><input class="search-form-submit" type="submit" value="Search"><meta content="https://www.connoisseurusveg.com/?s={s}"></form></li></ul></div></nav><header class="site-header"><div class="wrap"><div class="title-area"><p class="site-title"><a href="https://www.connoisseurusveg.com/" title="Connoisseurus Veg" ><img width="1200" height="505" src="https://www.connoisseurusveg.com/wp-content/uploads/2021/09/conveg-logo.jpg" title="Connoisseurus Veg" alt="Connoisseurus Veg logo" data-pin-nopin="true" /></a></p></div><div class="widget-area header-widget-area"><section id="enews-ext-3" class="widget enews-widget"><div class="widget-wrap"><div class="enews enews-2-fields"><h3 class="widgettitle widget-title">SUBSCRIBE</h3>
<p>Sign up for updates and my FREE Vegan Dinner Solutions email series!</p>
<form id="subscribeenews-ext-3" class="enews-form" action="https://app.convertkit.com/forms/3595145/subscriptions" method="post"
target="_blank" name="enews-ext-3"
>
<input type="text" id="subbox1" class="enews-subbox enews-fname" value="" aria-label="First Name" placeholder="First Name" name="first_name" /> <input type="email" value="" id="subbox" class="enews-email" aria-label="E-Mail Address" placeholder="E-Mail Address" name="email_address"
required="required" />
<input type="submit" value="SIGN ME UP!" id="subbutton" class="enews-submit" />
</form>
</div></div></section>
<section id="simple-social-icons-4" class="widget simple-social-icons"><div class="widget-wrap"><ul class="aligncenter"><li class="ssi-email"><a href="https://skilled-trader-3104.ck.page/ab8590ca71" ><svg role="img" class="social-email" aria-labelledby="social-email-4"><title id="social-email-4">Email</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-email"></use></svg></a></li><li class="ssi-facebook"><a href="https://www.facebook.com/connoisseurusveg" ><svg role="img" class="social-facebook" aria-labelledby="social-facebook-4"><title id="social-facebook-4">Facebook</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-facebook"></use></svg></a></li><li class="ssi-instagram"><a href="https://www.instagram.com/connoisseurusveg/" ><svg role="img" class="social-instagram" aria-labelledby="social-instagram-4"><title id="social-instagram-4">Instagram</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-instagram"></use></svg></a></li><li class="ssi-pinterest"><a href="https://www.pinterest.com/connoisseurus/" ><svg role="img" class="social-pinterest" aria-labelledby="social-pinterest-4"><title id="social-pinterest-4">Pinterest</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-pinterest"></use></svg></a></li><li class="ssi-twitter"><a href="https://twitter.com/Connoisseurus" ><svg role="img" class="social-twitter" aria-labelledby="social-twitter-4"><title id="social-twitter-4">Twitter</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-twitter"></use></svg></a></li><li class="ssi-youtube"><a href="https://www.youtube.com/channel/UChS03-4SeZI6PlKl42Z2OlA" ><svg role="img" class="social-youtube" aria-labelledby="social-youtube-4"><title id="social-youtube-4">YouTube</title><use xlink:href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-youtube"></use></svg></a></li></ul></div></section>
</div></div></header><div class="feastmobilenavbar"><div class="feastmenutoggle"><a href="#feastmobilemenu"><?xml version="1.0" encoding="iso-8859-1"?>
<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "//www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg version="1.1" id="Capa_1" xmlns="//www.w3.org/2000/svg" xmlns:xlink="//www.w3.org/1999/xlink" x="0px" y="0px" width="30px" height="30px" viewBox="0 0 459 459" style="enable-background:new 0 0 459 459;" xml:space="preserve" aria-labelledby="menuicon" role="img">
<title id="menuicon">menu icon</title>
<g id="menu">
<path fill="currentColor" d="M0,382.5h459v-51H0V382.5z M0,255h459v-51H0V255z M0,76.5v51h459v-51H0z"/>
</g>
</svg>
</a></div><div class="feastmenulogo"><a href="https://www.connoisseurusveg.com"><img src="https://www.connoisseurusveg.com/wp-content/uploads/2021/04/LOGO200.jpg" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2021/04/LOGO400.jpg 2x" alt="go to homepage" data-skip-lazy data-pin-nopin="true" height="70" width="200" /></a></div><div class="feastsearchtoggle"><a href="#feastmobilemenu"><svg xmlns="//www.w3.org/2000/svg" xmlns:xlink="//www.w3.org/1999/xlink" xml:space="preserve" xmlns:svg="//www.w3.org/2000/svg" version="1.1" x="0px" y="0px" width="30px" height="30px" viewBox="0 0 100 100" aria-labelledby="searchicon" role="img">
<title id="searchicon">search icon</title>
<g transform="translate(0,-952.36218)">
<path fill="currentColor" d="M 40 11 C 24.007431 11 11 24.00743 11 40 C 11 55.9926 24.007431 69 40 69 C 47.281794 69 53.935267 66.28907 59.03125 61.84375 L 85.59375 88.40625 C 86.332786 89.16705 87.691654 89.1915 88.4375 88.4375 C 89.183345 87.6834 89.175154 86.2931 88.40625 85.5625 L 61.875 59.03125 C 66.312418 53.937244 69 47.274551 69 40 C 69 24.00743 55.992569 11 40 11 z M 40 15 C 53.830808 15 65 26.16919 65 40 C 65 53.8308 53.830808 65 40 65 C 26.169192 65 15 53.8308 15 40 C 15 26.16919 26.169192 15 40 15 z " transform="translate(0,952.36218)">
</path>
</g>
</svg>
</a></div></div><div id="feastmobilemenu" class="feastmobilemenu-background" aria-label="main"><div class="mmm-dialog"><div class="mmm-content"><a href="https://www.connoisseurusveg.com"><img width="200" height="70" id="mmmlogo" src="https://www.connoisseurusveg.com/wp-content/uploads/2021/04/LOGO200.jpg" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2021/04/LOGO400.jpg 2x" alt="Homepage link" data-pin-nopin="true" /></a><div id="feast-mobile-search"><form class="search-form" method="get" action="https://www.connoisseurusveg.com/" role="search"><label class="search-form-label screen-reader-text" for="searchform-2">Search</label><input class="search-form-input" type="search" name="s" id="searchform-2" placeholder="Search"><input class="search-form-submit" type="submit" value="Search"><meta content="https://www.connoisseurusveg.com/?s={s}"></form></div><ul id="menu-feast-modern-mobile-menu" class="menu"><li id="menu-item-26523" class="menu-item menu-item-type-custom menu-item-object-custom menu-item-home menu-item-26523"><a href="https://www.connoisseurusveg.com/">Home</a></li>
<li id="menu-item-26521" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-26521"><a href="https://www.connoisseurusveg.com/about/">About</a></li>
<li id="menu-item-50250" class="menu-item menu-item-type-post_type menu-item-object-page menu-item-50250"><a href="https://www.connoisseurusveg.com/browse-recipes/">Browse Recipes</a></li>
</ul><div id="feast-mobile-menu-social-icons"><div id="feast-social"><li id="simple-social-icons-5" class="widget simple-social-icons"><ul class="aligncenter"><li class="ssi-email"><a data-wpel-link="ignore" href="https://www.subscribepage.com/connoisseurusveg" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-email" aria-labelledby="social-email-5"><title id="social-email-5">Email</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-email"></use></svg></a></li><li class="ssi-facebook"><a data-wpel-link="ignore" href="https://www.facebook.com/connoisseurusveg/" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-facebook" aria-labelledby="social-facebook-5"><title id="social-facebook-5">Facebook</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-facebook"></use></svg></a></li><li class="ssi-instagram"><a data-wpel-link="ignore" href="https://www.instagram.com/connoisseurusveg/" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-instagram" aria-labelledby="social-instagram-5"><title id="social-instagram-5">Instagram</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-instagram"></use></svg></a></li><li class="ssi-pinterest"><a data-wpel-link="ignore" href="https://www.pinterest.com/connoisseurus/_created/" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-pinterest" aria-labelledby="social-pinterest-5"><title id="social-pinterest-5">Pinterest</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-pinterest"></use></svg></a></li><li class="ssi-rss"><a data-wpel-link="ignore" href="//feeds.feedburner.com/connoisseurusveg/NNPj" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-rss" aria-labelledby="social-rss-5"><title id="social-rss-5">RSS</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-rss"></use></svg></a></li><li class="ssi-twitter"><a data-wpel-link="ignore" href="https://twitter.com/Connoisseurus" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-twitter" aria-labelledby="social-twitter-5"><title id="social-twitter-5">Twitter</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-twitter"></use></svg></a></li><li class="ssi-youtube"><a data-wpel-link="ignore" href="https://www.youtube.com/channel/UChS03-4SeZI6PlKl42Z2OlA/videos?app=desktop" target="_blank" rel="noopener noreferrer"><svg role="img" class="social-youtube" aria-labelledby="social-youtube-5"><title id="social-youtube-5">YouTube</title><use xlink:data-wpel-link="ignore" href="https://www.connoisseurusveg.com/wp-content/plugins/simple-social-icons/symbol-defs.svg#social-youtube"></use></svg></a></li></ul></li>
</div></div><a href="#" class="closebtn">×</a></div></div></div><div class="site-inner"><div class="content-sidebar-wrap"><main class="content" id="genesis-content"><nav id="breadcrumbs" aria-label="breadcrumbs"><span><span><a href="https://www.connoisseurusveg.com/">Home</a></span> » <span><a href="https://www.connoisseurusveg.com/category/entrees/">Main Dishes</a></span></span></nav><p class="entry-meta">Published: <time class="entry-time">Dec 17, 2018</time> · Modified: <time class="entry-modified-time">Nov 19, 2024</time> by <span class="entry-author"><a href="https://www.connoisseurusveg.com/" class="entry-author-link" rel="author"><span class="entry-author-name">Alissa Saenz</span></a></span> · This post may contain affiliate links · <span class="entry-comments-link"><a href="https://www.connoisseurusveg.com/teriyaki-tofu/#comments">68 Comments</a></span></p><article class="post-17311 post type-post status-publish format-standard has-post-thumbnail category-entrees category-tofu-category grow-content-body entry" aria-label="Crispy Baked Teriyaki Tofu"><header class="entry-header"><h1 class="entry-title">Crispy Baked Teriyaki Tofu</h1>
</header><div class="entry-content"><div class="wprm-recipe wprm-recipe-snippet wprm-recipe-template-snippet-basic-buttons"><a href="#recipe" data-recipe="17313" style="color: #ffffff;background-color: #000000;border-color: #333333;border-radius: 3px;padding: 5px 8px;" class="wprm-recipe-jump wprm-recipe-link wprm-jump-to-recipe-shortcode wprm-block-text-normal wprm-recipe-jump-inline-button wprm-recipe-link-inline-button wprm-color-accent"><span class="wprm-recipe-icon wprm-recipe-jump-icon"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" fill="#ffffff"><path data-color="color-2" d="M9,2h6c0.6,0,1-0.4,1-1s-0.4-1-1-1H9C8.4,0,8,0.4,8,1S8.4,2,9,2z"></path> <path fill="#ffffff" d="M16,11V5c0-0.6-0.4-1-1-1H9C8.4,4,8,4.4,8,5v6H1.9L12,23.6L22.1,11H16z"></path></g></svg></span> Jump to Recipe</a>
<a href="https://www.connoisseurusveg.com/wprm_print/crispy-baked-teriyaki-tofu-2" style="color: #ffffff;background-color: #000000;border-color: #333333;border-radius: 3px;padding: 5px 8px;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal wprm-recipe-print-inline-button wprm-recipe-link-inline-button wprm-color-accent" data-recipe-id="17313" data-template="" target="_blank" rel="nofollow"><span class="wprm-recipe-icon wprm-recipe-print-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#ffffff" d="M19,5.09V1c0-0.552-0.448-1-1-1H6C5.448,0,5,0.448,5,1v4.09C2.167,5.569,0,8.033,0,11v7c0,0.552,0.448,1,1,1h4v4c0,0.552,0.448,1,1,1h12c0.552,0,1-0.448,1-1v-4h4c0.552,0,1-0.448,1-1v-7C24,8.033,21.833,5.569,19,5.09z M7,2h10v3H7V2z M17,22H7v-9h10V22z M18,10c-0.552,0-1-0.448-1-1c0-0.552,0.448-1,1-1s1,0.448,1,1C19,9.552,18.552,10,18,10z"/></g></svg></span> Print Recipe</a></div>
<div class="wp-block-group"><div class="wp-block-group__inner-container is-layout-constrained wp-block-group-is-layout-constrained">
<p><em>This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal.</em></p>
<div class="wp-block-image">
<figure class="aligncenter size-full"><a href="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8.jpg"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47313" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8.jpg" alt="Wooden surface set with a plate of Teriyaki Tofu, dish of sesame seeds, and bunch of scallions." class="wp-image-47313" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-8-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></a></figure></div></div></div>
<p>My husband and I always seem to find ourselves eating teriyaki tofu while we're on vacation. It's hard to find vegan food when you're away from home, and it can be really hard to to pick a restaurant. There's always this gamble and you might end up eating salad. I eat enough salad at home.</p>
<p>But Japanese restaurants are usually a safe bet. At the very least, you'll be able to get your hands on some <a href="https://www.connoisseurusveg.com/smoky-tofu-veggie-sushi/">vegan sushi</a>. And if you're lucky, they'll have some delicious vegan tofu dishes.</p>
<p>We tend to get lucky in the tofu department when visiting Japanese restaurants away from home, and we often end up ordering teriyaki tofu. </p>
<style>#feast-advanced-jump-to {
z-index: 999;
border: none;
opacity: 0.97;
background: #FCFCFC;
border-left: 4px solid #CCC;
margin-bottom: 57px;
}
#feast-advanced-jump-to ul {
margin-left: 0;
margin-bottom: 0;
padding-left: 0;
padding: 0 30px 16px;
}
#feast-advanced-jump-to summary {
min-height: 48px;
line-height: 48px;
padding: 8px 30px;
}
#feast-advanced-jump-to li {
list-style-type: none;
margin-bottom:8px;
}
#feast-advanced-jump-to li a {
text-decoration: none;
}
</style><details id="feast-advanced-jump-to"open><summary>Jump to:</summary><ul id="feast-jump-to-list"><li><a href="#ingredients-youll-need">Ingredients You'll Need</a></li><li><a href="#how-its-made">How It's Made</a></li><li><a href="#leftovers-storage">Leftovers & Storage</a></li><li><a href="#more-vegan-japanese-inspired-recipes">More Vegan Japanese-Inspired Recipes</a></li><li><a href="#crispy-baked-teriyaki-tofu">Crispy Baked Teriyaki Tofu</a></li></ul></details>
<p>On our last trip we were splitting a big plate of tofu teriyaki and I commented on how different all the versions we've tried are. Some are super sweet, some very spicy, most are pretty (deliciously) salty. When we got back home I promptly started working on what I consider to be the ultimate tofu teriyaki recipe.</p>
<p>So this is my recipe, and personally,<em><strong> I think it's better than every restaurant version I've tried.</strong></em></p>
<p>One thing I'm usually not a fan of is <a href="https://www.connoisseurusveg.com/silken-tofu-recipes/">silken tofu</a> in savory dishes. I realize silken tofu gives you more of a traditional Japanese dish, and lots of restaurants use it, but I'm just not a fan. I like super crispy tofu with a coating that holds up to sauce!</p>
<p>I tried a different approach than my usual for making this crispy tofu: I baked it! Normally, I'd say frying is the way to go, but I know a lot of folks swear by baking tofu with cornstarch and just a little bit of oil. I gave it a try, and you know what? It was awesome! Also, it made the dish easier and quicker to throw together, since <strong><em>baking is pretty hands-off once you've got the tofu in the oven.</em></strong></p>
<div class="wp-block-group"><div class="wp-block-group__inner-container is-layout-constrained wp-block-group-is-layout-constrained">
<h2 id="ingredients-youll-need" class="wp-block-heading">Ingredients You'll Need</h2>
<ul class="wp-block-list">
<li><strong><em>Extra-firm tofu. </em></strong>Extra-firm tofu has the best texture for this recipe, but it will need to be <a href="https://www.connoisseurusveg.com/how-to-press-tofu/">pressed</a> to remove excess moisture. Feel free to substitute with super-firm tofu if you don't feel like pressing it.</li>
<li><strong><em>Soy sauce. </em></strong>Tamari or liquid aminos will also work. Use gluten-free tamari to keep the entire recipe gluten-free. You can also use low-sodium soy sauce if you'd like to reduce the sodium content of the dish.</li>
<li><strong><em>Vegetable oil. </em></strong>Pretty much any neutral, vegetable based high heat oil can be used. </li>
<li><strong><em>Cornstarch.</em></strong></li>
<li><em><strong>White pepper. </strong></em>This adds a nice flavor, but feel free to use black pepper if it's not something you normally buy.</li>
<li><strong><em>Brown sugar. </em></strong>Use organic brown sugar to keep the recipe vegan.</li>
<li><strong><em>Rice vinegar.</em></strong></li>
<li><strong><em>Mirin or dry sherry. </em></strong>These add flavor to the sauce, but can be omitted if you prefer to cook without alcohol.</li>
<li><strong><em>Toasted sesame oil.</em></strong></li>
<li><strong><em>Fresh ginger.</em></strong></li>
<li><strong><em>Garlic.</em></strong></li>
<li><strong><em>Accompaniments. </em></strong>You'll want to top your teriyaki tofu with toasted sesame seeds and chopped scallions (also known as green onions). I recommend serving it over rice with some steamed broccoli, but you could alternatively serve it over noodles or quinoa, or even cauliflower rice with other varieties of veggies such as cabbage, green beans, asparagus, bell peppers, mushrooms and carrots, among others!</li>
</ul>
</div></div>
<p class="has-background" style="background-color:#d4d6d8"><strong><em>Tip: This recipe uses homemade teriyaki sauce (because it's the best), but you can certainly substitute with bottled teriyaki sauce to save time. Check the ingredients to ensure it's vegan. You'll need about ¾ cup of sauce.</em></strong></p>
<h2 id="how-its-made" class="wp-block-heading">How It's Made</h2>
<p><strong><em>The following is a detailed photo tutorial on how to make this dish. Scroll all the way down if you'd like to skip right to the recipe!</em></strong></p>
<div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-1 wp-block-columns-is-layout-flex">
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><a href="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1.jpg"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47306" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Tofu cubes coated in cornstarch and seasonings in a bowl with a spoon." class="wp-image-47306" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47306" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1.jpg" alt="Tofu cubes coated in cornstarch and seasonings in a bowl with a spoon." class="wp-image-47306" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-1-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></a></figure></div>
<p>First, dice up your tofu and toss it with some soy sauce for flavor. Add some cornstarch, a little pepper for kick, and a bit of oil.</p>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><a href="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2.jpg"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47307" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Tofu cubes on a baking sheet." class="wp-image-47307" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47307" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2.jpg" alt="Tofu cubes on a baking sheet." class="wp-image-47307" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-2-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></a></figure></div>
<p>Arrange the tofu cubes on a baking sheet, then stick the baking sheet into the oven. Let it bake away for about 30 minutes. Flip the pieces about halfway through.</p>
</div>
</div>
<div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-2 wp-block-columns-is-layout-flex">
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47310" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Teriyaki sauce simmering in a pot." class="wp-image-47310" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47310" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5.jpg" alt="Teriyaki sauce simmering in a pot." class="wp-image-47310" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-5-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></figure></div>
<p>Simmer the teriyaki sauce ingredients on the stovetop while the tofu bakes: water, brown sugar, soy sauce, rice vinegar, sherry, sesame oil, garlic, and ginger. </p>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47308" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Hand stirring cornstarch slurry together in a bowl." class="wp-image-47308" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47308" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3.jpg" alt="Hand stirring cornstarch slurry together in a bowl." class="wp-image-47308" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-3-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></figure></div>
<p>Stir some cornstarch and cold water together. Add the cornstarch slurry to the sauce after it's been simmering for about 10 minute. Bring it back to a simmer and it will quickly thicken up. Remove it from heat.</p>
</div>
</div>
<p class="has-background" style="background-color:#d4d6d8"><strong><em>Tip: The sauce can easily be made in advance and stored in an airtight container in the fridge. It may thicken up during storage. Whisk it vigorously while reheating and add a splash of water if needed to thin it.</em></strong></p>
<div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-3 wp-block-columns-is-layout-flex">
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47311" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Crispy baked tofu cubes on a baking sheet." class="wp-image-47311" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47311" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6.jpg" alt="Crispy baked tofu cubes on a baking sheet." class="wp-image-47311" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-6-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></figure></div>
<p>Take your tofu out of the oven when the pieces are golden brown. <strong><em>You'll be amazed at how crispy it turns out!</em></strong></p>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-full"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47312" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Tofu cubes in a pot with teriyaki sauce." class="wp-image-47312" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47312" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7.jpg" alt="Tofu cubes in a pot with teriyaki sauce." class="wp-image-47312" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-7-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></figure></div>
<p>Add the baked tofu to the teriyaki sauce. Stir it up well to coat the pieces in sauce!</p>
</div>
</div>
<div class="wp-block-image">
<figure class="aligncenter size-full"><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47314" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" data-pin-nopin="1" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%201200%201800'%3E%3C/svg%3E" alt="Plate of Teriyaki Tofu with napkin and dish of sesame seeds in the background." class="wp-image-47314" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-150x225.jpg 150w" data-lazy-sizes="(max-width: 1200px) 100vw, 1200px" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9.jpg" /><noscript><img decoding="async" width="1200" height="1800" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47314" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" data-pin-nopin="1" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9.jpg" alt="Plate of Teriyaki Tofu with napkin and dish of sesame seeds in the background." class="wp-image-47314" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9.jpg 1200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-200x300.jpg 200w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-683x1024.jpg 683w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-768x1152.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-1024x1536.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-9-150x225.jpg 150w" sizes="(max-width: 1200px) 100vw, 1200px" /></noscript></figure></div>
<p>Serve your teriyaki tofu with your choice of accompaniments. <strong><em>This dish is best served immediately</em></strong>, because the tofu will eventually lose its crispness as it sits.</p>
<div class="wp-block-group"><div class="wp-block-group__inner-container is-layout-constrained wp-block-group-is-layout-constrained">
<h2 id="leftovers-storage" class="wp-block-heading">Leftovers & Storage</h2>
<p>Leftover teriyaki tofu will keep in an airtight container in the fridge for 3 to 4 days. It won't stay crispy, but it will still taste good!</p>
</div></div>
<h2 id="more-vegan-japanese-inspired-recipes" class="wp-block-heading">More Vegan Japanese-Inspired Recipes</h2>
<div class='feast-category-index feast-recipe-index'><ul class="fsri-list feast-grid-half feast-desktop-grid-fourth"><li class="listing-item"><a href="https://www.connoisseurusveg.com/vegan-japanese-curry/"><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-pin-1.jpg" data-pin-description="This vegan Japanese curry is pure comfort in a bowl! Made with chunks of carrots, potatoes, peas and fried tofu in a flavor-packed sauce, it's a delicious meal that's super satisfying and easy to make!" data-pin-title="Vegan Japanese Curry" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Bowl of Vegan Japanese Curry with rice, scallions and sesame seeds." data-pin-nopin="nopin" aria-hidden="true" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1.jpg 1200w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-japanese-curry/?tp_image_id=38263" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-500x500.jpg" /><noscript><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-pin-1.jpg" data-pin-description="This vegan Japanese curry is pure comfort in a bowl! Made with chunks of carrots, potatoes, peas and fried tofu in a flavor-packed sauce, it's a delicious meal that's super satisfying and easy to make!" data-pin-title="Vegan Japanese Curry" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-500x500.jpg" class=" fsri-image wp-post-image" alt="Bowl of Vegan Japanese Curry with rice, scallions and sesame seeds." data-pin-nopin="nopin" aria-hidden="true" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/09/vegan-japanese-curry-sq-1.jpg 1200w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-japanese-curry/?tp_image_id=38263" /></noscript><div class="fsri-title">Vegan Japanese Curry with Fried Tofu</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/vegan-miso-soup/"><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-pin-1.jpg" data-pin-description="This vegan miso soup is delicious and comforting! Easy to make with just a handful of ingredients, it's the perfect starter for any vegan Japanese meal!" data-pin-title="Vegan Miso Soup" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Close up of a spoonful of Vegan Miso Soup being lifted from a bowl." data-pin-nopin="nopin" aria-hidden="true" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3.jpg 1200w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-miso-soup/?tp_image_id=36042" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-500x500.jpg" /><noscript><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-pin-1.jpg" data-pin-description="This vegan miso soup is delicious and comforting! Easy to make with just a handful of ingredients, it's the perfect starter for any vegan Japanese meal!" data-pin-title="Vegan Miso Soup" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-500x500.jpg" class=" fsri-image wp-post-image" alt="Close up of a spoonful of Vegan Miso Soup being lifted from a bowl." data-pin-nopin="nopin" aria-hidden="true" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/04/vegan-miso-soup-sq-3.jpg 1200w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-miso-soup/?tp_image_id=36042" /></noscript><div class="fsri-title">Comforting Vegan Miso Soup</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/easy-tempura-vegetables/"><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2021/01/vegetable-tempura-pin.jpg" data-pin-description="These tempura vegetables are coated in a light batter, shallow fried to crispy perfection, and served with a savory-sweet soy sesame dipping sauce. #tempura #japanesefood #appetizers" data-pin-title="Tempura Vegetables" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Tempura Vegetables on a Black Plate with Chopsticks and Dipping Sauce on the Side" data-pin-nopin="nopin" aria-hidden="true" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-320x320.jpg 320w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square.jpg 899w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/easy-tempura-vegetables/?tp_image_id=27529" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-500x500.jpg" /><noscript><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2021/01/vegetable-tempura-pin.jpg" data-pin-description="These tempura vegetables are coated in a light batter, shallow fried to crispy perfection, and served with a savory-sweet soy sesame dipping sauce. #tempura #japanesefood #appetizers" data-pin-title="Tempura Vegetables" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-500x500.jpg" class=" fsri-image wp-post-image" alt="Tempura Vegetables on a Black Plate with Chopsticks and Dipping Sauce on the Side" data-pin-nopin="nopin" aria-hidden="true" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square-320x320.jpg 320w, https://www.connoisseurusveg.com/wp-content/uploads/2021/07/vegetable-tempura-square.jpg 899w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/easy-tempura-vegetables/?tp_image_id=27529" /></noscript><div class="fsri-title">Easy Tempura Vegetables</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/udon-noodle-soup/"><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-pin-1.jpg" data-pin-description="This comforting udon noodle soup is made with tender shiitake mushrooms, edamame, and napa cabbage in a ginger miso broth. It's easy to make, loaded with flavor, and totally hits the spot on cold days!" data-pin-title="Udon Noodle Soup" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Bowl of Udon Noodle Soup with chopsticks." data-pin-nopin="nopin" aria-hidden="true" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-1536x1536.jpg 1536w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7.jpg 1200w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/udon-noodle-soup/?tp_image_id=34365" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-500x500.jpg" /><noscript><img decoding="async" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-pin-1.jpg" data-pin-description="This comforting udon noodle soup is made with tender shiitake mushrooms, edamame, and napa cabbage in a ginger miso broth. It's easy to make, loaded with flavor, and totally hits the spot on cold days!" data-pin-title="Udon Noodle Soup" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-500x500.jpg" class=" fsri-image wp-post-image" alt="Bowl of Udon Noodle Soup with chopsticks." data-pin-nopin="nopin" aria-hidden="true" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-1536x1536.jpg 1536w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2022/02/udon-noodle-soup-sq-7.jpg 1200w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/udon-noodle-soup/?tp_image_id=34365" /></noscript><div class="fsri-title">Udon Noodle Soup with Miso Broth</div></a></li></ul></div>
<p class="has-background" style="background-color:#d4d6d8"><em><strong>Like this recipe? If so, <em>please stop back and leave me a review and rating below if you try it!</em> </strong>Also be sure to follow me on <a href="https://www.facebook.com/connoisseurusveg/" target="_blank" rel="noopener">Facebook</a>, <a href="https://www.pinterest.com/connoisseurus/" target="_blank" rel="noopener">Pinterest</a> or <a href="https://www.instagram.com/connoisseurusveg/" target="_blank" rel="noopener">Instagram</a>, or <a href="https://skilled-trader-3104.ck.page/ab8590ca71">subscribe to my newsletter</a> for more recipes like this one!</em></p>
<div id="recipe"></div><div id="wprm-recipe-container-17313" class="wprm-recipe-container" data-recipe-id="17313" data-servings="4"><div class="wprm-recipe wprm-recipe-template-classic-with-save-this"><div class="wprm-container-float-right">
<div class="wprm-recipe-image wprm-block-image-normal"><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;" width="150" height="150" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20150%20150'%3E%3C/svg%3E" class="attachment-150x150 size-150x150" alt="Plate of Teriyaki Tofu with broccoli and rice." data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg 1200w" data-lazy-sizes="(max-width: 150px) 100vw, 150px" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-nopin="nopin" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47316" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg" /><noscript><img decoding="async" style="border-width: 0px;border-style: solid;border-color: #666666;" width="150" height="150" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg" class="attachment-150x150 size-150x150" alt="Plate of Teriyaki Tofu with broccoli and rice." srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg 1200w" sizes="(max-width: 150px) 100vw, 150px" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-nopin="nopin" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47316" /></noscript></div>
<div class="wprm-spacer" style="height: 5px"></div>
<div class="wprm-spacer" style="height: 2px"></div>
<a href="https://www.connoisseurusveg.com/wprm_print/crispy-baked-teriyaki-tofu-2" style="color: #333333;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal" data-recipe-id="17313" data-template="" target="_blank" rel="nofollow"><span class="wprm-recipe-icon wprm-recipe-print-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#333333" d="M19,5.09V1c0-0.552-0.448-1-1-1H6C5.448,0,5,0.448,5,1v4.09C2.167,5.569,0,8.033,0,11v7c0,0.552,0.448,1,1,1h4v4c0,0.552,0.448,1,1,1h12c0.552,0,1-0.448,1-1v-4h4c0.552,0,1-0.448,1-1v-7C24,8.033,21.833,5.569,19,5.09z M7,2h10v3H7V2z M17,22H7v-9h10V22z M18,10c-0.552,0-1-0.448-1-1c0-0.552,0.448-1,1-1s1,0.448,1,1C19,9.552,18.552,10,18,10z"/></g></svg></span> Print</a>
<a href="https://www.pinterest.com/pin/create/bookmarklet/?url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F&media=https%3A%2F%2Fwww.connoisseurusveg.com%2Fwp-content%2Fuploads%2F2024%2F08%2Fteriyaki-tofu-sq.jpg&description=Crispy+Baked+Teriyaki+Tofu&is_video=false" style="color: #333333;" class="wprm-recipe-pin wprm-recipe-link wprm-block-text-normal" target="_blank" rel="nofollow noopener" data-recipe="17313" data-url="https://www.connoisseurusveg.com/teriyaki-tofu/" data-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg" data-description="Crispy Baked Teriyaki Tofu" data-repin=""><span class="wprm-recipe-icon wprm-recipe-pin-icon"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" fill="#333333"><path fill="#333333" d="M12,0C5.4,0,0,5.4,0,12c0,5.1,3.2,9.4,7.6,11.2c-0.1-0.9-0.2-2.4,0-3.4c0.2-0.9,1.4-6,1.4-6S8.7,13,8.7,12 c0-1.7,1-2.9,2.2-2.9c1,0,1.5,0.8,1.5,1.7c0,1-0.7,2.6-1,4c-0.3,1.2,0.6,2.2,1.8,2.2c2.1,0,3.8-2.2,3.8-5.5c0-2.9-2.1-4.9-5-4.9 c-3.4,0-5.4,2.6-5.4,5.2c0,1,0.4,2.1,0.9,2.7c0.1,0.1,0.1,0.2,0.1,0.3c-0.1,0.4-0.3,1.2-0.3,1.4c-0.1,0.2-0.2,0.3-0.4,0.2 c-1.5-0.7-2.4-2.9-2.4-4.6c0-3.8,2.8-7.3,7.9-7.3c4.2,0,7.4,3,7.4,6.9c0,4.1-2.6,7.5-6.2,7.5c-1.2,0-2.4-0.6-2.8-1.4 c0,0-0.6,2.3-0.7,2.9c-0.3,1-1,2.3-1.5,3.1C9.6,23.8,10.8,24,12,24c6.6,0,12-5.4,12-12C24,5.4,18.6,0,12,0z"></path></g></svg></span> Pin</a>
<style>#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-full svg * { fill: #343434; }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-user-rating-0-33); }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-user-rating-0-50); }#wprm-recipe-user-rating-0 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-user-rating-0-66); }linearGradient#wprm-recipe-user-rating-0-33 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-0-50 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-0-66 stop { stop-color: #343434; }</style><svg xmlns="http://www.w3.org/2000/svg" width="0" height="0" style="display:block;width:0px;height:0px"><defs><linearGradient id="wprm-recipe-user-rating-0-33"><stop offset="0%" stop-opacity="1" /><stop offset="33%" stop-opacity="1" /><stop offset="33%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-0-50"><stop offset="0%" stop-opacity="1" /><stop offset="50%" stop-opacity="1" /><stop offset="50%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-0-66"><stop offset="0%" stop-opacity="1" /><stop offset="66%" stop-opacity="1" /><stop offset="66%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs></svg><div id="wprm-recipe-user-rating-0" class="wprm-recipe-rating wprm-recipe-rating-recipe-17313 wprm-user-rating wprm-recipe-rating-separate wprm-user-rating-not-voted wprm-user-rating-allowed" data-recipe="17313" data-average="4.95" data-count="70" data-total="346" data-user="0" data-decimals="2"data-modal-uid="user-rating"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#343434" role="button" tabindex="0" aria-label="Rate this recipe 1 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="#343434" role="button" tabindex="0" aria-label="Rate this recipe 2 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="#343434" role="button" tabindex="0" aria-label="Rate this recipe 3 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="#343434" role="button" tabindex="0" aria-label="Rate this recipe 4 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="#343434" role="button" tabindex="0" aria-label="Rate this recipe 5 out of 5 stars" onmouseenter="window.WPRecipeMaker.userRating.enter(this)" onfocus="window.WPRecipeMaker.userRating.enter(this)" onmouseleave="window.WPRecipeMaker.userRating.leave(this)" onblur="window.WPRecipeMaker.userRating.leave(this)" onclick="window.WPRecipeMaker.userRating.click(this, event)" onkeypress="window.WPRecipeMaker.userRating.click(this, event)" style="font-size: 1em;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><div class="wprm-recipe-rating-details wprm-block-text-normal"><span class="wprm-recipe-rating-average">4.95</span> from <span class="wprm-recipe-rating-count">70</span> votes</div></div>
</div>
<h2 id="crispy-baked-teriyaki-tofu" class="wprm-recipe-name wprm-block-text-bold">Crispy Baked Teriyaki Tofu</h2>
<div class="wprm-spacer" style="height: 5px"></div>
<div class="wprm-recipe-summary wprm-block-text-normal"><span style="display: block;">This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal.<br/></span></div>
<div class="wprm-spacer"></div>
<div class="wprm-recipe-meta-container wprm-recipe-tags-container wprm-recipe-details-container wprm-recipe-details-container-columns wprm-block-text-normal" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-course-container" style=""><span class="wprm-recipe-icon wprm-recipe-tag-icon wprm-recipe-course-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#333333" d="M22.707,12.293l-11-11C11.52,1.106,11.265,1,11,1H2C1.448,1,1,1.448,1,2v9c0,0.265,0.105,0.52,0.293,0.707l11,11C12.488,22.903,12.744,23,13,23s0.512-0.098,0.707-0.293l9-9C23.098,13.317,23.098,12.684,22.707,12.293z M7,9C5.895,9,5,8.105,5,7c0-1.105,0.895-2,2-2s2,0.895,2,2C9,8.105,8.105,9,7,9z M13,17.414L8.586,13L10,11.586L14.414,16L13,17.414z M16,14.414L11.586,10L13,8.586L17.414,13L16,14.414z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-course-label">Course </span><span class="wprm-recipe-course wprm-block-text-normal">Entree</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-cuisine-container" style=""><span class="wprm-recipe-icon wprm-recipe-tag-icon wprm-recipe-cuisine-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#333333" d="M22.707,12.293l-11-11C11.52,1.106,11.265,1,11,1H2C1.448,1,1,1.448,1,2v9c0,0.265,0.105,0.52,0.293,0.707l11,11C12.488,22.903,12.744,23,13,23s0.512-0.098,0.707-0.293l9-9C23.098,13.317,23.098,12.684,22.707,12.293z M7,9C5.895,9,5,8.105,5,7c0-1.105,0.895-2,2-2s2,0.895,2,2C9,8.105,8.105,9,7,9z M13,17.414L8.586,13L10,11.586L14.414,16L13,17.414z M16,14.414L11.586,10L13,8.586L17.414,13L16,14.414z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-cuisine-label">Cuisine </span><span class="wprm-recipe-cuisine wprm-block-text-normal">Japanese</span></div></div>
<div class="wprm-spacer"></div>
<div class="wprm-recipe-meta-container wprm-recipe-times-container wprm-recipe-details-container wprm-recipe-details-container-columns wprm-block-text-normal" style=""><div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-time-container wprm-recipe-prep-time-container" style=""><span class="wprm-recipe-icon wprm-recipe-time-icon wprm-recipe-prep-time-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path data-color="color-2" fill="#333333" d="M4.3,16.6l-2.2,2.2c-0.6,0.6-0.9,1.3-0.9,2.1c0,0.8,0.3,1.6,0.9,2.1s1.3,0.9,2.1,0.9c0.8,0,1.6-0.3,2.1-0.9l2.2-2.2L4.3,16.6z"/><path fill="#333333" d="M22.6,5.4l-3.5-3.5c-1.1-1.1-2.6-1.8-4.2-1.8s-3.1,0.6-4.2,1.8l-8.4,8.4c-0.4,0.4-0.4,1,0,1.4l7.1,7.1C9.5,18.9,9.7,19,10,19c0,0,0,0,0,0c0.3,0,0.5-0.1,0.7-0.3L22.6,6.8C23,6.4,23,5.8,22.6,5.4z M9.2,14.6l-1.4-1.4l6.4-6.4l1.4,1.4L9.2,14.6z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-prep-time-label">Prep Time </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-prep_time wprm-recipe-prep_time-minutes">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-prep_time-unit wprm-recipe-prep_timeunit-minutes" aria-hidden="true">minutes</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-time-container wprm-recipe-cook-time-container" style=""><span class="wprm-recipe-icon wprm-recipe-time-icon wprm-recipe-cook-time-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path data-color="color-2" fill="#333333" d="M9,9c0.6,0,1-0.4,1-1V4c0-0.6-0.4-1-1-1S8,3.4,8,4v4C8,8.6,8.4,9,9,9z"/><path data-color="color-2" fill="#333333" d="M4,12c0.6,0,1-0.4,1-1V7c0-0.6-0.4-1-1-1S3,6.4,3,7v4C3,11.6,3.4,12,4,12z"/><path data-color="color-2" fill="#333333" d="M14,12c0.6,0,1-0.4,1-1V7c0-0.6-0.4-1-1-1s-1,0.4-1,1v4C13,11.6,13.4,12,14,12z"/><path fill="#333333" d="M23,14h-5H1c-0.6,0-1,0.4-1,1v3c0,1.7,1.3,3,3,3h13c1.7,0,3-1.3,3-3v-1h4c0.6,0,1-0.4,1-1v-1C24,14.4,23.6,14,23,14z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-cook-time-label">Cook Time </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-cook_time wprm-recipe-cook_time-minutes">30<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-cook_time-unit wprm-recipe-cook_timeunit-minutes" aria-hidden="true">minutes</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-time-container wprm-recipe-total-time-container" style=""><span class="wprm-recipe-icon wprm-recipe-time-icon wprm-recipe-total-time-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#333333" d="M21,11h2.949C23.466,5.181,18.819,0.534,13,0.051V3h-2V0.051C5.181,0.534,0.534,5.181,0.051,11H3v2H0.051C0.534,18.819,5.181,23.466,11,23.949V21h2v2.949c5.819-0.484,10.466-5.13,10.949-10.949H21V11z M17,13h-5.535L6.613,5.723l1.664-1.109L12.535,11H17V13z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-time-label wprm-recipe-total-time-label">Total Time </span><span class="wprm-recipe-time wprm-block-text-normal"><span class="wprm-recipe-details wprm-recipe-details-minutes wprm-recipe-total_time wprm-recipe-total_time-minutes">40<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-total_time-unit wprm-recipe-total_timeunit-minutes" aria-hidden="true">minutes</span></span></div></div>
<div class="wprm-spacer"></div>
<div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-servings-container" style=""><span class="wprm-recipe-icon wprm-recipe-servings-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path fill="#333333" d="M10,0C9.4,0,9,0.4,9,1v4H7V1c0-0.6-0.4-1-1-1S5,0.4,5,1v4H3V1c0-0.6-0.4-1-1-1S1,0.4,1,1v8c0,1.7,1.3,3,3,3v10c0,1.1,0.9,2,2,2s2-0.9,2-2V12c1.7,0,3-1.3,3-3V1C11,0.4,10.6,0,10,0z"/><path data-color="color-2" fill="#333333" d="M19,0c-3.3,0-6,2.7-6,6v9c0,0.6,0.4,1,1,1h2v6c0,1.1,0.9,2,2,2s2-0.9,2-2V1C20,0.4,19.6,0,19,0z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-servings-label">Servings </span><span class="wprm-recipe-servings wprm-recipe-details wprm-recipe-servings-17313 wprm-recipe-servings-adjustable-tooltip wprm-block-text-normal" data-recipe="17313" aria-label="Adjust recipe servings">4</span></div>
<div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-nutrition-container wprm-recipe-calories-container" style=""><span class="wprm-recipe-icon wprm-recipe-nutrition-icon wprm-recipe-calories-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><rect data-color="color-2" x="21" y="8" fill="#333333" width="3" height="8"/><path fill="#333333" d="M18,5H1C0.448,5,0,5.447,0,6v12c0,0.553,0.448,1,1,1h17c0.552,0,1-0.447,1-1V6C19,5.447,18.552,5,18,5z M11,12v4l-7-5l5,1V8l6,5L11,12z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold 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">185</span><span class="wprm-recipe-details-unit wprm-recipe-nutrition-unit wprm-recipe-calories-unit wprm-block-text-normal">kcal</span></span></div>
<div class="wprm-recipe-block-container wprm-recipe-block-container-columns wprm-block-text-normal wprm-recipe-author-container" style=""><span class="wprm-recipe-icon wprm-recipe-author-icon"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g ><path data-color="color-2" fill="#333333" d="M13,21h-2H5v2c0,0.6,0.4,1,1,1h12c0.6,0,1-0.4,1-1v-2H13z"/><path fill="#333333" d="M18,4c-0.1,0-0.2,0-0.3,0c-0.8-2.3-3-4-5.7-4S7.2,1.7,6.3,4C6.2,4,6.1,4,6,4c-3.3,0-6,2.7-6,6c0,3,2.2,5.4,5,5.9V19h6v-4h2v4h6v-3.1c2.8-0.5,5-2.9,5-5.9C24,6.7,21.3,4,18,4z"/></g></svg></span> <span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-author-label">Author </span><span class="wprm-recipe-details wprm-recipe-author wprm-block-text-normal">Alissa Saenz</span></div>
<div class="wprm-recipe-ingredients-container wprm-recipe-ingredients-no-images wprm-recipe-17313-ingredients-container wprm-block-text-normal wprm-ingredient-style-regular wprm-recipe-images-before" data-recipe="17313" data-servings="4"><h3 class="wprm-recipe-header wprm-recipe-ingredients-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Ingredients</h3><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-bold">For the Crispy Baked Tofu</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="1"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">(14 ounce) package</span> <span class="wprm-recipe-ingredient-name">extra firm tofu,</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">drained, pressed, and cut into 1-inch pieces</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="2"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name">soy sauce</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="3"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name">vegetable oil</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">(or high heat oil of choice)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="4"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name">cornstarch</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="5"><span class="wprm-recipe-ingredient-amount">¼</span> <span class="wprm-recipe-ingredient-unit">teaspoon</span> <span class="wprm-recipe-ingredient-name">white pepper</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">(or black pepper, if that's what you've got)</span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-bold">For the Teriyaki Sauce</h4><ul class="wprm-recipe-ingredients"><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">cup</span> <span class="wprm-recipe-ingredient-name">water</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">cup</span> <span class="wprm-recipe-ingredient-name">soy sauce</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="9"><span class="wprm-recipe-ingredient-amount">3</span> <span class="wprm-recipe-ingredient-unit">tablespoons</span> <span class="wprm-recipe-ingredient-name">brown sugar</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="10"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">tablespoons</span> <span class="wprm-recipe-ingredient-name">rice vinegar</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="11"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">tablespoons</span> <span class="wprm-recipe-ingredient-name">mirin or dry sherry</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="12"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">teaspoon</span> <span class="wprm-recipe-ingredient-name">toasted sesame oil</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-unit">teaspoon</span> <span class="wprm-recipe-ingredient-name">freshly grated ginger</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="14"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-name">garlic clove,</span> <span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-faded">minced</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="15"><span class="wprm-recipe-ingredient-amount">2</span> <span class="wprm-recipe-ingredient-unit">tablespoons</span> <span class="wprm-recipe-ingredient-name">chilled water</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="16"><span class="wprm-recipe-ingredient-amount">1</span> <span class="wprm-recipe-ingredient-unit">tablespoon</span> <span class="wprm-recipe-ingredient-name">cornstarch</span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-bold">For Serving</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="18"><span class="wprm-recipe-ingredient-name">Cooked rice</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="19"><span class="wprm-recipe-ingredient-name">Steamed veggies</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="20"><span class="wprm-recipe-ingredient-name">Chopped scallions</span></li><li class="wprm-recipe-ingredient" style="list-style-type: disc;" data-uid="21"><span class="wprm-recipe-ingredient-name">Toasted sesame seeds</span></li></ul></div><div class="wprm-unit-conversion-container wprm-unit-conversion-container-17313 wprm-unit-conversion-container-links wprm-block-text-normal" style=""><a href="#" role="button" class="wprm-unit-conversion wprmpuc-active" data-system="1" data-recipe="17313" style="" aria-label="Change unit system to US Customary">US Customary</a> - <a href="#" role="button" class="wprm-unit-conversion" data-system="2" data-recipe="17313" style="" aria-label="Change unit system to Metric">Metric</a></div></div>
<div class="wprm-recipe-instructions-container wprm-recipe-17313-instructions-container wprm-block-text-normal" data-recipe="17313"><h3 class="wprm-recipe-header wprm-recipe-instructions-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Instructions</h3><div class="wprm-recipe-instruction-group"><ul class="wprm-recipe-instructions"><li id="wprm-recipe-17313-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;">To make the crispy baked tofu, preheat the oven to 400° and line a baking sheet with parchment paper.</span></div></li><li id="wprm-recipe-17313-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;">Place the tofu into a medium bowl and add the soy sauce, oil, cornstarch, and pepper. Toss to coat the tofu.</span></div></li><li id="wprm-recipe-17313-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;">Arrange the tofu pieces in a single layer on the baking sheet.</span></div></li><li id="wprm-recipe-17313-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;">Bake for about 30 minutes, turning halfway through, until browned and crispy.</span></div></li><li id="wprm-recipe-17313-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;">While the tofu bakes, prepare the sauce. Stir ¼ cup of water, brown sugar, soy sauce, rice vinegar, sherry, sesame oil, garlic, and ginger together in small saucepan.</span></div></li><li id="wprm-recipe-17313-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;">Place the saucepan over medium heat and bring the sauce to a simmer.</span></div></li><li id="wprm-recipe-17313-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;">Lower the heat and allow it to simmer for 10 minutes, until reduced by about ⅓.</span></div></li><li id="wprm-recipe-17313-step-0-7" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Stir the chilled water and cornstarch together in a small bowl or cup. Stir the mixture into the sauce and allow it to simmer for about 1 minute more, until it thickens up a bit.</span></div></li><li id="wprm-recipe-17313-step-0-8" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Remove the pot from the heat.</span></div></li><li id="wprm-recipe-17313-step-0-9" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">When the tofu is finished cooking, add it to the pot and stir to coat the tofu with sauce.</span></div></li><li id="wprm-recipe-17313-step-0-10" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px;"><span style="display: block;">Divide onto plates with rice and steamed veggies. Top with sesame seeds and scallions. Serve.</span></div></li></ul></div></div>
<div id="recipe-video"></div>
<div class="wprm-recipe-notes-container wprm-block-text-normal"><h3 class="wprm-recipe-header wprm-recipe-notes-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Notes</h3><div class="wprm-recipe-notes"><span style="display: block;">Nutrition information does not include accompaniments.</span></div></div>
<div class="dpsp-email-save-this-tool dpsp-email-save-this-shortcode" "> <div class="hubbub-save-this-form-wrapper"> <h3 class="hubbub-save-this-heading">Would you like to save this?</h3> <div class="hubbub-save-this-message"><p>We'll email this post to you, so you can come back to it later!</p></div> <div class="hubbub-save-this-form-only-wrapper"> <form name="hubbub-save-this-form" method="post" action=""> <input type="text" name="hubbub-save-this-snare" class="hubbub-save-this-snare hubbub-block-save-this-snare" /><p class="hubbub-save-this-emailaddress-paragraph-wrapper"><input aria-label="Email Address" type="email" placeholder="Email Address" name="hubbub-save-this-emailaddress" value="" class="hubbub-block-save-this-text-control hubbub-save-this-emailaddress" required /></p><p class="hubbub-save-this-submit-button-paragraph-wrapper"><input type="submit" style="" value="Save This!" class="hubbub-block-save-this-submit-button" name="hubbub-block-save-this-submit-button" /></p> <input type="hidden" name="hubbub-save-this-postid" class="hubbub-save-this-postid" value="17311" /> <input type="hidden" name="hubbub-save-this-posturl" class="hubbub-save-this-posturl" value="https://www.connoisseurusveg.com/teriyaki-tofu/" /> <input type="hidden" name="hubbub-save-this-posttitle" class="hubbub-save-this-posttitle" value="Crispy Baked Teriyaki Tofu" /><input type="hidden" name="hubbub-save-this-is-shortcode" class="hubbub-save-this-is-shortcode" value="true" /></form> </div></div> </div>
<h3 class="wprm-recipe-header wprm-recipe-nutrition-header wprm-block-text-bold wprm-align-left wprm-header-decoration-none" style="">Nutrition</h3><div class="wprm-nutrition-label-container wprm-nutrition-label-container-simple wprm-block-text-normal" style="text-align: left;"><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calories"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Calories: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">185</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">kcal</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-carbohydrates"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Carbohydrates: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">18</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fat"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">8.8</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-saturated_fat"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Saturated Fat: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">1.3</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sodium"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Sodium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">1523</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-potassium"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Potassium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">221</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-fiber"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Fiber: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">1.2</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-sugar"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Sugar: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">9.6</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">g</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-calcium"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Calcium: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">160</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span><span style="color: #777777"> | </span><span class="wprm-nutrition-label-text-nutrition-container wprm-nutrition-label-text-nutrition-container-iron"><span class="wprm-nutrition-label-text-nutrition-label wprm-block-text-normal" style="color: #777777">Iron: </span><span class="wprm-nutrition-label-text-nutrition-value" style="color: #333333">2.2</span><span class="wprm-nutrition-label-text-nutrition-unit" style="color: #333333">mg</span></span></div></div></div><span class="cp-load-after-post"></span></div><div class="feast-prev-next"><div class="feast-prev-post">« <a aria-label="Previous post: " href="https://www.connoisseurusveg.com/quinoa-cranberry-orange-muffins/" rel="prev">Quinoa Cranberry Orange Muffins</a></div><div class="feast-next-post"><a aria-label="Next post: " href="https://www.connoisseurusveg.com/vegan-peanut-butter-blossoms/" rel="next">Vegan Peanut Butter Blossoms</a> »</div></div> <p class="dpsp-share-text " style="margin-bottom:10px">
Sharing is caring! </p>
<div id="dpsp-content-bottom" class="dpsp-content-wrapper dpsp-shape-circle dpsp-size-medium dpsp-no-labels-mobile dpsp-show-on-mobile dpsp-button-style-1" style="min-height:40px;position:relative">
<ul class="dpsp-networks-btns-wrapper dpsp-networks-btns-share dpsp-networks-btns-content dpsp-column-auto dpsp-has-button-icon-animation" style="padding:0;margin:0;list-style-type:none">
<li class="dpsp-network-list-item dpsp-network-list-item-facebook" style="float:left">
<a rel="nofollow noopener" href="https://www.facebook.com/sharer/sharer.php?u=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F&t=Crispy%20Baked%20Teriyaki%20Tofu" class="dpsp-network-btn dpsp-facebook dpsp-first dpsp-has-label dpsp-has-label-mobile" target="_blank" aria-label="Share on Facebook" title="Share on Facebook" style="font-size:14px;padding:0rem;max-height:40px"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"></span></span>
<span class="dpsp-network-label dpsp-network-hide-label-mobile">Facebook</span></a></li>
<li class="dpsp-network-list-item dpsp-network-list-item-x" style="float:left">
<a rel="nofollow noopener" href="https://x.com/intent/tweet?text=Crispy%20Baked%20Teriyaki%20Tofu&url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F" class="dpsp-network-btn dpsp-x dpsp-has-label dpsp-has-label-mobile" target="_blank" aria-label="Share on X" title="Share on X" style="font-size:14px;padding:0rem;max-height:40px"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"></span></span>
<span class="dpsp-network-label dpsp-network-hide-label-mobile">Twitter</span></a></li>
<li class="dpsp-network-list-item dpsp-network-list-item-pinterest" style="float:left">
<button data-href="#" class="dpsp-network-btn dpsp-pinterest dpsp-has-label dpsp-has-label-mobile" aria-label="Save to Pinterest" title="Save to Pinterest" style="font-size:14px;padding:0rem;max-height:40px"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"></span></span>
<span class="dpsp-network-label dpsp-network-hide-label-mobile">Pinterest</span></button></li>
<li class="dpsp-network-list-item dpsp-network-list-item-reddit" style="float:left">
<a rel="nofollow noopener" href="https://www.reddit.com/submit?url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F&title=Crispy%20Baked%20Teriyaki%20Tofu" class="dpsp-network-btn dpsp-reddit dpsp-has-label dpsp-has-label-mobile" target="_blank" aria-label="Share on Reddit" title="Share on Reddit" style="font-size:14px;padding:0rem;max-height:40px"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"></span></span>
<span class="dpsp-network-label dpsp-network-hide-label-mobile">Reddit</span></a></li>
<li class="dpsp-network-list-item dpsp-network-list-item-email" style="float:left">
<a rel="nofollow noopener" href="mailto:?subject=Crispy%20Baked%20Teriyaki%20Tofu&body=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F" class="dpsp-network-btn dpsp-email dpsp-last dpsp-has-label dpsp-has-label-mobile" target="_blank" aria-label="Send over email" title="Send over email" style="font-size:14px;padding:0rem;max-height:40px"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"></span></span>
<span class="dpsp-network-label dpsp-network-hide-label-mobile">Email</span></a></li>
</ul></div>
<footer class="entry-footer"></footer></article><section class="author-box"><img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2070%2070'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=140&d=identicon&r=g 2x' class='avatar avatar-70 photo' height='70' width='70' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=70&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=70&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=140&d=identicon&r=g 2x' class='avatar avatar-70 photo' height='70' width='70' decoding='async'/></noscript><h4 class="author-box-title">About <span itemprop="name">Alissa Saenz</span></h4><div class="author-box-content" itemprop="description"><p>Hi, I'm Alissa! I'm a former attorney turned professional food blogger. I love creating vegan recipes with bold flavors! You can read more about me <a href="https://www.connoisseurusveg.com/about/">here</a>.</p>
<p>I'd love to connect with you on <a href="https://www.facebook.com/connoisseurusveg/">Facebook</a>, <a href="https://www.instagram.com/connoisseurusveg/">Instagram</a>, or <a href="https://www.pinterest.com/connoisseurus/">Pinterest</a>.</p>
</div></section><div class="after-entry widget-area"><section id="enews-ext-2" class="widget enews-widget"><div class="widget-wrap"><div class="enews enews-1-field"><h3 class="widgettitle widget-title">Subscribe</h3>
<p>Subscribe for email updates and receive a free copy of my veggie burger e-book!</p>
<form id="subscribeenews-ext-2" class="enews-form" action="http://eepurl.com/YVhBP" method="post"
target="_blank" name="enews-ext-2"
>
<input type="email" value="" id="subbox" class="enews-email" aria-label="E-Mail Address" placeholder="E-Mail Address" name="EMAIL"
required="required" />
<input type="submit" value="Go" id="subbutton" class="enews-submit" />
</form>
</div></div></section>
</div><h2 class="screen-reader-text">Reader Interactions</h2><div class="entry-comments" id="comments"><h3>Comments</h3><ol class="comment-list"> <div class="wprm-user-rating-summary">
<div class="wprm-user-rating-summary-stars"><style>#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-full svg * { fill: #343434; }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-user-rating-1-33); }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-user-rating-1-50); }#wprm-recipe-user-rating-1 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-user-rating-1-66); }linearGradient#wprm-recipe-user-rating-1-33 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-1-50 stop { stop-color: #343434; }linearGradient#wprm-recipe-user-rating-1-66 stop { stop-color: #343434; }</style><svg xmlns="http://www.w3.org/2000/svg" width="0" height="0" style="display:block;width:0px;height:0px"><defs><linearGradient id="wprm-recipe-user-rating-1-33"><stop offset="0%" stop-opacity="1" /><stop offset="33%" stop-opacity="1" /><stop offset="33%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-1-50"><stop offset="0%" stop-opacity="1" /><stop offset="50%" stop-opacity="1" /><stop offset="50%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs><defs><linearGradient id="wprm-recipe-user-rating-1-66"><stop offset="0%" stop-opacity="1" /><stop offset="66%" stop-opacity="1" /><stop offset="66%" stop-opacity="0" /><stop offset="100%" stop-opacity="0" /></linearGradient></defs></svg><div id="wprm-recipe-user-rating-1" class="wprm-recipe-rating wprm-recipe-rating-recipe-summary wprm-user-rating"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-2 wprm-rating-star-full" data-rating="2" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-3 wprm-rating-star-full" data-rating="3" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-4 wprm-rating-star-full" data-rating="4" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span><span class="wprm-rating-star wprm-rating-star-5 wprm-rating-star-full" data-rating="5" data-color="#343434" style="font-size: 18px;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="16px" height="16px" viewBox="0 0 24 24"><g transform="translate(0, 0)"><polygon fill="none" stroke="#343434" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9 " stroke-linejoin="miter"/></g></svg></span></div></div>
<div class="wprm-user-rating-summary-details">
4.95 from 70 votes (<a href="#" role="button" class="wprm-user-rating-summary-details-no-comments" data-modal-uid="2" data-recipe-id="17313" data-post-id="17311">31 ratings without comment</a>)
</div>
</div>
<div id="respond" class="comment-respond">
<h3 id="reply-title" class="comment-reply-title">Leave a Reply <small><a rel="nofollow" id="cancel-comment-reply-link" href="/teriyaki-tofu/#respond" style="display:none;">Cancel reply</a></small></h3><form action="https://www.connoisseurusveg.com/wp-comments-post.php" method="post" id="commentform" class="comment-form" novalidate><p class="comment-notes"><span id="email-notes">Your email address will not be published.</span> <span class="required-field-message">Required fields are marked <span class="required">*</span></span></p><div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-1545134562">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-1545134562" 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>
<p class="comment-form-comment"><label for="comment">Comment <span class="required">*</span></label> <textarea id="comment" name="comment" cols="45" rows="8" maxlength="65525" required></textarea></p><p class="comment-form-author"><label for="author">Name <span class="required">*</span></label> <input id="author" name="author" type="text" value="" size="30" maxlength="245" autocomplete="name" required /></p>
<p class="comment-form-email"><label for="email">Email <span class="required">*</span></label> <input id="email" name="email" type="email" value="" size="30" maxlength="100" aria-describedby="email-notes" autocomplete="email" required /></p>
<p class="form-submit"><input name="submit" type="submit" id="submit" class="submit" value="Post Comment" /> <input type='hidden' name='comment_post_ID' value='17311' 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="caa627bf33" /></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="201"/><script type="rocketlazyloadscript">document.getElementById( "ak_js_1" ).setAttribute( "value", ( new Date() ).getTime() );</script></p></form> </div><!-- #respond -->
<li class="comment even thread-even depth-1" id="comment-265595">
<article id="article-comment-265595">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/fc38df044fcfd11b941f2e7ac5743243?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/fc38df044fcfd11b941f2e7ac5743243?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/fc38df044fcfd11b941f2e7ac5743243?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/fc38df044fcfd11b941f2e7ac5743243?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Sarah Mitchell</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 07, 2025 at 6:04 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This recipe is that golden combination of both very simple to make and very yummy to eat! It's really easy to get the sauce made, veggies steamed, and rice cooked while the tofu is baking so you never feel rushed and the cooking experience is relaxing and enjoyable. We like to serve it with broccoli and thinly sliced carrot rounds and dump the veggies in the sauce right along with the tofu. I can't speak to how it holds up as leftovers because we never have any! Lol. Definitely a new staple recipe in our household :)</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-265595" data-commentid="265595" data-postid="17311" data-belowelement="article-comment-265595" data-respondelement="respond" data-replyto="Reply to Sarah Mitchell" aria-label="Reply to Sarah Mitchell">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-250399">
<article id="article-comment-250399">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/eb57e499a90c1cd316f2de6c887811be?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/eb57e499a90c1cd316f2de6c887811be?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/eb57e499a90c1cd316f2de6c887811be?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/eb57e499a90c1cd316f2de6c887811be?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Heather</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">March 29, 2024 at 10:35 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
The best teriyaki sauce! I omitted the sherry as suggested. Delicious!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-250399" data-commentid="250399" data-postid="17311" data-belowelement="article-comment-250399" data-respondelement="respond" data-replyto="Reply to Heather" aria-label="Reply to Heather">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-247177">
<article id="article-comment-247177">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/1a86aaa6920571d8f765de47dde4179e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/1a86aaa6920571d8f765de47dde4179e?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/1a86aaa6920571d8f765de47dde4179e?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/1a86aaa6920571d8f765de47dde4179e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Søren</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 04, 2024 at 12:44 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This was delicious. My family loved this style of tofu as part of a rice bowl with various other toppings. I also made a spicier sichuan sauce on the size, which paired well.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-247177" data-commentid="247177" data-postid="17311" data-belowelement="article-comment-247177" data-respondelement="respond" data-replyto="Reply to Søren" aria-label="Reply to Søren">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-242149">
<article id="article-comment-242149">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/8901506fa4c5cce0523db5cda195857f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/8901506fa4c5cce0523db5cda195857f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/8901506fa4c5cce0523db5cda195857f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/8901506fa4c5cce0523db5cda195857f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">jennifer</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">September 27, 2023 at 4:32 pm</time></p> </header>
<div class="comment-content">
<p>This looks wonderful!<br />
Do you think an air fryer could be used here, rather than baking the tofu? And at what temp and cook time?<br />
And thank you for the delightful sauce recipe!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-242149" data-commentid="242149" data-postid="17311" data-belowelement="article-comment-242149" data-respondelement="respond" data-replyto="Reply to jennifer" aria-label="Reply to jennifer">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-242150">
<article id="article-comment-242150">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">September 27, 2023 at 4:50 pm</time></p> </header>
<div class="comment-content">
<p>Thank you! And it can absolutely be air fried!. 425°F for 15 minutes should be perfect. Enjoy!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-242150" data-commentid="242150" data-postid="17311" data-belowelement="article-comment-242150" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-234283">
<article id="article-comment-234283">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/6920a0c4985a2c72e23a60648350d7b3?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/6920a0c4985a2c72e23a60648350d7b3?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/6920a0c4985a2c72e23a60648350d7b3?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/6920a0c4985a2c72e23a60648350d7b3?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Kallie</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 10, 2023 at 7:47 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I've been making this recipe since the start of the pandemic and it has become an easy weeknight staple. The flavors are all there and once you invest in the key ingredients it becomes so easy to make this dish all the time for only the price of tofu and some scallions which was much appreciated when the world was shut down. Thank you so much for this recipe!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-234283" data-commentid="234283" data-postid="17311" data-belowelement="article-comment-234283" data-respondelement="respond" data-replyto="Reply to Kallie" aria-label="Reply to Kallie">Reply</a></div>
</article>
<ul class="children">
<li class="comment even depth-2" id="comment-236881">
<article id="article-comment-236881">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/3f9919691214d80bf5e19d624a004def?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/3f9919691214d80bf5e19d624a004def?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/3f9919691214d80bf5e19d624a004def?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/3f9919691214d80bf5e19d624a004def?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Carrie</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 10, 2023 at 10:21 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
Delicious! Found this recipe tonight as hubby & I were mulling over what to cook. We had all of the ingredients & am glad we did! Only swaps were using less oil (we try to eat oil free but I didn’t know if leaving the oil put would ruin the baked tofu). I also used subbed coconut aminos for soy sauce. Served with broccoli (mixed the broccoli & tofu with the sauce) over brown rice. My family enjoyed it. Even my picky kiddo liked it enough that he ate all his tofu and broccoli. Only food he left over was rice. To me that is a win! Thanks for the great recipe. If you have suggestions on how to make it oil free, I am all ears. Will definitely be making this again!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-236881" data-commentid="236881" data-postid="17311" data-belowelement="article-comment-236881" data-respondelement="respond" data-replyto="Reply to Carrie" aria-label="Reply to Carrie">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-3" id="comment-236996">
<article id="article-comment-236996">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 14, 2023 at 3:24 pm</time></p> </header>
<div class="comment-content">
<p>I'm glad you enjoyed it! The easiest way to make this oil free would be to skip the cornstarch coating and simply brown the tofu cubes in a nonstick skillet. Alternatively, if you really want a crispy coating you could try something like this: <a href="https://www.connoisseurusveg.com/tofu-nuggets/" rel="ugc">https://www.connoisseurusveg.com/tofu-nuggets/</a> without the oil mist. I'd make a little extra sauce if you go this route, because the coating ends up being so thick that your tofu pieces will have more surface area to cover!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-236996" data-commentid="236996" data-postid="17311" data-belowelement="article-comment-236996" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-225458">
<article id="article-comment-225458">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/f712da8c976be2282b472c08f26f9c2f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/f712da8c976be2282b472c08f26f9c2f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/f712da8c976be2282b472c08f26f9c2f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/f712da8c976be2282b472c08f26f9c2f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Emma</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 20, 2022 at 12:15 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
So good! I made this recipe exactly as written and served over white rice and broccoli as pictured, and it was perfect. I also added a bit of chili crisp to each serving at the end for a little bit of spice. This is going into my regular meal rotation for sure!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-225458" data-commentid="225458" data-postid="17311" data-belowelement="article-comment-225458" data-respondelement="respond" data-replyto="Reply to Emma" aria-label="Reply to Emma">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-214449">
<article id="article-comment-214449">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/532bdcf8691dfa7d5ff63d1445496a90?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/532bdcf8691dfa7d5ff63d1445496a90?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/532bdcf8691dfa7d5ff63d1445496a90?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/532bdcf8691dfa7d5ff63d1445496a90?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Maddie McCoy</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">August 30, 2021 at 7:27 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I served it with 1.5 cups (dry) brown rice, and microwave-steamed frozen broccoli! It says 4 servings but it was so good that my boyfriend and I ate all of it just the two of us for dinner! :)</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-214449" data-commentid="214449" data-postid="17311" data-belowelement="article-comment-214449" data-respondelement="respond" data-replyto="Reply to Maddie McCoy" aria-label="Reply to Maddie McCoy">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-208183">
<article id="article-comment-208183">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/56df9b3a9c60e385e13c3db4755c3f48?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/56df9b3a9c60e385e13c3db4755c3f48?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/56df9b3a9c60e385e13c3db4755c3f48?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/56df9b3a9c60e385e13c3db4755c3f48?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Joe Thompson</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 15, 2021 at 11:24 pm</time></p> </header>
<div class="comment-content">
<p>Is the simmering down of the sauce necessary? Could I just add less water?</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-208183" data-commentid="208183" data-postid="17311" data-belowelement="article-comment-208183" data-respondelement="respond" data-replyto="Reply to Joe Thompson" aria-label="Reply to Joe Thompson">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-208474">
<article id="article-comment-208474">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 18, 2021 at 6:11 pm</time></p> </header>
<div class="comment-content">
<p>You do need to at least simmer it briefly with the cornstarch in order to thicken it. Aside from that the simmering does build flavor, but it's not strictly necessary.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-208474" data-commentid="208474" data-postid="17311" data-belowelement="article-comment-208474" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-205919">
<article id="article-comment-205919">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/a19e1ab566c89999e4e00437d7ecbe16?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/a19e1ab566c89999e4e00437d7ecbe16?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/a19e1ab566c89999e4e00437d7ecbe16?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/a19e1ab566c89999e4e00437d7ecbe16?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Sara</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 18, 2021 at 7:02 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
The whole recipe is amazing, but the stand out is the way the tofu bakes. I have been vegan for almost 2 decades, absolutely adore tofu and I am a great cook, but this was the first time I had baked tofu come out perfectly (this recipe combines the right amount of coating/right temperature/time in oven #trifecta). It was insanely crispy, the texture was spot on and it held the sauce perfectly. This is going to be the recipe I send tofu hating friends and family, because not only is it easy and delicious but it shows how amazing tofu can be.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-205919" data-commentid="205919" data-postid="17311" data-belowelement="article-comment-205919" data-respondelement="respond" data-replyto="Reply to Sara" aria-label="Reply to Sara">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-204976">
<article id="article-comment-204976">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/b058f454e94fa34a467203a12534b607?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/b058f454e94fa34a467203a12534b607?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/b058f454e94fa34a467203a12534b607?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/b058f454e94fa34a467203a12534b607?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Mark</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 23, 2021 at 11:31 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I made this with white rice and mixed steamed veggies (carrots, green pepper, baby bok choy). It was very delicious. There's a lot going on at once, but it all came together in a very tasty meal. I will definitely be making this again. I may even use the sauce with other things.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-204976" data-commentid="204976" data-postid="17311" data-belowelement="article-comment-204976" data-respondelement="respond" data-replyto="Reply to Mark" aria-label="Reply to Mark">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-204869">
<article id="article-comment-204869">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/34a8930f23cb012991abb06d150d2441?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/34a8930f23cb012991abb06d150d2441?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/34a8930f23cb012991abb06d150d2441?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/34a8930f23cb012991abb06d150d2441?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Patricia</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 21, 2021 at 10:56 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-4.svg" alt="4 stars" width="80" height="16" /><br />
Thank you for this wonderful recipe and for introducing me to baked tofu. My only concern was how salty the sauce was, even though I used low sodium Tamari. I will be trying some of the ideas mentioned to make it a little less salty and hope they don't take away from the wonderful taste too much. Still, the dish was delicious.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-204869" data-commentid="204869" data-postid="17311" data-belowelement="article-comment-204869" data-respondelement="respond" data-replyto="Reply to Patricia" aria-label="Reply to Patricia">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-204750">
<article id="article-comment-204750">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/022041017219cab7820875905d6791b2?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/022041017219cab7820875905d6791b2?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/022041017219cab7820875905d6791b2?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/022041017219cab7820875905d6791b2?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Ali</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 19, 2021 at 1:26 pm</time></p> </header>
<div class="comment-content">
<p>I’m half way through Veganuary and was getting bored, so bought some teriyaki tofu. Delicious with jasmine rice and broccoli, thank you</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-204750" data-commentid="204750" data-postid="17311" data-belowelement="article-comment-204750" data-respondelement="respond" data-replyto="Reply to Ali" aria-label="Reply to Ali">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-204476">
<article id="article-comment-204476">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/d674e021f09211f76fc3c807905bb400?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/d674e021f09211f76fc3c807905bb400?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/d674e021f09211f76fc3c807905bb400?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/d674e021f09211f76fc3c807905bb400?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Anna</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 14, 2021 at 6:09 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-4.svg" alt="4 stars" width="80" height="16" /><br />
Delicious!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-204476" data-commentid="204476" data-postid="17311" data-belowelement="article-comment-204476" data-respondelement="respond" data-replyto="Reply to Anna" aria-label="Reply to Anna">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-202014">
<article id="article-comment-202014">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/d7f13d67b6b1c4cb86d6c04a99e4de15?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/d7f13d67b6b1c4cb86d6c04a99e4de15?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/d7f13d67b6b1c4cb86d6c04a99e4de15?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/d7f13d67b6b1c4cb86d6c04a99e4de15?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Clare</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 03, 2020 at 3:27 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
Hello. My girlfriend is Spanish and I’m a vegetarian, difficult mix, she’d never had Tofu before and absolutely loved this!!! Thank you so much! It’s so amazing she gave it a 10/10</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-202014" data-commentid="202014" data-postid="17311" data-belowelement="article-comment-202014" data-respondelement="respond" data-replyto="Reply to Clare" aria-label="Reply to Clare">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-201411">
<article id="article-comment-201411">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/2725f19a7349cf920065c368a4aa350e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/2725f19a7349cf920065c368a4aa350e?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/2725f19a7349cf920065c368a4aa350e?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/2725f19a7349cf920065c368a4aa350e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Lola Drewery</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">November 04, 2020 at 9:34 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
sooo good. Made it with a miso Kale salad and Yam and avocado sushi roll. Will make again!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-201411" data-commentid="201411" data-postid="17311" data-belowelement="article-comment-201411" data-respondelement="respond" data-replyto="Reply to Lola Drewery" aria-label="Reply to Lola Drewery">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-201152">
<article id="article-comment-201152">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/2afac80f61c51e3cffe6b973a28e5914?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/2afac80f61c51e3cffe6b973a28e5914?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/2afac80f61c51e3cffe6b973a28e5914?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/2afac80f61c51e3cffe6b973a28e5914?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Cel</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">October 18, 2020 at 7:38 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
YUM!! Teriyaki Tofu has always been my true love, but I had never attempted it until tonight. This recipe is amazing!</p>
<p>The most perfect lil tofus, I love the crispy outside. I tossed with sunflower oil and it worked great.<br />
I paired it with some quinoa and pan roasted teriyaki zucchinis!</p>
<p>Thank you for this amazing recipe, it's my new go-to!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-201152" data-commentid="201152" data-postid="17311" data-belowelement="article-comment-201152" data-respondelement="respond" data-replyto="Reply to Cel" aria-label="Reply to Cel">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-200552">
<article id="article-comment-200552">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/c56fa29fc8446ca446a1bc6c59e1a5fc?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/c56fa29fc8446ca446a1bc6c59e1a5fc?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/c56fa29fc8446ca446a1bc6c59e1a5fc?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/c56fa29fc8446ca446a1bc6c59e1a5fc?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Meeta</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">September 02, 2020 at 5:09 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
never cooking tofu any other way again! this recipe was wonderful. even my 4 and 5 year old kids couldn't get enough tofu and sauce! thanks so much!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-200552" data-commentid="200552" data-postid="17311" data-belowelement="article-comment-200552" data-respondelement="respond" data-replyto="Reply to Meeta" aria-label="Reply to Meeta">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-200496">
<article id="article-comment-200496">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/83c1b490d5e385be559dfd6cada28fd3?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/83c1b490d5e385be559dfd6cada28fd3?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/83c1b490d5e385be559dfd6cada28fd3?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/83c1b490d5e385be559dfd6cada28fd3?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Katy</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">August 27, 2020 at 10:52 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This is my first review ever for an recipe, but it was sooo delicious and easy to make that I must write one.<br />
My husband and I are vegan and I've tried many recipes over the last months. We both love the asian kitchen and so I've found your recipe two days ago. I've made it yesterday and today again because this is one of the best recipes ever. I love the baked tofu and will definitely bake it from now on. Thank you so much for this fantastic recipe!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-200496" data-commentid="200496" data-postid="17311" data-belowelement="article-comment-200496" data-respondelement="respond" data-replyto="Reply to Katy" aria-label="Reply to Katy">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-199861">
<article id="article-comment-199861">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/1374d1c68325be4fc518e6aa9bc297ac?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/1374d1c68325be4fc518e6aa9bc297ac?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/1374d1c68325be4fc518e6aa9bc297ac?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/1374d1c68325be4fc518e6aa9bc297ac?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Melissa</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">August 05, 2020 at 12:20 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
It was perfect even though I didn’t have dry sherry or mirin. I also had to sub cornstarch for potato starch. Still delicious and perfect consistency and flavor.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-199861" data-commentid="199861" data-postid="17311" data-belowelement="article-comment-199861" data-respondelement="respond" data-replyto="Reply to Melissa" aria-label="Reply to Melissa">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-197096">
<article id="article-comment-197096">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/14de0030f26aa18fcb866f459d72c481?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/14de0030f26aa18fcb866f459d72c481?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/14de0030f26aa18fcb866f459d72c481?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/14de0030f26aa18fcb866f459d72c481?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alyssa</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 25, 2020 at 8:52 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I love this recipe! I've made it twice, once I fried the tofu instead of baking, it was delicious but even better when I had extra time to put it in the oven. I use it in sushi bowls with cucumber, avocado, seaweed, imitation crab and sircacha mayo.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-197096" data-commentid="197096" data-postid="17311" data-belowelement="article-comment-197096" data-respondelement="respond" data-replyto="Reply to Alyssa" aria-label="Reply to Alyssa">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-196646">
<article id="article-comment-196646">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/f3d2f73118083e80e50b49e08d427f30?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/f3d2f73118083e80e50b49e08d427f30?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/f3d2f73118083e80e50b49e08d427f30?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/f3d2f73118083e80e50b49e08d427f30?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Michelle Neff-McCormack</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 17, 2020 at 5:56 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I make this on the regular. Usually for our weekday lunches. Such a great flavor and super easy to make!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-196646" data-commentid="196646" data-postid="17311" data-belowelement="article-comment-196646" data-respondelement="respond" data-replyto="Reply to Michelle Neff-McCormack" aria-label="Reply to Michelle Neff-McCormack">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-196305">
<article id="article-comment-196305">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/56d64f47cba16aeda8d4a0ec1b9f70d7?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/56d64f47cba16aeda8d4a0ec1b9f70d7?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/56d64f47cba16aeda8d4a0ec1b9f70d7?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/56d64f47cba16aeda8d4a0ec1b9f70d7?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Sue Gordon</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 03, 2020 at 9:21 pm</time></p> </header>
<div class="comment-content">
<p>With the covid virus,I’ve not been able to get any dry sherry to make this recipe. I have all the other ingredients. What would you advise as a substitute? Thanks for any help you can provide. I’m hungry!!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-196305" data-commentid="196305" data-postid="17311" data-belowelement="article-comment-196305" data-respondelement="respond" data-replyto="Reply to Sue Gordon" aria-label="Reply to Sue Gordon">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-196314">
<article id="article-comment-196314">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 04, 2020 at 9:01 am</time></p> </header>
<div class="comment-content">
<p>You could try using dry white wine if that's available. If not, I'd just skip it! It adds flavor, but the sauce should still be delicious without it!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-196314" data-commentid="196314" data-postid="17311" data-belowelement="article-comment-196314" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-195047">
<article id="article-comment-195047">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/2d607e6ddd810336997e13c1001fc3f8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/2d607e6ddd810336997e13c1001fc3f8?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/2d607e6ddd810336997e13c1001fc3f8?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/2d607e6ddd810336997e13c1001fc3f8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Seema Kumar</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">March 24, 2020 at 2:17 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
We are a vegan family , My son is a very picky eater and likes variety in his food , that is why experimenting with other cuisines . It was super easy and absolutely delicious. Tofu was very well done and the end product was better than restaurant style , Will try other recipes as well from your site . </p>
<p>Thanks again for making my day !</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-195047" data-commentid="195047" data-postid="17311" data-belowelement="article-comment-195047" data-respondelement="respond" data-replyto="Reply to Seema Kumar" aria-label="Reply to Seema Kumar">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-194099">
<article id="article-comment-194099">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/010db2adda3d2744bc4302b089153db5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/010db2adda3d2744bc4302b089153db5?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/010db2adda3d2744bc4302b089153db5?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/010db2adda3d2744bc4302b089153db5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">jancrs</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">March 01, 2020 at 7:56 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
Excellent recipe— thanks! I fried the tofu in sesame oil and added lots of stir fried vegetables (onion, sweet peppers, and snow peas in addition to the broccoli). It was a big hit! I am excited to try your other recipes.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-194099" data-commentid="194099" data-postid="17311" data-belowelement="article-comment-194099" data-respondelement="respond" data-replyto="Reply to jancrs" aria-label="Reply to jancrs">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-192777">
<article id="article-comment-192777">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/7657eafc403978de8eab1794ce675810?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/7657eafc403978de8eab1794ce675810?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/7657eafc403978de8eab1794ce675810?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/7657eafc403978de8eab1794ce675810?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Kristine Bacharach</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 31, 2020 at 10:57 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I made this for my family last night after stumbling onto your site. My New Year’s resolution this year was to incorporate at least one vegetarian meal per week. This was a hit! My husband and mother-in-law both said it was really good, and both were reluctant when I told them we were having tofu for dinner. The texture was good and the sauce was amazing! I served it with jasmine rice and snow peas. Thank you for a great recipe that was quick and easy to prepare</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-192777" data-commentid="192777" data-postid="17311" data-belowelement="article-comment-192777" data-respondelement="respond" data-replyto="Reply to Kristine Bacharach" aria-label="Reply to Kristine Bacharach">Reply</a></div>
</article>
<ul class="children">
<li class="comment even depth-2" id="comment-200177">
<article id="article-comment-200177">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/118418dc60ced7df4d22018954e39f87?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/118418dc60ced7df4d22018954e39f87?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/118418dc60ced7df4d22018954e39f87?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/118418dc60ced7df4d22018954e39f87?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Kellyn</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">August 16, 2020 at 9:23 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-3.svg" alt="3 stars" width="80" height="16" /><br />
I used half the soy sauce and replaced the rest with water and it was still profoundly salty, but the end result was a beautiful looking teriyaki sauce. The flavor would have been better if it was so ridiculously salty. I plan to make this again with 2 tbsp soy sauce and ¾ cup water and not toss the tofu in soy sauce.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-200177" data-commentid="200177" data-postid="17311" data-belowelement="article-comment-200177" data-respondelement="respond" data-replyto="Reply to Kellyn" aria-label="Reply to Kellyn">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-192605">
<article id="article-comment-192605">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/52476e15f436241acaa822e6788bc7cb?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/52476e15f436241acaa822e6788bc7cb?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/52476e15f436241acaa822e6788bc7cb?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/52476e15f436241acaa822e6788bc7cb?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alison Forness</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 26, 2020 at 2:33 pm</time></p> </header>
<div class="comment-content">
<p>The recipe sounds delicious! My only concern is the use of canola oil, probably the worst oil there is for human consumption. As a holistic health coach I would never recommend it. Avocado or grape seed are better alternatives</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-192605" data-commentid="192605" data-postid="17311" data-belowelement="article-comment-192605" data-respondelement="respond" data-replyto="Reply to Alison Forness" aria-label="Reply to Alison Forness">Reply</a></div>
</article>
<ul class="children">
<li class="comment even depth-2" id="comment-232566">
<article id="article-comment-232566">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/2381a88b153c9bf9b58c29de9d3be2b5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/2381a88b153c9bf9b58c29de9d3be2b5?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/2381a88b153c9bf9b58c29de9d3be2b5?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/2381a88b153c9bf9b58c29de9d3be2b5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Nikki</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">November 08, 2022 at 9:39 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
Agreed</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-232566" data-commentid="232566" data-postid="17311" data-belowelement="article-comment-232566" data-respondelement="respond" data-replyto="Reply to Nikki" aria-label="Reply to Nikki">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-192237">
<article id="article-comment-192237">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/546e69b3b98345f117bae89faac0e59b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/546e69b3b98345f117bae89faac0e59b?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/546e69b3b98345f117bae89faac0e59b?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/546e69b3b98345f117bae89faac0e59b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Catherine</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 15, 2020 at 4:51 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-4.svg" alt="4 stars" width="80" height="16" /><br />
I will definitely be baking my tofu from now on. We all loved it. The sauce, however, was very salty (and I’m a salt fiend) but I possible simmered it for too long. I’ll add more sugar and water next time. Having said that, serving it with rice, broccoli and sugar snaps was perfect. Will be making this again.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-192237" data-commentid="192237" data-postid="17311" data-belowelement="article-comment-192237" data-respondelement="respond" data-replyto="Reply to Catherine" aria-label="Reply to Catherine">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-192211">
<article id="article-comment-192211">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/6c24a4b2d93051982eb2a6613a0ea955?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/6c24a4b2d93051982eb2a6613a0ea955?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/6c24a4b2d93051982eb2a6613a0ea955?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/6c24a4b2d93051982eb2a6613a0ea955?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">faith</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 14, 2020 at 10:33 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
We LOVED this recipe! I've made it twice now. The second time I must've used too much cornstarch in the sauce and it was slimy... so watch out for that! Otherwise, this was easy, quick, cheap and DELICIOUS!!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-192211" data-commentid="192211" data-postid="17311" data-belowelement="article-comment-192211" data-respondelement="respond" data-replyto="Reply to faith" aria-label="Reply to faith">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-191889">
<article id="article-comment-191889">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/c8a032031032c6ca80877f919d1714d4?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/c8a032031032c6ca80877f919d1714d4?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/c8a032031032c6ca80877f919d1714d4?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/c8a032031032c6ca80877f919d1714d4?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Kate</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 06, 2020 at 3:56 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
It's not that easy to find such repices in German language. Most of Japanese food isn't vegan in my country so I enjoyed this recipe so much. I am so in love with that sauce, I added more garlic and it's so perfect.<br />
I am going to cook it more often.</p>
<p>Thank you so much!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-191889" data-commentid="191889" data-postid="17311" data-belowelement="article-comment-191889" data-respondelement="respond" data-replyto="Reply to Kate" aria-label="Reply to Kate">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-192103">
<article id="article-comment-192103">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 12, 2020 at 11:06 am</time></p> </header>
<div class="comment-content">
<p>Yay! Very welcome! I'm so glad you like it!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-192103" data-commentid="192103" data-postid="17311" data-belowelement="article-comment-192103" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-191523">
<article id="article-comment-191523">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/f36c6b0c49134db7553504fb55bade76?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/f36c6b0c49134db7553504fb55bade76?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/f36c6b0c49134db7553504fb55bade76?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/f36c6b0c49134db7553504fb55bade76?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Ramie</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 28, 2019 at 9:32 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
Thank you so much for sharing this incredible recipe. I added some red pepper flakes and the meal was delicious. Thank you thank you!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-191523" data-commentid="191523" data-postid="17311" data-belowelement="article-comment-191523" data-respondelement="respond" data-replyto="Reply to Ramie" aria-label="Reply to Ramie">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-191539">
<article id="article-comment-191539">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 29, 2019 at 3:07 pm</time></p> </header>
<div class="comment-content">
<p>Sounds delicious! Glad you like it!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-191539" data-commentid="191539" data-postid="17311" data-belowelement="article-comment-191539" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-even depth-1" id="comment-189839">
<article id="article-comment-189839">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/4c622461dd7142055588a77a9f262a23?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/4c622461dd7142055588a77a9f262a23?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/4c622461dd7142055588a77a9f262a23?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/4c622461dd7142055588a77a9f262a23?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Jessica</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">November 24, 2019 at 4:21 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I just made this for a lazy sunday lunch/dinner. Super easy and delicious!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-189839" data-commentid="189839" data-postid="17311" data-belowelement="article-comment-189839" data-respondelement="respond" data-replyto="Reply to Jessica" aria-label="Reply to Jessica">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-189856">
<article id="article-comment-189856">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">November 24, 2019 at 9:06 pm</time></p> </header>
<div class="comment-content">
<p>I'm so glad you like it!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-189856" data-commentid="189856" data-postid="17311" data-belowelement="article-comment-189856" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-187059">
<article id="article-comment-187059">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/949597379ff918abe25e995c9f3c712b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/949597379ff918abe25e995c9f3c712b?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/949597379ff918abe25e995c9f3c712b?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/949597379ff918abe25e995c9f3c712b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Paige</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">October 07, 2019 at 7:13 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I’m not kidding when I say I make this every week for meal prep. It’s about the only meal I can find to eat 5 days in a row. It is DELICIOUS. When I want it spicy I add a tablespoon of Korean-style red pepper. Also add in a few splashes of vegan fish sauce. Absolutely love this recipe. Definitely makes tofu delicious!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-187059" data-commentid="187059" data-postid="17311" data-belowelement="article-comment-187059" data-respondelement="respond" data-replyto="Reply to Paige" aria-label="Reply to Paige">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-187386">
<article id="article-comment-187386">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">October 13, 2019 at 11:09 am</time></p> </header>
<div class="comment-content">
<p>I'm so glad you like it! I'm intrigued by vegan fish sauce - do you buy it or make your own? Now I want to get my hands on some and try it out!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-187386" data-commentid="187386" data-postid="17311" data-belowelement="article-comment-187386" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
<ul class="children">
<li class="comment odd alt depth-3" id="comment-223143">
<article id="article-comment-223143">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/257852a5e3725527c370e3e4134512ce?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/257852a5e3725527c370e3e4134512ce?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/257852a5e3725527c370e3e4134512ce?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/257852a5e3725527c370e3e4134512ce?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alice</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 02, 2022 at 7:13 am</time></p> </header>
<div class="comment-content">
<p>I'm not sure about vegan fish sauce. But kelp powder is usually used for vegan fish flavour in vegan dishes. That I know of anyway. A tiny amount goes a long way and so it lasts for ages. Adds a lot of depth of flavour and is great for anything ""fishy"" you want to make. Or just to add some flavour.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-223143" data-commentid="223143" data-postid="17311" data-belowelement="article-comment-223143" data-respondelement="respond" data-replyto="Reply to Alice" aria-label="Reply to Alice">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-182030">
<article id="article-comment-182030">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/ed911829bdc3278529bfcf4a9e049dce?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/ed911829bdc3278529bfcf4a9e049dce?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/ed911829bdc3278529bfcf4a9e049dce?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/ed911829bdc3278529bfcf4a9e049dce?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Evey</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">June 10, 2019 at 9:04 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I decided on the spot to make this, so I didn’t have every single ingredient. I either improvised or left a couple of things out (and added mushrooms and skinny sliced red peppers) and it still turned out quite wonderful. Was proud of that homemade Teriyaki sauce! And the baked tofu is the way to go! Thanks for creating this delicious recipe!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-182030" data-commentid="182030" data-postid="17311" data-belowelement="article-comment-182030" data-respondelement="respond" data-replyto="Reply to Evey" aria-label="Reply to Evey">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-182185">
<article id="article-comment-182185">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">June 16, 2019 at 2:27 pm</time></p> </header>
<div class="comment-content">
<p>I'm glad it worked out and you enjoyed it! Thanks so much Evey!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-182185" data-commentid="182185" data-postid="17311" data-belowelement="article-comment-182185" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-181091">
<article id="article-comment-181091">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/4b75919f58b482cd0a15258b5f4538a5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/4b75919f58b482cd0a15258b5f4538a5?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/4b75919f58b482cd0a15258b5f4538a5?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/4b75919f58b482cd0a15258b5f4538a5?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Ari</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 07, 2019 at 3:34 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
So yum!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-181091" data-commentid="181091" data-postid="17311" data-belowelement="article-comment-181091" data-respondelement="respond" data-replyto="Reply to Ari" aria-label="Reply to Ari">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-181275">
<article id="article-comment-181275">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">May 12, 2019 at 4:17 pm</time></p> </header>
<div class="comment-content">
<p>I'm glad you think so!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-181275" data-commentid="181275" data-postid="17311" data-belowelement="article-comment-181275" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-180479">
<article id="article-comment-180479">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/181266c013658d37ade98d5b72d8afc1?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/181266c013658d37ade98d5b72d8afc1?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/181266c013658d37ade98d5b72d8afc1?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/181266c013658d37ade98d5b72d8afc1?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Thom Kolton</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 22, 2019 at 7:46 am</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I marinated the tofu in soy sauce before dipping it in the mixture and backing it. Mistake. The tofu browned up very nicely, but didn't get crispy. I think there was just too much moisture in the tofu. Still, it was a absolutely delicious and, while I thought I had increased the recipe too much, there were leftovers. I will make this again and again.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-180479" data-commentid="180479" data-postid="17311" data-belowelement="article-comment-180479" data-respondelement="respond" data-replyto="Reply to Thom Kolton" aria-label="Reply to Thom Kolton">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-180762">
<article id="article-comment-180762">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 28, 2019 at 6:22 pm</time></p> </header>
<div class="comment-content">
<p>I'm so glad you enjoyed it! Thanks Thom!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-180762" data-commentid="180762" data-postid="17311" data-belowelement="article-comment-180762" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-178112">
<article id="article-comment-178112">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/6e45e20e4203247212a9437ab32156a8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/6e45e20e4203247212a9437ab32156a8?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/6e45e20e4203247212a9437ab32156a8?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/6e45e20e4203247212a9437ab32156a8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Cindy</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 25, 2019 at 11:39 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This was the second time I have made this dish. My husband just loves it. Thanks for showing me how to make crispy tofu in the oven.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-178112" data-commentid="178112" data-postid="17311" data-belowelement="article-comment-178112" data-respondelement="respond" data-replyto="Reply to Cindy" aria-label="Reply to Cindy">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-178344">
<article id="article-comment-178344">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">March 03, 2019 at 5:02 pm</time></p> </header>
<div class="comment-content">
<p>I'm so glad you like it! Thanks so much Cindy!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-178344" data-commentid="178344" data-postid="17311" data-belowelement="article-comment-178344" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-177957">
<article id="article-comment-177957">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/deeae98b2fd5229349542025cfa9fcff?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/deeae98b2fd5229349542025cfa9fcff?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/deeae98b2fd5229349542025cfa9fcff?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/deeae98b2fd5229349542025cfa9fcff?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Jeff</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 21, 2019 at 10:18 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I made this tonight. It was very easy. I had never baked tofu before (I've always fried it) and got rave reviews from the family. </p>
<p>One of my daughters didn't like it, but everyone else loved it, including me.This will be in our dinner rotation.</p>
<p>It was a really great change from fried tofu.</p>
<p>Since you add the sauce last, you can have some tofu for pickier eaters and the sauce for everyone else.</p>
<p>The sesame seeds REALLY add to the flavor.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-177957" data-commentid="177957" data-postid="17311" data-belowelement="article-comment-177957" data-respondelement="respond" data-replyto="Reply to Jeff" aria-label="Reply to Jeff">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-178043">
<article id="article-comment-178043">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 24, 2019 at 4:21 pm</time></p> </header>
<div class="comment-content">
<p>I'm so glad it was a hit! Thanks Jeff!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-178043" data-commentid="178043" data-postid="17311" data-belowelement="article-comment-178043" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment even depth-2" id="comment-223864">
<article id="article-comment-223864">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/831f022ab8e89a1a89d65f54f8b5bbbd?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/831f022ab8e89a1a89d65f54f8b5bbbd?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/831f022ab8e89a1a89d65f54f8b5bbbd?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/831f022ab8e89a1a89d65f54f8b5bbbd?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Nicholas Parkes</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 18, 2022 at 2:56 pm</time></p> </header>
<div class="comment-content">
<p>Should we / Did you use raw sesame seeds or did you toast them?</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-223864" data-commentid="223864" data-postid="17311" data-belowelement="article-comment-223864" data-respondelement="respond" data-replyto="Reply to Nicholas Parkes" aria-label="Reply to Nicholas Parkes">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-3" id="comment-223944">
<article id="article-comment-223944">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 20, 2022 at 8:32 pm</time></p> </header>
<div class="comment-content">
<p>I prefer toasted (I buy them that way) but raw sesame seeds can work to. Whichever you prefer!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-223944" data-commentid="223944" data-postid="17311" data-belowelement="article-comment-223944" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-odd thread-alt depth-1" id="comment-177620">
<article id="article-comment-177620">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/87d7660c9041b07463e141d184a844aa?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/87d7660c9041b07463e141d184a844aa?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/87d7660c9041b07463e141d184a844aa?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/87d7660c9041b07463e141d184a844aa?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">John</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 14, 2019 at 8:15 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
It was my turn to cook dinner, and I found this recipe. We had most of the ingredients, so away I went. I fried the tofu in a frying pan instead of baking it in the oven. It was easier, and faster for me to do it that way. Otherwise, I followed the recipe word for word. We were very happy with the results! Now it's another option for the age old question, "What's for dinner?"</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-177620" data-commentid="177620" data-postid="17311" data-belowelement="article-comment-177620" data-respondelement="respond" data-replyto="Reply to John" aria-label="Reply to John">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-177775">
<article id="article-comment-177775">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">February 17, 2019 at 8:41 pm</time></p> </header>
<div class="comment-content">
<p>Yay! I'm so glad you enjoyed it! Thanks so much John!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-177775" data-commentid="177775" data-postid="17311" data-belowelement="article-comment-177775" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
<ul class="children">
<li class="comment even depth-3" id="comment-182800">
<article id="article-comment-182800">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/1467ada774fc5e650721574156063cd2?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/1467ada774fc5e650721574156063cd2?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/1467ada774fc5e650721574156063cd2?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/1467ada774fc5e650721574156063cd2?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">dawn</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">July 11, 2019 at 7:14 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-4.svg" alt="4 stars" width="80" height="16" /><br />
Hi! I’m an amateur cook so this was a bit challenging for me. I found that in the end result the sauce have this weird salty sourly taste and I was wondering what would you recommend to make it more sweeter and less powering.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-182800" data-commentid="182800" data-postid="17311" data-belowelement="article-comment-182800" data-respondelement="respond" data-replyto="Reply to dawn" aria-label="Reply to dawn">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-4" id="comment-182871">
<article id="article-comment-182871">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">July 14, 2019 at 10:52 am</time></p> </header>
<div class="comment-content">
<p>Hi Dawn! Try adding a bit of extra brown sugar to balance out the salty and tart flavors. Just add 1 tablespoon at a time when the sauce is just about done, until you're happy with the flavor.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-182871" data-commentid="182871" data-postid="17311" data-belowelement="article-comment-182871" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-176361">
<article id="article-comment-176361">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/5d177573b6bdd9926b91d5261482b065?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/5d177573b6bdd9926b91d5261482b065?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/5d177573b6bdd9926b91d5261482b065?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/5d177573b6bdd9926b91d5261482b065?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">vivian</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 13, 2019 at 8:10 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I really enjoyed this recipe, both the taste and how easy it was to make. Served with roasted broccoli and jasmine rice and veggie spring rolls. Thanks for a great recipe!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-176361" data-commentid="176361" data-postid="17311" data-belowelement="article-comment-176361" data-respondelement="respond" data-replyto="Reply to vivian" aria-label="Reply to vivian">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor odd alt depth-2" id="comment-176675">
<article id="article-comment-176675">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">January 20, 2019 at 4:08 pm</time></p> </header>
<div class="comment-content">
<p>Sounds like a delicious meal! Glad you enjoyed it!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-176675" data-commentid="176675" data-postid="17311" data-belowelement="article-comment-176675" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
<ul class="children">
<li class="comment even depth-3" id="comment-206513">
<article id="article-comment-206513">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/d8ef3fff6cb51a22f4e7dde63993da2b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/d8ef3fff6cb51a22f4e7dde63993da2b?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/d8ef3fff6cb51a22f4e7dde63993da2b?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/d8ef3fff6cb51a22f4e7dde63993da2b?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Clare</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">March 08, 2021 at 3:03 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This is the best teriyaki sauce I've come across! Will hold onto this recipe. Thank you!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-206513" data-commentid="206513" data-postid="17311" data-belowelement="article-comment-206513" data-respondelement="respond" data-replyto="Reply to Clare" aria-label="Reply to Clare">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment odd alt thread-odd thread-alt depth-1" id="comment-175381">
<article id="article-comment-175381">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/68cf86674c4e06fb3dfb40718682abbc?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/68cf86674c4e06fb3dfb40718682abbc?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/68cf86674c4e06fb3dfb40718682abbc?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/68cf86674c4e06fb3dfb40718682abbc?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Connie</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 20, 2018 at 12:38 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
I made this the other night and it was really good. Thanks!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-175381" data-commentid="175381" data-postid="17311" data-belowelement="article-comment-175381" data-respondelement="respond" data-replyto="Reply to Connie" aria-label="Reply to Connie">Reply</a></div>
</article>
<ul class="children">
<li class="comment byuser comment-author-alissa bypostauthor even depth-2" id="comment-175386">
<article id="article-comment-175386">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/dfe400f5d5888942d0b7e57b52ba599f?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alissa Saenz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 20, 2018 at 3:04 pm</time></p> </header>
<div class="comment-content">
<p>I'm so glad you enjoyed it! Thanks Connie!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-175386" data-commentid="175386" data-postid="17311" data-belowelement="article-comment-175386" data-respondelement="respond" data-replyto="Reply to Alissa Saenz" aria-label="Reply to Alissa Saenz">Reply</a></div>
</article>
</li><!-- #comment-## -->
<li class="comment odd alt depth-2" id="comment-254926">
<article id="article-comment-254926">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/e81deb0ce2b0c5db98ef3b393ba2bb6e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/e81deb0ce2b0c5db98ef3b393ba2bb6e?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/e81deb0ce2b0c5db98ef3b393ba2bb6e?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/e81deb0ce2b0c5db98ef3b393ba2bb6e?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Valarie Napawanetz</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">July 08, 2024 at 8:14 pm</time></p> </header>
<div class="comment-content">
<p>We made it tonight and I was astonished at how delicate and delicious this was. The tofu was perfect. I cut mine into thin slices and basted each slice with the teriyaki sauce. Then adds more according to the recipe when serving. I served with sautéed Bok choy. Excellent. Loved it. The sauce is amazing.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-254926" data-commentid="254926" data-postid="17311" data-belowelement="article-comment-254926" data-respondelement="respond" data-replyto="Reply to Valarie Napawanetz" aria-label="Reply to Valarie Napawanetz">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
<li class="comment even thread-even depth-1" id="comment-175263">
<article id="article-comment-175263">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/2889dba2f0be39d3b34ddaa893eb2a85?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/2889dba2f0be39d3b34ddaa893eb2a85?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/2889dba2f0be39d3b34ddaa893eb2a85?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/2889dba2f0be39d3b34ddaa893eb2a85?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Barb</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">December 17, 2018 at 10:29 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
As soon as I saw this recipe I knew it was dinner. I made the sauce ahead of time and reheated once the tofu came out. I cheated and used ginger paste and garlic powder in the same equivalent (because, Monday...) but I can only imagine it'd be that much better with the fresh versions. Served it over organic brown rice and steamed broccoli and it was excellent! I'm not even that big of a teriyaki fan but this is definitely a keeper. Thank you, your recipes never fail me.</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-175263" data-commentid="175263" data-postid="17311" data-belowelement="article-comment-175263" data-respondelement="respond" data-replyto="Reply to Barb" aria-label="Reply to Barb">Reply</a></div>
</article>
<ul class="children">
<li class="comment odd alt depth-2" id="comment-196191">
<article id="article-comment-196191">
<header class="comment-header">
<p class="comment-author">
<img data-pin-nopin="nopin" alt='' src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%2048%2048'%3E%3C/svg%3E" data-lazy-srcset='https://secure.gravatar.com/avatar/fe566cfdf53464ba26c5124d952400a8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async' data-lazy-src="https://secure.gravatar.com/avatar/fe566cfdf53464ba26c5124d952400a8?s=48&d=identicon&r=g"/><noscript><img data-pin-nopin="nopin" alt='' src='https://secure.gravatar.com/avatar/fe566cfdf53464ba26c5124d952400a8?s=48&d=identicon&r=g' srcset='https://secure.gravatar.com/avatar/fe566cfdf53464ba26c5124d952400a8?s=96&d=identicon&r=g 2x' class='avatar avatar-48 photo' height='48' width='48' decoding='async'/></noscript><span class="comment-author-name">Alexandra Kenin</span> <span class="says">says</span> </p>
<p class="comment-meta"><time class="comment-time">April 28, 2020 at 5:04 pm</time></p> </header>
<div class="comment-content">
<p><img class="wprm-comment-rating" src="data:image/gif;base64,R0lGODdhAQABAPAAAP///wAAACwAAAAAAQABAEACAkQBADs=" data-lazy-src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /><br />
This teriyaki sauce was THE BOMB. Thank you!!</p>
</div>
<div class="comment-reply"><a rel="nofollow" class="comment-reply-link" href="#comment-196191" data-commentid="196191" data-postid="17311" data-belowelement="article-comment-196191" data-respondelement="respond" data-replyto="Reply to Alexandra Kenin" aria-label="Reply to Alexandra Kenin">Reply</a></div>
</article>
</li><!-- #comment-## -->
</ul><!-- .children -->
</li><!-- #comment-## -->
</ol></div></main><aside class="sidebar sidebar-primary widget-area" role="complementary" aria-label="Primary Sidebar" id="genesis-sidebar-primary"><h2 class="genesis-sidebar-title screen-reader-text">Primary Sidebar</h2><div class="feast-modern-sidebar modern-sidebar-widget">
<div class="wp-block-group feast-about-author"><div class="wp-block-group__inner-container is-layout-flow wp-block-group-is-layout-flow"><div class="wp-block-image">
<figure class="aligncenter size-medium"><a href="https://www.connoisseurusveg.com/wp-content/uploads/2023/07/Alissa-2023-1-sq.jpg"><img width="300" height="300" data-pin-nopin="true" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=41732" src="https://www.connoisseurusveg.com/wp-content/uploads/2023/07/Alissa-2023-1-sq-300x300.jpg" alt="Alissa standing in front of kitchen cabinets." class="wp-image-41732"/></a></figure></div>
<p><strong>Hi, I'm Alissa! </strong>I'm a former attorney turned professional food blogger. I love creating vegan recipes with bold flavors!</p>
<p class="has-text-align-center"><a href="/about/">More about me →</a></p>
</div></div>
<h3 class="wp-block-heading" id="h-popular">Popular</h3>
<div class='feast-category-index feast-recipe-index'><ul class="fsri-list feast-grid-half feast-desktop-grid-half"><li class="listing-item"><a href="https://www.connoisseurusveg.com/vegan-banana-bread/"><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-pin-25-1.jpg" data-pin-description="The best banana bread ever, and it's vegan! Perfectly sweet, moist, and topped with a brown sugar crust, this delicious banana bread is super easy to make and customizable with your favorite stir-ins." data-pin-title="Vegan Banana Bread" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Sliced loaf of Vegan Banana Bread with a cup of tea in the background." data-pin-nopin="true" aria-hidden="true" decoding="async" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3.jpg 1200w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-banana-bread/?tp_image_id=50881" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-500x500.jpg" /><noscript><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-pin-25-1.jpg" data-pin-description="The best banana bread ever, and it's vegan! Perfectly sweet, moist, and topped with a brown sugar crust, this delicious banana bread is super easy to make and customizable with your favorite stir-ins." data-pin-title="Vegan Banana Bread" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-500x500.jpg" class=" fsri-image wp-post-image" alt="Sliced loaf of Vegan Banana Bread with a cup of tea in the background." data-pin-nopin="true" aria-hidden="true" decoding="async" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2025/01/vegan-banana-bread-24-sq-3.jpg 1200w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-banana-bread/?tp_image_id=50881" /></noscript><div class="fsri-title">The Best Vegan Banana Bread</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/teriyaki-tofu/"><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Plate of Teriyaki Tofu with broccoli and rice." data-pin-nopin="true" aria-hidden="true" decoding="async" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg 1200w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47316" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg" /><noscript><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg" class=" fsri-image wp-post-image" alt="Plate of Teriyaki Tofu with broccoli and rice." data-pin-nopin="true" aria-hidden="true" decoding="async" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-300x300.jpg 300w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-1024x1024.jpg 1024w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-768x768.jpg 768w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-360x360.jpg 360w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq-96x96.jpg 96w, https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-sq.jpg 1200w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47316" /></noscript><div class="fsri-title">Crispy Baked Teriyaki Tofu</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/vegan-rice-pudding/"><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/vegan-rice-pudding-pin-1.jpg" data-pin-description="Creamy, dreamy, and bursting with sweetness and a hint of cinnamon! This luscious vegan rice pudding is easy to make and delicious hot or cold. You'd never guess this scrumptious dessert was dairy-free! #veganrecipes #ricepudding #vegandessert" data-pin-title="" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Two Glasses of Vegan Rice Pudding with Cinnamon Sticks and Strawberries" data-pin-nopin="true" aria-hidden="true" decoding="async" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-320x320.jpg 320w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-rice-pudding/?tp_image_id=19906" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-500x500.jpg" /><noscript><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/vegan-rice-pudding-pin-1.jpg" data-pin-description="Creamy, dreamy, and bursting with sweetness and a hint of cinnamon! This luscious vegan rice pudding is easy to make and delicious hot or cold. You'd never guess this scrumptious dessert was dairy-free! #veganrecipes #ricepudding #vegandessert" data-pin-title="" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-500x500.jpg" class=" fsri-image wp-post-image" alt="Two Glasses of Vegan Rice Pudding with Cinnamon Sticks and Strawberries" data-pin-nopin="true" aria-hidden="true" decoding="async" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2019/08/rice-pudding-8-of-8-320x320.jpg 320w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/vegan-rice-pudding/?tp_image_id=19906" /></noscript><div class="fsri-title">Creamy Vegan Rice Pudding</div></a></li><li class="listing-item"><a href="https://www.connoisseurusveg.com/lentil-soup/"><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9.jpg" data-pin-description="This lentil soup is packed with savory flavor and guaranteed to warm you up! Hearty enough to make a meal of and easy enough for a weeknight. This healthy soup is naturally vegan and gluten-free too! #lentilsoup #vegansoup #healthysoup #souprecipes" data-pin-title="Classic Lentil Soup" data-pin-id="" width="500" height="500" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20500%20500'%3E%3C/svg%3E" class=" fsri-image wp-post-image" alt="Table Set with a Bowl of Lentil Soup, Blue Pot and Water Glass" data-pin-nopin="true" aria-hidden="true" decoding="async" data-lazy-srcset="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-320x320.jpg 320w" data-lazy-sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/lentil-soup/?tp_image_id=21454" data-lazy-src="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-500x500.jpg" /><noscript><img data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9.jpg" data-pin-description="This lentil soup is packed with savory flavor and guaranteed to warm you up! Hearty enough to make a meal of and easy enough for a weeknight. This healthy soup is naturally vegan and gluten-free too! #lentilsoup #vegansoup #healthysoup #souprecipes" data-pin-title="Classic Lentil Soup" data-pin-id="" width="500" height="500" src="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-500x500.jpg" class=" fsri-image wp-post-image" alt="Table Set with a Bowl of Lentil Soup, Blue Pot and Water Glass" data-pin-nopin="true" aria-hidden="true" decoding="async" srcset="https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-500x500.jpg 500w, https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-150x150.jpg 150w, https://www.connoisseurusveg.com/wp-content/uploads/2020/01/lentil-soup-9-of-9-320x320.jpg 320w" sizes="(max-width: 500px) 100vw, 500px" data-pin-url="https://www.connoisseurusveg.com/lentil-soup/?tp_image_id=21454" /></noscript><div class="fsri-title">Classic Lentil Soup</div></a></li></ul></div></div></aside></div></div><footer class="site-footer"><div class="wrap"><h2 class="screen-reader-text">Footer</h2><div class="feast-modern-footer">
<p class="has-text-align-center feast-button"><a href="#">↑ back to top</a></p>
<div class="wp-block-columns is-layout-flex wp-container-core-columns-is-layout-4 wp-block-columns-is-layout-flex">
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow">
<h3 class="wp-block-heading" id="h-resources">Resources</h3>
<ul class="wp-block-list">
<li><a href="https://www.connoisseurusveg.com/about/">About</a></li>
<li><a href="https://www.connoisseurusveg.com/contact/">Contact</a></li>
<li><a href="/privacy-policy">Privacy Policy</a></li>
<li><a href="https://www.connoisseurusveg.com/photo-use-policy/">Photo Use Policy</a></li>
</ul>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow">
<h3 class="wp-block-heading" id="h-connect">Connect</h3>
<ul class="wp-block-list">
<li><a href="https://skilled-trader-3104.ck.page/ab8590ca71">Sign Up</a> for emails and updates</li>
<li>Connoisseurus Veg on <a href="https://www.facebook.com/connoisseurusveg">Facebook</a></li>
<li>Connoisseurus Veg on <a href="https://www.pinterest.com/connoisseurus/">Pinterest</a></li>
<li>Connoisseurus Veg on <a href="https://www.instagram.com/connoisseurusveg/">Instagram</a></li>
</ul>
</div>
<div class="wp-block-column is-layout-flow wp-block-column-is-layout-flow">
<h3 class="wp-block-heading" id="h-reader-favorites">Reader Favorites</h3>
<ul class="wp-block-list">
<li><a href="https://www.connoisseurusveg.com/tuscan-kale-soup/">Tuscan Kale Soup</a></li>
<li><a href="https://www.connoisseurusveg.com/asian-slaw/">Asian Slaw</a></li>
<li><a href="https://www.connoisseurusveg.com/vegetarian-slow-cooker-chili/">Vegetarian Slow Cooker Chili</a></li>
<li><a href="https://www.connoisseurusveg.com/mediterranean-pasta/">Mediterranean Pasta</a></li>
<li><a href="https://www.connoisseurusveg.com/vegan-doughnuts/">Vegan Doughnuts</a></li>
<li><a href="https://www.connoisseurusveg.com/lentil-soup/">Classic Lentil Soup</a></li>
</ul>
</div>
</div>
<p class="has-text-align-center">As an Amazon Associate I earn from qualifying purchases. Learn more <a href="https://www.connoisseurusveg.com/disclosures/">here</a>.</p>
<p class="has-text-align-center">Copyright © 2013-2025 Tofu Press LLC & Alissa Saenz</p>
</div></div></footer></div><script data-no-optimize='1' data-cfasync='false' id='cls-insertion-240b0f0'>!function(){"use strict";function e(){return e=Object.assign||function(e){for(var t=1;t<arguments.length;t++){var i=arguments[t];for(var n in i)Object.prototype.hasOwnProperty.call(i,n)&&(e[n]=i[n])}return e},e.apply(this,arguments)}var t,i,n,s,o,r,a,l,c,d,u,h,p,m,_,g,y,f,v,S,b;window.adthriveCLS.buildDate="2025-02-14",function(e){e.amznbid="amznbid",e.amzniid="amzniid",e.amznp="amznp",e.amznsz="amznsz"}(t||(t={})),function(e){e.ThirtyThreeAcross="33across",e.Adform="adform",e.Aidem="aidem",e.AidemServer="aidem_ss",e.AppNexus="appnexus",e.AmazonTAM="amazon",e.AmazonUAM="AmazonUAM",e.Conversant="conversant",e.Concert="concert",e.Criteo="criteo",e.CriteoServer="crit_ss",e.GumGum="gumgum",e.ImproveDigital="improvedigital",e.ImproveDigitalServer="improve_ss",e.IndexExchange="ix",e.Kargo="kargo",e.KargoServer="krgo_ss",e.MediaGrid="grid",e.MediaGridVideo="gridvid",e.Medianet="medianet",e.Nativo="nativo",e.Ogury="ogury",e.OpenX="openx",e.OpenXServer="opnx_ss",e.Ozone="ozone",e.Pubmatic="pubmatic",e.PubmaticServer="pubm_ss",e.ResetDigital="resetdigital",e.Rise="rise",e.Rtbhouse="rtbhouse",e.Rubicon="rubicon",e.RubiconServer="rubi_ss",e.Seedtag="seedtag",e.Sharethrough="sharethrough",e.SharethroughServer="share_ss",e.Teads="teads",e.Triplelift="triplelift",e.TripleliftServer="tripl_ss",e.TTD="ttd",e.Undertone="undertone",e.UndertoneServer="under_ss",e.Unruly="unruly",e.YahooSSP="yahoossp",e.YahooSSPServer="yah_ss",e.Verizon="verizon",e.Yieldmo="yieldmo",e.Flipp="flipp"}(i||(i={})),function(e){e.ix="ix",e.medianet="mn",e.openx="ox",e.pubmatic="pu",e.rubicon="ma",e.sharethrough="sh",e.triplelift="tl"}(n||(n={})),function(e){e.Prebid="prebid",e.GAM="gam",e.Amazon="amazon",e.Marmalade="marmalade",e.Floors="floors",e.CMP="cmp",e.Optable="optable",e.OptimalBidder="optimalBidder"}(s||(s={})),function(e){e.cm="cm",e.fbrap="fbrap",e.rapml="rapml"}(o||(o={})),function(e){e.lazy="lazy",e.raptive="raptive",e.refresh="refresh",e.session="session",e.crossDomain="crossdomain",e.highSequence="highsequence",e.lazyBidPool="lazyBidPool"}(r||(r={})),function(e){e.lazy="l",e.raptive="rapml",e.refresh="r",e.session="s",e.crossdomain="c",e.highsequence="hs",e.lazyBidPool="lbp"}(a||(a={})),function(e){e.Version="Version",e.SharingNotice="SharingNotice",e.SaleOptOutNotice="SaleOptOutNotice",e.SharingOptOutNotice="SharingOptOutNotice",e.TargetedAdvertisingOptOutNotice="TargetedAdvertisingOptOutNotice",e.SensitiveDataProcessingOptOutNotice="SensitiveDataProcessingOptOutNotice",e.SensitiveDataLimitUseNotice="SensitiveDataLimitUseNotice",e.SaleOptOut="SaleOptOut",e.SharingOptOut="SharingOptOut",e.TargetedAdvertisingOptOut="TargetedAdvertisingOptOut",e.SensitiveDataProcessing="SensitiveDataProcessing",e.KnownChildSensitiveDataConsents="KnownChildSensitiveDataConsents",e.PersonalDataConsents="PersonalDataConsents",e.MspaCoveredTransaction="MspaCoveredTransaction",e.MspaOptOutOptionMode="MspaOptOutOptionMode",e.MspaServiceProviderMode="MspaServiceProviderMode",e.SubSectionType="SubsectionType",e.Gpc="Gpc"}(l||(l={})),function(e){e[e.NA=0]="NA",e[e.OptedOut=1]="OptedOut",e[e.OptedIn=2]="OptedIn"}(c||(c={})),function(e){e.AdDensity="addensity",e.AdLayout="adlayout",e.FooterCloseButton="footerclose",e.Interstitial="interstitial",e.RemoveVideoTitleWrapper="removevideotitlewrapper",e.StickyOutstream="stickyoutstream",e.StickyOutstreamOnStickyPlayer="sospp",e.VideoAdvancePlaylistRelatedPlayer="videoadvanceplaylistrp",e.MobileStickyPlayerPosition="mspp"}(d||(d={})),function(e){e.Below_Post_1="Below_Post_1",e.Below_Post="Below_Post",e.Content="Content",e.Content_1="Content_1",e.Content_2="Content_2",e.Content_3="Content_3",e.Content_4="Content_4",e.Content_5="Content_5",e.Content_6="Content_6",e.Content_7="Content_7",e.Content_8="Content_8",e.Content_9="Content_9",e.Recipe="Recipe",e.Recipe_1="Recipe_1",e.Recipe_2="Recipe_2",e.Recipe_3="Recipe_3",e.Recipe_4="Recipe_4",e.Recipe_5="Recipe_5",e.Native_Recipe="Native_Recipe",e.Footer_1="Footer_1",e.Footer="Footer",e.Header_1="Header_1",e.Header_2="Header_2",e.Header="Header",e.Sidebar_1="Sidebar_1",e.Sidebar_2="Sidebar_2",e.Sidebar_3="Sidebar_3",e.Sidebar_4="Sidebar_4",e.Sidebar_5="Sidebar_5",e.Sidebar_9="Sidebar_9",e.Sidebar="Sidebar",e.Interstitial_1="Interstitial_1",e.Interstitial="Interstitial",e.Video_StickyOutstream_1="Video_StickyOutstream_1",e.Video_StickyOutstream="Video_StickyOutstream",e.Video_StickyInstream="Video_StickyInstream",e.Sponsor_Tile="Sponsor_Tile"}(u||(u={})),function(e){e.Desktop="desktop",e.Mobile="mobile"}(h||(h={})),function(e){e.Video_Collapse_Autoplay_SoundOff="Video_Collapse_Autoplay_SoundOff",e.Video_Individual_Autoplay_SOff="Video_Individual_Autoplay_SOff",e.Video_Coll_SOff_Smartphone="Video_Coll_SOff_Smartphone",e.Video_In_Post_ClicktoPlay_SoundOn="Video_In-Post_ClicktoPlay_SoundOn",e.Video_Collapse_Autoplay_SoundOff_15s="Video_Collapse_Autoplay_SoundOff_15s",e.Video_Individual_Autoplay_SOff_15s="Video_Individual_Autoplay_SOff_15s",e.Video_Coll_SOff_Smartphone_15s="Video_Coll_SOff_Smartphone_15s",e.Video_In_Post_ClicktoPlay_SoundOn_15s="Video_In-Post_ClicktoPlay_SoundOn_15s"}(p||(p={})),function(e){e.vpaidAdPlayError="vpaidAdPlayError",e.adError="adError",e.adLoaded="adLoaded"}(m||(m={})),function(e){e.Float="adthrive-collapse-float",e.Sticky="adthrive-collapse-sticky",e.Mobile="adthrive-collapse-mobile"}(_||(_={})),function(e){e.Small="adthrive-collapse-small",e.Medium="adthrive-collapse-medium"}(g||(g={})),function(e){e.BottomRight="adthrive-collapse-bottom-right"}(y||(y={})),function(e){e[e.Unstarted=0]="Unstarted",e[e.UncollapsedPlay=1]="UncollapsedPlay",e[e.CollapsedPlay=2]="CollapsedPlay",e[e.UserPauseUncollapsed=3]="UserPauseUncollapsed",e[e.UserPauseCollapsed=4]="UserPauseCollapsed",e[e.PausedNotVisible=5]="PausedNotVisible",e[e.Overlapped=6]="Overlapped",e[e.Closed=7]="Closed",e[e.NonLinearAdPlay=8]="NonLinearAdPlay",e[e.NonLinearAdPaused=9]="NonLinearAdPaused",e[e.NonLinearAdOverlapped=10]="NonLinearAdOverlapped",e[e.UserUnPaused=11]="UserUnPaused"}(f||(f={})),function(e){e[e.Play=0]="Play",e[e.UserClick=1]="UserClick",e[e.PageSwitch=2]="PageSwitch",e[e.OutOfView=3]="OutOfView",e[e.InView=4]="InView",e[e.Close=5]="Close",e[e.Overlapping=6]="Overlapping",e[e.OtherVideoPlaying=7]="OtherVideoPlaying"}(v||(v={})),function(e){e.None="none"}(S||(S={})),function(e){e.Default="default",e.AZ_Animals="5daf495ed42c8605cfc74b0b",e.Natashas_Kitchen="55bccc97303edab84afd77e2",e.RecipeTin_Eats="55cb7e3b4bc841bd0c4ea577",e.Sallys_Baking_Recipes="566aefa94856897050ee7303",e.Spend_With_Pennies="541917f5a90318f9194874cf"}(b||(b={}));const C=e=>{const t={};return function(...i){const n=JSON.stringify(i);if(t[n])return t[n];const s=e.apply(this,i);return t[n]=s,s}};const O=new class{info(e,t,...i){this.call(console.info,e,t,...i)}warn(e,t,...i){this.call(console.warn,e,t,...i)}error(e,t,...i){this.call(console.error,e,t,...i),this.sendErrorLogToCommandQueue(e,t,...i)}event(e,t,...i){var n;"debug"===(null==(n=window.adthriveCLS)?void 0:n.bucket)&&this.info(e,t)}sendErrorLogToCommandQueue(e,t,...i){window.adthrive=window.adthrive||{},window.adthrive.cmd=window.adthrive.cmd||[],window.adthrive.cmd.push((()=>{void 0!==window.adthrive.logError&&"function"==typeof window.adthrive.logError&&window.adthrive.logError(e,t,i)}))}call(e,t,i,...n){const s=[`%c${t}::${i} `],o=["color: #999; font-weight: bold;"];n.length>0&&"string"==typeof n[0]&&s.push(n.shift()),o.push(...n);try{Function.prototype.apply.call(e,console,[s.join(""),...o])}catch(e){return void console.error(e)}}},w=(e,t)=>null==e||e!=e?t:e,x=e=>{const t=e.offsetHeight,i=e.offsetWidth,n=e.getBoundingClientRect(),s=document.body,o=document.documentElement,r=window.pageYOffset||o.scrollTop||s.scrollTop,a=window.pageXOffset||o.scrollLeft||s.scrollLeft,l=o.clientTop||s.clientTop||0,c=o.clientLeft||s.clientLeft||0,d=Math.round(n.top+r-l),u=Math.round(n.left+a-c);return{top:d,left:u,bottom:d+t,right:u+i,width:i,height:t}},A=e=>{let t={};const i=((e=window.location.search)=>{const t=0===e.indexOf("?")?1:0;return e.slice(t).split("&").reduce(((e,t)=>{const[i,n]=t.split("=");return e.set(i,n),e}),new Map)})().get(e);if(i)try{const n=decodeURIComponent(i).replace(/\+/g,"");t=JSON.parse(n),O.event("ExperimentOverridesUtil","getExperimentOverrides",e,t)}catch(e){}return t},E=C(((e=navigator.userAgent)=>/Windows NT|Macintosh/i.test(e))),P=C((()=>{const e=navigator.userAgent,t=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari|CrOS/i.test(e);return/Mobi|iP(hone|od)|Opera Mini/i.test(e)&&!t})),k=(e,t,i=document)=>{const n=((e=document)=>{const t=e.querySelectorAll("article");if(0===t.length)return null;const i=Array.from(t).reduce(((e,t)=>t.offsetHeight>e.offsetHeight?t:e));return i&&i.offsetHeight>1.5*window.innerHeight?i:null})(i),s=n?[n]:[],o=[];e.forEach((e=>{const n=Array.from(i.querySelectorAll(e.elementSelector)).slice(0,e.skip);var r;(r=e.elementSelector,r.includes(",")?r.split(","):[r]).forEach((r=>{const a=i.querySelectorAll(r);for(let i=0;i<a.length;i++){const r=a[i];if(t.map.some((({el:e})=>e.isEqualNode(r))))continue;const l=r&&r.parentElement;l&&l!==document.body?s.push(l):s.push(r),-1===n.indexOf(r)&&o.push({dynamicAd:e,element:r})}}))}));const r=((e=document)=>(e===document?document.body:e).getBoundingClientRect().top)(i),a=o.sort(((e,t)=>e.element.getBoundingClientRect().top-r-(t.element.getBoundingClientRect().top-r)));return[s,a]};class D{}const R=["mcmpfreqrec"];const I=new class extends D{init(e){this._gdpr="true"===e.gdpr,this._shouldQueue=this._gdpr}clearQueue(e){e&&(this._shouldQueue=!1,this._sessionStorageHandlerQueue.forEach((e=>{this.setSessionStorage(e.key,e.value)})),this._localStorageHandlerQueue.forEach((e=>{if("adthrive_abgroup"===e.key){const t=Object.keys(e.value)[0],i=e.value[t],n=e.value[`${t}_weight`];this.getOrSetABGroupLocalStorageValue(t,i,n,{value:24,unit:"hours"})}else e.expiry?"internal"===e.type?this.setExpirableInternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):this.setExpirableExternalLocalStorage(e.key,e.value,{expiry:e.expiry,resetOnRead:e.resetOnRead}):"internal"===e.type?this.setInternalLocalStorage(e.key,e.value):this.setExternalLocalStorage(e.key,e.value)})),this._cookieHandlerQueue.forEach((e=>{"internal"===e.type?this.setInternalCookie(e.key,e.value):this.setExternalCookie(e.key,e.value)}))),this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[]}readInternalCookie(e){return this._verifyInternalKey(e),this._readCookie(e)}readExternalCookie(e){return this._readCookie(e)}readInternalLocalStorage(e){return this._verifyInternalKey(e),this._readFromLocalStorage(e)}readExternalLocalStorage(e){return this._readFromLocalStorage(e)}readSessionStorage(e){const t=window.sessionStorage.getItem(e);if(!t)return null;try{return JSON.parse(t)}catch(e){return t}}deleteCookie(e){document.cookie=`${e}=; SameSite=None; Secure; expires=Thu, 01 Jan 1970 00:00:00 UTC; path=/`}deleteLocalStorage(e){window.localStorage.removeItem(e)}deleteSessionStorage(e){window.sessionStorage.removeItem(e)}setInternalCookie(e,t,i){this._verifyInternalKey(e),this._setCookieValue("internal",e,t,i)}setExternalCookie(e,t,i){this._setCookieValue("external",e,t,i)}setInternalLocalStorage(e,t){if(this._verifyInternalKey(e),this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExternalLocalStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"external"};this._localStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.localStorage.setItem(e,i)}}setExpirableInternalLocalStorage(e,t,i){this._verifyInternalKey(e);try{var n;const o=null!=(n=null==i?void 0:i.expiry)?n:{value:400,unit:"days"};var s;const r=null!=(s=null==i?void 0:i.resetOnRead)&&s;if(this._gdpr&&this._shouldQueue){const i={key:e,value:t,type:"internal",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"internal",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setExpirableExternalLocalStorage(e,t,i){try{var n;const o=null!=(n=null==i?void 0:i.expiry)?n:{value:400,unit:"days"};var s;const r=null!=(s=null==i?void 0:i.resetOnRead)&&s;if(this._gdpr&&this._shouldQueue){const i={key:e,value:JSON.stringify(t),type:"external",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};this._localStorageHandlerQueue.push(i)}else{const i={value:t,type:"external",expires:this._getExpiryDate(o),expiry:o,resetOnRead:r};window.localStorage.setItem(e,JSON.stringify(i))}}catch(e){console.error(e)}}setSessionStorage(e,t){if(this._gdpr&&this._shouldQueue){const i={key:e,value:t};this._sessionStorageHandlerQueue.push(i)}else{const i="string"==typeof t?t:JSON.stringify(t);window.sessionStorage.setItem(e,i)}}getOrSetABGroupLocalStorageValue(t,i,n,s,o=!0){const r="adthrive_abgroup",a=this.readInternalLocalStorage(r);if(null!==a){const e=a[t];var l;const i=null!=(l=a[`${t}_weight`])?l:null;if(this._isValidABGroupLocalStorageValue(e))return[e,i]}const c=e({},a,{[t]:i,[`${t}_weight`]:n});return s?this.setExpirableInternalLocalStorage(r,c,{expiry:s,resetOnRead:o}):this.setInternalLocalStorage(r,c),[i,n]}_isValidABGroupLocalStorageValue(e){return null!=e&&!("number"==typeof e&&isNaN(e))}_getExpiryDate({value:e,unit:t}){const i=new Date;return"milliseconds"===t?i.setTime(i.getTime()+e):"seconds"==t?i.setTime(i.getTime()+1e3*e):"minutes"===t?i.setTime(i.getTime()+60*e*1e3):"hours"===t?i.setTime(i.getTime()+60*e*60*1e3):"days"===t?i.setTime(i.getTime()+24*e*60*60*1e3):"months"===t&&i.setTime(i.getTime()+30*e*24*60*60*1e3),i.toUTCString()}_resetExpiry(e){return e.expires=this._getExpiryDate(e.expiry),e}_readCookie(e){const t=document.cookie.split("; ").find((t=>t.split("=")[0]===e));if(!t)return null;const i=t.split("=")[1];if(i)try{return JSON.parse(decodeURIComponent(i))}catch(e){return decodeURIComponent(i)}return null}_readFromLocalStorage(e){const t=window.localStorage.getItem(e);if(!t)return null;try{const n=JSON.parse(t),s=n.expires&&(new Date).getTime()>new Date(n.expires).getTime();if("adthrive_abgroup"===e&&n.created)return window.localStorage.removeItem(e),null;if(n.resetOnRead&&n.expires&&!s){const t=this._resetExpiry(n);var i;return window.localStorage.setItem(e,JSON.stringify(n)),null!=(i=t.value)?i:t}if(s)return window.localStorage.removeItem(e),null;if(!n.hasOwnProperty("value"))return n;try{return JSON.parse(n.value)}catch(e){return n.value}}catch(e){return t}}_setCookieValue(e,t,i,n){try{if(this._gdpr&&this._shouldQueue){const n={key:t,value:i,type:e};this._cookieHandlerQueue.push(n)}else{var s;const e=this._getExpiryDate(null!=(s=null==n?void 0:n.expiry)?s:{value:400,unit:"days"});var o;const a=null!=(o=null==n?void 0:n.sameSite)?o:"None";var r;const l=null==(r=null==n?void 0:n.secure)||r,c="object"==typeof i?JSON.stringify(i):i;document.cookie=`${t}=${c}; SameSite=${a}; ${l?"Secure;":""} expires=${e}; path=/`}}catch(e){}}_verifyInternalKey(e){const t=e.startsWith("adthrive_"),i=e.startsWith("adt_");if(!t&&!i&&!R.includes(e))throw new Error('When reading an internal cookie, the key must start with "adthrive_" or "adt_" or be part of the allowed legacy keys.')}constructor(...e){super(...e),this.name="BrowserStorage",this.disable=!1,this.gdprPurposes=[1],this._sessionStorageHandlerQueue=[],this._localStorageHandlerQueue=[],this._cookieHandlerQueue=[],this._shouldQueue=!1}},M=(e,t,i)=>{switch(t){case d.AdDensity:return((e,t)=>{const i=e.adDensityEnabled,n=e.adDensityLayout.pageOverrides.find((e=>!!document.querySelector(e.pageSelector)&&(e[t].onePerViewport||"number"==typeof e[t].adDensity)));return!i||!n})(e,i);case d.StickyOutstream:return(e=>{var t,i,n;const s=null==(n=e.videoPlayers)||null==(i=n.partners)||null==(t=i.stickyOutstream)?void 0:t.blockedPageSelectors;return!s||!document.querySelector(s)})(e);case d.Interstitial:return(e=>{const t=e.adOptions.interstitialBlockedPageSelectors;return!t||!document.querySelector(t)})(e);default:return!0}},L=t=>{try{return{valid:!0,elements:document.querySelectorAll(t)}}catch(t){return e({valid:!1},t)}},T=e=>""===e?{valid:!0}:L(e),V=(e,t)=>{if(!e)return!1;const i=!!e.enabled,n=null==e.dateStart||Date.now()>=e.dateStart,s=null==e.dateEnd||Date.now()<=e.dateEnd,o=null===e.selector||""!==e.selector&&!!document.querySelector(e.selector),r="mobile"===e.platform&&"mobile"===t,a="desktop"===e.platform&&"desktop"===t,l=null===e.platform||"all"===e.platform||r||a,c="bernoulliTrial"===e.experimentType?1===e.variants.length:(e=>{const t=e.reduce(((e,t)=>t.weight?t.weight+e:e),0);return e.length>0&&e.every((e=>{const t=e.value,i=e.weight;return!(null==t||"number"==typeof t&&isNaN(t)||!i)}))&&100===t})(e.variants);return c||O.error("SiteTest","validateSiteExperiment","experiment presented invalid choices for key:",e.key,e.variants),i&&n&&s&&o&&l&&c},N=["siteId","siteName","adOptions","breakpoints","adUnits"];window.adthrive.windowPerformance=window.adthrive.windowPerformance||new class{resetTimeOrigin(){this._timeOrigin=window.performance.now()}now(){try{return Math.round(window.performance.now()-this._timeOrigin)}catch(e){return 0}}constructor(){this._timeOrigin=0}};const j=window.adthrive.windowPerformance,H=j.now.bind(j);class G{}class F extends G{get(){if(this._probability<0||this._probability>1)throw new Error(`Invalid probability: ${this._probability}`);return Math.random()<this._probability}constructor(e){super(),this._probability=e}}class z{get siteFeatureRollouts(){return this._featureRollouts}_isRolloutEnabled(e){if(this._doesRolloutExist(e)){const t=this._featureRollouts[e];let i=t.enabled;const n=t.data;if(this._doesRolloutHaveConfig(e)&&this._isFeatureRolloutConfigType(n)){const e=n.pct_enabled?n.pct_enabled/100:1;i=i&&new F(e).get()}return i}return!1}isRolloutEnabled(e){var t;const i=null!=(t=this._checkedFeatureRollouts.get(e))?t:this._isRolloutEnabled(e);return void 0===this._checkedFeatureRollouts.get(e)&&this._checkedFeatureRollouts.set(e,i),i}_doesRolloutExist(e){return this._featureRollouts&&!!this._featureRollouts[e]}_doesRolloutHaveConfig(e){return this._doesRolloutExist(e)&&"data"in this._featureRollouts[e]}_isFeatureRolloutConfigType(e){return null!=e&&"object"==typeof e&&!!Object.keys(e).length}getSiteRolloutConfig(e){var t;return this.isRolloutEnabled(e)&&null!=(t=this._featureRollouts[e].data)?t:{}}get enabledFeatureRolloutIds(){return this._enabledFeatureRolloutIds}constructor(){this._featureRollouts={},this._checkedFeatureRollouts=new Map,this._enabledFeatureRolloutIds=[]}}class B extends z{_setEnabledFeatureRolloutIds(){Object.entries(this._featureRollouts).forEach((([e,t])=>{this.isRolloutEnabled(e)&&void 0!==t.featureRolloutId&&this._enabledFeatureRolloutIds.push(t.featureRolloutId)}))}constructor(e){super(),this._featureRollouts=e,this._setEnabledFeatureRolloutIds()}}class U{get enabled(){return!!this._clsGlobalData&&!!this._clsGlobalData.siteAds&&((e,t=N)=>{if(!e)return!1;for(let i=0;i<t.length;i++)if(!e[t[i]])return!1;return!0})(this._clsGlobalData.siteAds)}get error(){return!(!this._clsGlobalData||!this._clsGlobalData.error)}set siteAds(e){this._clsGlobalData.siteAds=e}get siteAds(){return this._clsGlobalData.siteAds}set disableAds(e){this._clsGlobalData.disableAds=e}get disableAds(){return this._clsGlobalData.disableAds}set enabledLocations(e){this._clsGlobalData.enabledLocations=e}get enabledLocations(){return this._clsGlobalData.enabledLocations}get injectedFromPlugin(){return this._clsGlobalData.injectedFromPlugin}set injectedFromPlugin(e){this._clsGlobalData.injectedFromPlugin=e}get injectedFromSiteAds(){return this._clsGlobalData.injectedFromSiteAds}set injectedFromSiteAds(e){this._clsGlobalData.injectedFromSiteAds=e}overwriteInjectedSlots(e){this._clsGlobalData.injectedSlots=e}setInjectedSlots(e){this._clsGlobalData.injectedSlots=this._clsGlobalData.injectedSlots||[],this._clsGlobalData.injectedSlots.push(e)}get injectedSlots(){return this._clsGlobalData.injectedSlots}setInjectedVideoSlots(e){this._clsGlobalData.injectedVideoSlots=this._clsGlobalData.injectedVideoSlots||[],this._clsGlobalData.injectedVideoSlots.push(e)}get injectedVideoSlots(){return this._clsGlobalData.injectedVideoSlots}setInjectedScripts(e){this._clsGlobalData.injectedScripts=this._clsGlobalData.injectedScripts||[],this._clsGlobalData.injectedScripts.push(e)}get getInjectedScripts(){return this._clsGlobalData.injectedScripts}setExperiment(e,t,i=!1){this._clsGlobalData.experiments=this._clsGlobalData.experiments||{},this._clsGlobalData.siteExperiments=this._clsGlobalData.siteExperiments||{};(i?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments)[e]=t}getExperiment(e,t=!1){const i=t?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments;return i&&i[e]}setWeightedChoiceExperiment(e,t,i=!1){this._clsGlobalData.experimentsWeightedChoice=this._clsGlobalData.experimentsWeightedChoice||{},this._clsGlobalData.siteExperimentsWeightedChoice=this._clsGlobalData.siteExperimentsWeightedChoice||{};(i?this._clsGlobalData.siteExperimentsWeightedChoice:this._clsGlobalData.experimentsWeightedChoice)[e]=t}getWeightedChoiceExperiment(e,t=!1){var i,n;const s=t?null==(i=this._clsGlobalData)?void 0:i.siteExperimentsWeightedChoice:null==(n=this._clsGlobalData)?void 0:n.experimentsWeightedChoice;return s&&s[e]}get branch(){return this._clsGlobalData.branch}get bucket(){return this._clsGlobalData.bucket}set videoDisabledFromPlugin(e){this._clsGlobalData.videoDisabledFromPlugin=e}get videoDisabledFromPlugin(){return this._clsGlobalData.videoDisabledFromPlugin}set targetDensityLog(e){this._clsGlobalData.targetDensityLog=e}get targetDensityLog(){return this._clsGlobalData.targetDensityLog}shouldHalveIOSDensity(){const e=new B(this.enabled&&this._clsGlobalData&&this._clsGlobalData.siteAds&&"featureRollouts"in this._clsGlobalData.siteAds&&this._clsGlobalData.siteAds.featureRollouts||{});return((e=navigator.userAgent)=>/iP(hone|od|ad)/i.test(e))()&&e.isRolloutEnabled("iOS-Resolution")}getTargetDensity(e){return this.shouldHalveIOSDensity()?e/2:e}get removeVideoTitleWrapper(){return this._clsGlobalData.siteAds.adOptions.removeVideoTitleWrapper}constructor(){this._clsGlobalData=window.adthriveCLS}}class W{static getScrollTop(){return(window.pageYOffset||document.documentElement.scrollTop)-(document.documentElement.clientTop||0)}static getScrollBottom(){return this.getScrollTop()+(document.documentElement.clientHeight||0)}static shufflePlaylist(e){let t,i,n=e.length;for(;0!==n;)i=Math.floor(Math.random()*e.length),n-=1,t=e[n],e[n]=e[i],e[i]=t;return e}static isMobileLandscape(){return window.matchMedia("(orientation: landscape) and (max-height: 480px)").matches}static playerViewable(e){const t=e.getBoundingClientRect();return this.isMobileLandscape()?window.innerHeight>t.top+t.height/2&&t.top+t.height/2>0:window.innerHeight>t.top+t.height/2}static createQueryString(e){return Object.keys(e).map((t=>`${t}=${e[t]}`)).join("&")}static createEncodedQueryString(e){return Object.keys(e).map((t=>`${t}=${encodeURIComponent(e[t])}`)).join("&")}static setMobileLocation(e){return"top-left"===(e=e||"bottom-right")?e="adthrive-collapse-top-left":"top-right"===e?e="adthrive-collapse-top-right":"bottom-left"===e?e="adthrive-collapse-bottom-left":"bottom-right"===e?e="adthrive-collapse-bottom-right":"top-center"===e&&(e=P()?"adthrive-collapse-top-center":"adthrive-collapse-bottom-right"),e}static addMaxResolutionQueryParam(e){const t=`max_resolution=${P()?"320":"1280"}`,[i,n]=String(e).split("?");return`${i}?${n?n+`&${t}`:t}`}}class q{constructor(e){this._clsOptions=e,this.removeVideoTitleWrapper=w(this._clsOptions.siteAds.adOptions.removeVideoTitleWrapper,!1);const t=this._clsOptions.siteAds.videoPlayers;this.footerSelector=w(t&&t.footerSelector,""),this.players=w(t&&t.players.map((e=>(e.mobileLocation=W.setMobileLocation(e.mobileLocation),e))),[]),this.relatedSettings=t&&t.contextual}}class Q{constructor(e){this.mobileStickyPlayerOnPage=!1,this.playlistPlayerAdded=!1,this.relatedPlayerAdded=!1,this.footerSelector="",this.removeVideoTitleWrapper=!1,this.videoAdOptions=new q(e),this.players=this.videoAdOptions.players,this.relatedSettings=this.videoAdOptions.relatedSettings,this.removeVideoTitleWrapper=this.videoAdOptions.removeVideoTitleWrapper,this.footerSelector=this.videoAdOptions.footerSelector}}class K{setExperimentKey(e=!1){this._clsOptions.setExperiment(this.abgroup,this.result,e)}constructor(){this._clsOptions=new U,this.shouldUseCoreExperimentsConfig=!1}}class J extends K{get result(){return this._result}run(){return new F(.1).get()}constructor(){super(),this._result=!1,this._choices=[{choice:!0},{choice:!1}],this.key="RemoveLargeSize",this.abgroup="smhd100",this._result=this.run(),this.setExperimentKey()}}function Y(e,t,i,n){var s,o=arguments.length,r=o<3?t:null===n?n=Object.getOwnPropertyDescriptor(t,i):n;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)r=Reflect.decorate(e,t,i,n);else for(var a=e.length-1;a>=0;a--)(s=e[a])&&(r=(o<3?s(r):o>3?s(t,i,r):s(t,i))||r);return o>3&&r&&Object.defineProperty(t,i,r),r}function X(e,t){if("object"==typeof Reflect&&"function"==typeof Reflect.metadata)return Reflect.metadata(e,t)}"function"==typeof SuppressedError&&SuppressedError;const Z=(e,t,i,n,s,o)=>{const r=Math.round(o-s),a=[],l=[];a.push("(",i.map((()=>"%o")).join(", "),")"),l.push(...i),void 0!==n&&(a.push(" => %o"),l.push(n)),a.push(` %c(${r}ms)`),l.push("color: #999;")},ee=(e,t,i)=>{const n=void 0!==i.get?i.get:i.value;return function(...i){try{const s=H(),o=n.apply(this,i);if(o instanceof Promise)return o.then((e=>{const t=H();return Z(0,0,i,e,s,t),Promise.resolve(e)})).catch((i=>{throw i.logged||(O.error(e,t,i),i.logged=!0),i}));{const e=H();return Z(0,0,i,o,s,e),o}}catch(i){throw i.logged||(O.error(e,t,i),i.logged=!0),i}}},te=(t,i=!1)=>n=>{const s=Object.getOwnPropertyNames(n.prototype).filter((e=>i||0!==e.indexOf("_"))).map((e=>[e,Object.getOwnPropertyDescriptor(n.prototype,e)]));for(const[i,o]of s)void 0!==o&&"function"==typeof o.value?n.prototype[i]=ee(t,i,o):void 0!==o&&void 0!==o.get&&"function"==typeof o.get&&Object.defineProperty(n.prototype,i,e({},o,{get:ee(t,i,o)}))};class ie extends K{get result(){return this._result}run(){return new F(this.weight).get()}constructor(e){super(),this._result=!1,this.key="ParallaxAdsExperiment",this.abgroup="parallax",this._choices=[{choice:!0},{choice:!1}],this.weight=.5;!!P()&&e.largeFormatsMobile&&(this._result=this.run(),this.setExperimentKey())}}ie=Y([te("ParallaxAdsExperiment"),X("design:type",Function),X("design:paramtypes",["undefined"==typeof AdTypes?Object:AdTypes])],ie);class ne extends K{get result(){return this._result}run(){return new F(1).get()}constructor(){super(),this._result=!1,this._choices=[{choice:!0},{choice:!1}],this.key="mrsf",this.abgroup="mrsf",P()&&(this._result=this.run(),this.setExperimentKey())}}const se=[[728,90],[300,250],[300,600],[320,50],[970,250],[160,600],[300,1050],[336,280],[970,90],[300,50],[320,100],[468,60],[250,250],[120,240],[1,1],[300,300],[552,334],[300,420],[728,250],[320,300],[300,390]],oe=[[300,600],[160,600]],re=new Map([[u.Footer,1],[u.Header,2],[u.Sidebar,3],[u.Content,4],[u.Recipe,5],["Sidebar_sticky",6],["Below Post",7]]),ae=(e,t)=>{const{location:i,sticky:n}=e;if(i===u.Recipe&&t){const{recipeMobile:e,recipeDesktop:i}=t;if(P()&&(null==e?void 0:e.enabled))return!0;if(!P()&&(null==i?void 0:i.enabled))return!0}return i===u.Footer||n},le=(e,t)=>{const i=t.adUnits,n=(e=>!!e.adTypes&&new ie(e.adTypes).result)(t),s=new J,o=new ne;return i.filter((e=>void 0!==e.dynamic&&e.dynamic.enabled)).map((i=>{const r=i.location.replace(/\s+/g,"_"),a="Sidebar"===r?0:2;return{auctionPriority:re.get(r)||8,location:r,sequence:w(i.sequence,1),sizes:(l=i.adSizes,se.filter((([e,t])=>l.some((([i,n])=>e===i&&t===n))))).filter((t=>((e,[t,i],n,s,o)=>{const{location:r,sequence:a}=e;if(r===u.Footer)return!("phone"===n&&320===t&&100===i);if(r===u.Header)return!(i>100&&s.result);if(r===u.Recipe)return!(o.result&&"phone"===n&&(300===t&&390===i||320===t&&300===i));if(r===u.Sidebar){const t=e.adSizes.some((([,e])=>e<=300)),n=i>300;return!(!n||t)||9===a||(a&&a<=5?!n||e.sticky:!n)}return!0})(i,t,e,s,o))).concat(n&&i.location===u.Content?oe:[]),devices:i.devices,pageSelector:w(i.dynamic.pageSelector,"").trim(),elementSelector:w(i.dynamic.elementSelector,"").trim(),position:w(i.dynamic.position,"beforebegin"),max:Math.floor(w(i.dynamic.max,0)),spacing:w(i.dynamic.spacing,0),skip:Math.floor(w(i.dynamic.skip,0)),every:Math.max(Math.floor(w(i.dynamic.every,1)),1),classNames:i.dynamic.classNames||[],sticky:ae(i,t.adOptions.stickyContainerConfig),stickyOverlapSelector:w(i.stickyOverlapSelector,"").trim(),autosize:i.autosize,special:w(i.targeting,[]).filter((e=>"special"===e.key)).reduce(((e,t)=>e.concat(...t.value)),[]),lazy:w(i.dynamic.lazy,!1),lazyMax:w(i.dynamic.lazyMax,a),lazyMaxDefaulted:0!==i.dynamic.lazyMax&&!i.dynamic.lazyMax,name:i.name};var l}))},ce=(e,t)=>{const i=(e=>{let t=e.clientWidth;if(getComputedStyle){const i=getComputedStyle(e,null);t-=parseFloat(i.paddingLeft||"0")+parseFloat(i.paddingRight||"0")}return t})(t),n=e.sticky&&e.location===u.Sidebar;return e.sizes.filter((t=>{const s=!e.autosize||(t[0]<=i||t[0]<=320),o=!n||t[1]<=window.innerHeight-100;return s&&o}))};class de{constructor(e){this.clsOptions=e,this.enabledLocations=[u.Below_Post,u.Content,u.Recipe,u.Sidebar]}}const ue=e=>`adthrive-${e.location.replace("_","-").toLowerCase()}`,he=e=>`${ue(e)}-${e.sequence}`;function pe(e,t){void 0===t&&(t={});var i=t.insertAt;if(e&&"undefined"!=typeof document){var n=document.head||document.getElementsByTagName("head")[0],s=document.createElement("style");s.type="text/css","top"===i&&n.firstChild?n.insertBefore(s,n.firstChild):n.appendChild(s),s.styleSheet?s.styleSheet.cssText=e:s.appendChild(document.createTextNode(e))}}const me=e=>e.some((e=>null!==document.querySelector(e)));class _e extends K{get result(){return this._result}run(){return new F(1).get()}constructor(){super(),this._result=!1,this._choices=[{choice:!0},{choice:!1}],this.key="RemoveRecipeCap",this.abgroup="rrc",this._result=this.run(),this.setExperimentKey()}}class ge extends G{static fromArray(e,t){return new ge(e.map((([e,t])=>({choice:e,weight:t}))),t)}addChoice(e,t){this._choices.push({choice:e,weight:t})}get(){const e=(t=0,i=100,Math.random()*(i-t)+t);var t,i;let n=0;for(const{choice:t,weight:i}of this._choices)if(n+=i,n>=e)return t;return this._default}get totalWeight(){return this._choices.reduce(((e,{weight:t})=>e+t),0)}constructor(e=[],t){super(),this._choices=e,this._default=t}}const ye=()=>(e,t,i)=>{const n=i.value;n&&(i.value=function(...e){const t=(e=>{if(null===e)return null;const t=e.map((({choice:e})=>e));return(e=>{let t=5381,i=e.length;for(;i;)t=33*t^e.charCodeAt(--i);return t>>>0})(JSON.stringify(t)).toString(16)})(this._choices),i=this._expConfigABGroup?this._expConfigABGroup:this.abgroup,s=i?i.toLowerCase():this.key?this.key.toLowerCase():"",o=t?`${s}_${t}`:s,r=this.localStoragePrefix?`${this.localStoragePrefix}-${o}`:o,a=I.readInternalLocalStorage("adthrive_branch");!1===(a&&a.enabled)&&I.deleteLocalStorage(r);const l=(()=>n.apply(this,e))(),c=(d=this._choices,u=l,null!=(p=null==(h=d.find((({choice:e})=>e===u)))?void 0:h.weight)?p:null);var d,u,h,p;const[m,_]=I.getOrSetABGroupLocalStorageValue(r,l,c,{value:24,unit:"hours"});return this._stickyResult=m,this._stickyWeight=_,m})};class fe{get enabled(){return void 0!==this.experimentConfig}_isValidResult(e,t=()=>!0){return t()&&(e=>null!=e&&!("number"==typeof e&&isNaN(e)))(e)}}class ve extends fe{_isValidResult(e){return super._isValidResult(e,(()=>this._resultValidator(e)||"control"===e))}run(){if(!this.enabled)return O.error("CLSWeightedChoiceSiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";if(!this._mappedChoices||0===this._mappedChoices.length)return O.error("CLSWeightedChoiceSiteExperiment","run","() => %o","No experiment variants found. Defaulting to control."),"control";const e=new ge(this._mappedChoices).get();return this._isValidResult(e)?e:(O.error("CLSWeightedChoiceSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control."),"control")}constructor(...e){super(...e),this._resultValidator=()=>!0}}class Se{getSiteExperimentByKey(e){const t=this.siteExperiments.filter((t=>t.key.toLowerCase()===e.toLowerCase()))[0],i=A("at_site_features"),n=(s=(null==t?void 0:t.variants[1])?null==t?void 0:t.variants[1].value:null==t?void 0:t.variants[0].value,o=i[e],typeof s==typeof o);var s,o;return t&&i[e]&&n&&(t.variants=[{displayName:"test",value:i[e],weight:100,id:0}]),t}constructor(e){var t,i;this.siteExperiments=[],this._clsOptions=e,this._device=P()?"mobile":"desktop",this.siteExperiments=null!=(i=null==(t=this._clsOptions.siteAds.siteExperiments)?void 0:t.filter((e=>{const t=e.key,i=V(e,this._device),n=M(this._clsOptions.siteAds,t,this._device);return i&&n})))?i:[]}}class be extends ve{get result(){return this._result}run(){if(!this.enabled)return O.error("CLSAdLayoutSiteExperiment","run","() => %o","No experiment config found. Defaulting to empty class name."),"";const e=new ge(this._mappedChoices).get();return this._isValidResult(e)?e:(O.error("CLSAdLayoutSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to empty class name."),"")}_mapChoices(){return this._choices.map((({weight:e,value:t})=>({weight:e,choice:t})))}constructor(e){super(),this._choices=[],this._mappedChoices=[],this._result="",this._resultValidator=e=>"string"==typeof e,this.key=d.AdLayout,this.abgroup=d.AdLayout,this._clsSiteExperiments=new Se(e),this.experimentConfig=this._clsSiteExperiments.getSiteExperimentByKey(this.key),this.enabled&&this.experimentConfig&&(this._choices=this.experimentConfig.variants,this._mappedChoices=this._mapChoices(),this._result=this.run(),e.setWeightedChoiceExperiment(this.abgroup,this._result,!0))}}Y([ye(),X("design:type",Function),X("design:paramtypes",[]),X("design:returntype",void 0)],be.prototype,"run",null);class Ce extends ve{get result(){return this._result}run(){if(!this.enabled)return O.error("CLSTargetAdDensitySiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";const e=new ge(this._mappedChoices).get();return this._isValidResult(e)?e:(O.error("CLSTargetAdDensitySiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control."),"control")}_mapChoices(){return this._choices.map((({weight:e,value:t})=>({weight:e,choice:"number"==typeof t?(t||0)/100:"control"})))}constructor(e){super(),this._choices=[],this._mappedChoices=[],this._result="control",this._resultValidator=e=>"number"==typeof e,this.key=d.AdDensity,this.abgroup=d.AdDensity,this._clsSiteExperiments=new Se(e),this.experimentConfig=this._clsSiteExperiments.getSiteExperimentByKey(this.key),this.enabled&&this.experimentConfig&&(this._choices=this.experimentConfig.variants,this._mappedChoices=this._mapChoices(),this._result=this.run(),e.setWeightedChoiceExperiment(this.abgroup,this._result,!0))}}Y([ye(),X("design:type",Function),X("design:paramtypes",[]),X("design:returntype",void 0)],Ce.prototype,"run",null);class Oe extends K{get result(){return this._result}run(){return new F(this.weight).get()}constructor(){super(),this._result=!1,this.abgroup="scae",this.key="StickyContainerAds",this._choices=[{choice:!0},{choice:!1}],this.weight=.99,this._result=this.run(),this.setExperimentKey()}}Oe=Y([te("StickyContainerAdsExperiment"),X("design:type",Function),X("design:paramtypes",[])],Oe);class we extends K{get result(){return this._result}run(){return new F(this.weight).get()}constructor(){super(),this._result=!1,this.abgroup="scre",this.key="StickyContainerRecipe",this._choices=[{choice:!0},{choice:!1}],this.weight=.99,this._result=this.run(),this.setExperimentKey()}}we=Y([te("StickyContainerRecipeExperiment"),X("design:type",Function),X("design:paramtypes",[])],we);const xe="250px";class Ae{start(){try{var e,t;(e=>{const t=document.body,i=`adthrive-device-${e}`;if(!t.classList.contains(i))try{t.classList.add(i)}catch(e){O.error("BodyDeviceClassComponent","init",{message:e.message});const t="classList"in document.createElement("_");O.error("BodyDeviceClassComponent","init.support",{support:t})}})(this._device);const s=new be(this._clsOptions);if(s.enabled){const e=s.result,t=e.startsWith(".")?e.substring(1):e;if((e=>/^[-_a-zA-Z]+[-_a-zA-Z0-9]*$/.test(e))(t))try{document.body.classList.add(t)}catch(e){O.error("ClsDynamicAdsInjector","start",`Uncaught CSS Class error: ${e}`)}else O.error("ClsDynamicAdsInjector","start",`Invalid class name: ${t}`)}const o=le(this._device,this._clsOptions.siteAds).filter((e=>this._locationEnabled(e))).filter((e=>{return t=e,i=this._device,t.devices.includes(i);var t,i})).filter((e=>{return 0===(t=e).pageSelector.length||null!==document.querySelector(t.pageSelector);var t})),r=this.inject(o);var i,n;if(null==(t=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(e=t.content)?void 0:e.enabled)if(this._stickyContainerAdsExperiment.result&&!me(this._clsOptions.siteAds.adOptions.stickyContainerConfig.blockedSelectors||[]))pe(`\n .adthrive-device-phone .adthrive-sticky-content {\n height: 450px !important;\n margin-bottom: 100px !important;\n }\n .adthrive-content.adthrive-sticky {\n position: -webkit-sticky;\n position: sticky !important;\n top: 42px !important;\n margin-top: 42px !important;\n }\n .adthrive-content.adthrive-sticky:after {\n content: "— Advertisement. Scroll down to continue. —";\n font-size: 10pt;\n margin-top: 5px;\n margin-bottom: 5px;\n display:block;\n color: #888;\n }\n .adthrive-sticky-container {\n position: relative;\n display: flex;\n flex-direction: column;\n justify-content: flex-start;\n align-items: center;\n min-height:${(null==(n=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(i=n.content)?void 0:i.minHeight)||400}px !important;\n margin: 10px 0 10px 0;\n background-color: #FAFAFA;\n padding-bottom:0px;\n }\n `);r.forEach((e=>this._clsOptions.setInjectedSlots(e)))}catch(e){O.error("ClsDynamicAdsInjector","start",e)}}inject(e,t=document){this._densityDevice="desktop"===this._device?h.Desktop:h.Mobile,this._overrideDefaultAdDensitySettingsWithSiteExperiment();const i=this._clsOptions.siteAds,n=w(i.adDensityEnabled,!0),s=i.adDensityLayout&&n,o=e.filter((e=>s?e.location!==u.Content:e)),r=e.filter((e=>s?e.location===u.Content:null));return[...o.length?this._injectNonDensitySlots(o,t):[],...r.length?this._injectDensitySlots(r,t):[]]}_injectNonDensitySlots(e,t=document){var i;const n=[],s=[];if(this._stickyContainerRecipeExperiment.result&&e.some((e=>e.location===u.Recipe&&e.sticky))&&!me((null==(i=this._clsOptions.siteAds.adOptions.stickyContainerConfig)?void 0:i.blockedSelectors)||[])){var o,r;const e=this._clsOptions.siteAds.adOptions.stickyContainerConfig;(e=>{pe(`\n .adthrive-recipe.adthrive-sticky {\n position: -webkit-sticky;\n position: sticky !important;\n top: 42px !important;\n margin-top: 42px !important;\n }\n .adthrive-recipe-sticky-container {\n position: relative;\n display: flex;\n flex-direction: column;\n justify-content: flex-start;\n align-items: center;\n min-height:${e||400}px !important;\n margin: 10px 0 10px 0;\n background-color: #FAFAFA;\n padding-bottom:0px;\n }\n `)})("phone"===this._device?null==e||null==(o=e.recipeMobile)?void 0:o.minHeight:null==e||null==(r=e.recipeDesktop)?void 0:r.minHeight)}for(const i of e)this._insertNonDensityAds(i,n,s,t);return s.forEach((({location:e,element:t})=>{t.style.minHeight=this.locationToMinHeight[e]})),n}_injectDensitySlots(e,t=document){try{this._calculateMainContentHeightAndAllElements(e,t)}catch(e){return[]}const{onePerViewport:i,targetAll:n,targetDensityUnits:s,combinedMax:o,numberOfUnits:r}=this._getDensitySettings(e,t);return this._absoluteMinimumSpacingByDevice=i?window.innerHeight:this._absoluteMinimumSpacingByDevice,r?(this._adInjectionMap.filterUsed(),this._findElementsForAds(r,i,n,o,s,t),this._insertAds()):[]}_overrideDefaultAdDensitySettingsWithSiteExperiment(){var e;if(null==(e=this._clsTargetAdDensitySiteExperiment)?void 0:e.enabled){const e=this._clsTargetAdDensitySiteExperiment.result;"number"==typeof e&&(this._clsOptions.siteAds.adDensityEnabled=!0,this._clsOptions.siteAds.adDensityLayout[this._densityDevice].adDensity=e)}}_getDensitySettings(e,t=document){const i=this._clsOptions.siteAds.adDensityLayout,n=this._determineOverrides(i.pageOverrides),s=n.length?n[0]:i[this._densityDevice],o=this._clsOptions.getTargetDensity(s.adDensity),r=s.onePerViewport,a=this._shouldTargetAllEligible(o),l=this._getTargetDensityUnits(o,a),c=this._getCombinedMax(e,t),d=Math.min(this._totalAvailableElements.length,l,...c>0?[c]:[]);return this._pubLog={onePerViewport:r,targetDensity:o,targetDensityUnits:l,combinedMax:c},{onePerViewport:r,targetAll:a,targetDensityUnits:l,combinedMax:c,numberOfUnits:d}}_determineOverrides(e){return e.filter((e=>{const t=T(e.pageSelector);return""===e.pageSelector||t.elements&&t.elements.length})).map((e=>e[this._densityDevice]))}_shouldTargetAllEligible(e){return e===this._densityMax}_getTargetDensityUnits(e,t){return t?this._totalAvailableElements.length:Math.floor(e*this._mainContentHeight/(1-e)/this._minDivHeight)-this._recipeCount}_getCombinedMax(e,t=document){return w(e.filter((e=>{let i;try{i=t.querySelector(e.elementSelector)}catch(e){}return i})).map((e=>Number(e.max)+Number(e.lazyMaxDefaulted?0:e.lazyMax))).sort(((e,t)=>t-e))[0],0)}_elementLargerThanMainContent(e){return e.offsetHeight>=this._mainContentHeight&&this._totalAvailableElements.length>1}_elementDisplayNone(e){const t=window.getComputedStyle(e,null).display;return t&&"none"===t||"none"===e.style.display}_isBelowMaxes(e,t){return this._adInjectionMap.map.length<e&&this._adInjectionMap.map.length<t}_findElementsForAds(e,t,i,n,s,o=document){this._clsOptions.targetDensityLog={onePerViewport:t,combinedMax:n,targetDensityUnits:s,targetDensityPercentage:this._pubLog.targetDensity,mainContentHeight:this._mainContentHeight,recipeCount:this._recipeCount,numberOfEls:this._totalAvailableElements.length};const r=e=>{for(const{dynamicAd:t,element:r}of this._totalAvailableElements)if(this._logDensityInfo(r,t.elementSelector,e),!(!i&&this._elementLargerThanMainContent(r)||this._elementDisplayNone(r))){if(!this._isBelowMaxes(n,s))break;this._checkElementSpacing({dynamicAd:t,element:r,insertEvery:e,targetAll:i,target:o})}!this._usedAbsoluteMinimum&&this._smallerIncrementAttempts<5&&(++this._smallerIncrementAttempts,r(this._getSmallerIncrement(e)))},a=this._getInsertEvery(e,t,s);r(a)}_getSmallerIncrement(e){let t=.6*e;return t<=this._absoluteMinimumSpacingByDevice&&(t=this._absoluteMinimumSpacingByDevice,this._usedAbsoluteMinimum=!0),t}_insertNonDensityAds(e,t,i,n=document){let s=0,o=0,r=0;e.spacing>0&&(s=window.innerHeight*e.spacing,o=s);const a=this._repeatDynamicAds(e),l=this.getElements(e.elementSelector,n);e.skip;for(let c=e.skip;c<l.length&&!(r+1>a.length);c+=e.every){let d=l[c];if(s>0){const{bottom:e}=x(d);if(e<=o)continue;o=e+s}const h=a[r],p=`${h.location}_${h.sequence}`;t.some((e=>e.name===p))&&(r+=1);const m=this.getDynamicElementId(h),_=ue(e),g=he(e),y=[e.location===u.Sidebar&&e.sticky&&e.sequence&&e.sequence<=5?"adthrive-sticky-sidebar":"",this._stickyContainerRecipeExperiment.result&&e.location===u.Recipe&&e.sticky?"adthrive-recipe-sticky-container":"",_,g,...e.classNames],f=this.addAd(d,m,e.position,y);if(f){const s=ce(h,f);if(s.length){const o={clsDynamicAd:e,dynamicAd:h,element:f,sizes:s,name:p,infinite:n!==document};t.push(o),i.push({location:h.location,element:f}),e.location===u.Recipe&&++this._recipeCount,r+=1}d=f}}}_insertAds(){const e=[];return this._adInjectionMap.filterUsed(),this._adInjectionMap.map.forEach((({el:t,dynamicAd:i,target:n},s)=>{const o=Number(i.sequence)+s,r=i.max,a=i.lazy&&o>r;i.sequence=o,i.lazy=a;const l=this._addContentAd(t,i,n);l&&(i.used=!0,e.push(l))})),e}_getInsertEvery(e,t,i){let n=this._absoluteMinimumSpacingByDevice;return this._moreAvailableElementsThanUnitsToInject(i,e)?(this._usedAbsoluteMinimum=!1,n=this._useWiderSpacing(i,e)):(this._usedAbsoluteMinimum=!0,n=this._useSmallestSpacing(t)),t&&window.innerHeight>n?window.innerHeight:n}_useWiderSpacing(e,t){return this._mainContentHeight/Math.min(e,t)}_useSmallestSpacing(e){return e&&window.innerHeight>this._absoluteMinimumSpacingByDevice?window.innerHeight:this._absoluteMinimumSpacingByDevice}_moreAvailableElementsThanUnitsToInject(e,t){return this._totalAvailableElements.length>e||this._totalAvailableElements.length>t}_logDensityInfo(e,t,i){const{onePerViewport:n,targetDensity:s,targetDensityUnits:o,combinedMax:r}=this._pubLog;this._totalAvailableElements.length}_checkElementSpacing({dynamicAd:t,element:i,insertEvery:n,targetAll:s,target:o=document}){(this._isFirstAdInjected()||this._hasProperSpacing(i,t,s,n))&&this._markSpotForContentAd(i,e({},t),o)}_isFirstAdInjected(){return!this._adInjectionMap.map.length}_markSpotForContentAd(e,t,i=document){const n="beforebegin"===t.position||"afterbegin"===t.position;this._adInjectionMap.add(e,this._getElementCoords(e,n),t,i),this._adInjectionMap.sort()}_hasProperSpacing(e,t,i,n){const s="beforebegin"===t.position||"afterbegin"===t.position,o="beforeend"===t.position||"afterbegin"===t.position,r=i||this._isElementFarEnoughFromOtherAdElements(e,n,s),a=o||this._isElementNotInRow(e,s),l=-1===e.id.indexOf(`AdThrive_${u.Below_Post}`);return r&&a&&l}_isElementFarEnoughFromOtherAdElements(e,t,i){const n=this._getElementCoords(e,i);let s=!1;for(let e=0;e<this._adInjectionMap.map.length;e++){const i=this._adInjectionMap.map[e].coords,o=this._adInjectionMap.map[e+1]&&this._adInjectionMap.map[e+1].coords;if(s=n-t>i&&(!o||n+t<o),s)break}return s}_isElementNotInRow(e,t){const i=e.previousElementSibling,n=e.nextElementSibling,s=t?!i&&n||i&&e.tagName!==i.tagName?n:i:n;return!(!s||0!==e.getBoundingClientRect().height)||(!s||e.getBoundingClientRect().top!==s.getBoundingClientRect().top)}_calculateMainContentHeightAndAllElements(e,t=document){const[i,n]=((e,t,i=document)=>{const[n,s]=k(e,t,i);if(0===n.length)throw Error("No Main Content Elements Found");return[Array.from(n).reduce(((e,t)=>t.offsetHeight>e.offsetHeight?t:e))||document.body,s]})(e,this._adInjectionMap,t);this._mainContentDiv=i,this._totalAvailableElements=n,this._mainContentHeight=((e,t="div #comments, section .comments")=>{const i=e.querySelector(t);return i?e.offsetHeight-i.offsetHeight:e.offsetHeight})(this._mainContentDiv)}_getElementCoords(e,t=!1){const i=e.getBoundingClientRect();return(t?i.top:i.bottom)+window.scrollY}_addContentAd(e,t,i=document){var n,s;let o=null;const r=ue(t),a=he(t),l=(null==(s=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||null==(n=s.content)?void 0:n.enabled)&&this._stickyContainerAdsExperiment.result?"adthrive-sticky-container":"",c=this.addAd(e,this.getDynamicElementId(t),t.position,[l,r,a,...t.classNames]);if(c){const e=ce(t,c);if(e.length){c.style.minHeight=this.locationToMinHeight[t.location];o={clsDynamicAd:t,dynamicAd:t,element:c,sizes:e,name:`${t.location}_${t.sequence}`,infinite:i!==document}}}return o}getDynamicElementId(e){return`AdThrive_${e.location}_${e.sequence}_${this._device}`}getElements(e,t=document){return t.querySelectorAll(e)}addAd(e,t,i,n=[]){if(!document.getElementById(t)){const s=`<div id="${t}" class="adthrive-ad ${n.join(" ")}"></div>`;e.insertAdjacentHTML(i,s)}return document.getElementById(t)}_repeatDynamicAds(t){const i=[],n=this._removeRecipeCapExperiment.result&&t.location===u.Recipe?99:this.locationMaxLazySequence.get(t.location),s=t.lazy?w(n,0):0,o=t.max,r=t.lazyMax,a=0===s&&t.lazy?o+r:Math.min(Math.max(s-t.sequence+1,0),o+r),l=Math.max(o,a);for(let n=0;n<l;n++){const s=Number(t.sequence)+n;if("Recipe_1"!==t.name||5!==s){const r=t.lazy&&n>=o;i.push(e({},t,{sequence:s,lazy:r}))}}return i}_locationEnabled(e){const t=this._clsOptions.enabledLocations.includes(e.location),i=this._clsOptions.disableAds&&this._clsOptions.disableAds.all||document.body.classList.contains("adthrive-disable-all"),n=!document.body.classList.contains("adthrive-disable-content")&&!this._clsOptions.disableAds.reasons.has("content_plugin");return t&&!i&&n}constructor(e,t){this._clsOptions=e,this._adInjectionMap=t,this._recipeCount=0,this._mainContentHeight=0,this._mainContentDiv=null,this._totalAvailableElements=[],this._minDivHeight=250,this._densityDevice=h.Desktop,this._pubLog={onePerViewport:!1,targetDensity:0,targetDensityUnits:0,combinedMax:0},this._densityMax=.99,this._smallerIncrementAttempts=0,this._absoluteMinimumSpacingByDevice=250,this._usedAbsoluteMinimum=!1,this._infPageEndOffset=0,this.locationMaxLazySequence=new Map([[u.Recipe,5]]),this.locationToMinHeight={Below_Post:xe,Content:xe,Recipe:xe,Sidebar:xe};const{tablet:i,desktop:n}=this._clsOptions.siteAds.breakpoints;this._device=((e,t)=>{const i=window.innerWidth;return i>=t?"desktop":i>=e?"tablet":"phone"})(i,n),this._config=new de(e),this._clsOptions.enabledLocations=this._config.enabledLocations,this._clsTargetAdDensitySiteExperiment=this._clsOptions.siteAds.siteExperiments?new Ce(this._clsOptions):null,this._stickyContainerAdsExperiment=new Oe,this._stickyContainerRecipeExperiment=new we,this._removeRecipeCapExperiment=new _e}}function Ee(e,t){if(null==e)return{};var i,n,s={},o=Object.keys(e);for(n=0;n<o.length;n++)i=o[n],t.indexOf(i)>=0||(s[i]=e[i]);return s}class Pe{get enabled(){return!0}}class ke extends Pe{setPotentialPlayersMap(){const e=this._videoConfig.players||[],t=this._filterPlayerMap(),i=e.filter((e=>"stationaryRelated"===e.type&&e.enabled));return t.stationaryRelated=i,this._potentialPlayerMap=t,this._potentialPlayerMap}_filterPlayerMap(){const e=this._videoConfig.players,t={stickyRelated:[],stickyPlaylist:[],stationaryRelated:[]};return e&&e.length?e.filter((e=>{var t;return null==(t=e.devices)?void 0:t.includes(this._device)})).reduce(((e,t)=>(e[t.type]||(O.event(this._component,"constructor","Unknown Video Player Type detected",t.type),e[t.type]=[]),t.enabled&&e[t.type].push(t),e)),t):t}_checkPlayerSelectorOnPage(e){const t=this._potentialPlayerMap[e].map((e=>({player:e,playerElement:this._getPlacementElement(e)})));return t.length?t[0]:{player:null,playerElement:null}}_getOverrideElement(e,t,i){if(e&&t){const n=document.createElement("div");t.insertAdjacentElement(e.position,n),i=n}else{const{player:e,playerElement:t}=this._checkPlayerSelectorOnPage("stickyPlaylist");if(e&&t){const n=document.createElement("div");t.insertAdjacentElement(e.position,n),i=n}}return i}_shouldOverrideElement(e){const t=e.getAttribute("override-embed");return"true"===t||"false"===t?"true"===t:!!this._videoConfig.relatedSettings&&this._videoConfig.relatedSettings.overrideEmbedLocation}_checkPageSelector(e,t,i=[]){if(e&&t&&0===i.length){return!("/"===window.location.pathname)&&O.event("VideoUtils","getPlacementElement",new Error(`PSNF: ${e} does not exist on the page`)),!1}return!0}_getElementSelector(e,t,i){return t&&t.length>i?t[i]:(O.event("VideoUtils","getPlacementElement",new Error(`ESNF: ${e} does not exist on the page`)),null)}_getPlacementElement(e){const{pageSelector:t,elementSelector:i,skip:n}=e,s=T(t),{valid:o,elements:r}=s,a=Ee(s,["valid","elements"]),l=L(i),{valid:c,elements:d}=l,u=Ee(l,["valid","elements"]);if(""!==t&&!o)return O.error("VideoUtils","getPlacementElement",new Error(`${t} is not a valid selector`),a),null;if(!c)return O.error("VideoUtils","getPlacementElement",new Error(`${i} is not a valid selector`),u),null;if(!this._checkPageSelector(t,o,r))return null;return this._getElementSelector(i,d,n)||null}_getEmbeddedPlayerType(e){let t=e.getAttribute("data-player-type");return t&&"default"!==t||(t=this._videoConfig.relatedSettings?this._videoConfig.relatedSettings.defaultPlayerType:"static"),this._stickyRelatedOnPage&&(t="static"),t}_getMediaId(e){const t=e.getAttribute("data-video-id");return!!t&&(this._relatedMediaIds.push(t),t)}_createRelatedPlayer(e,t,i,n){"collapse"===t?this._createCollapsePlayer(e,i):"static"===t&&this._createStaticPlayer(e,i,n)}_createCollapsePlayer(t,i){const{player:n,playerElement:s}=this._checkPlayerSelectorOnPage("stickyRelated"),o=n||this._potentialPlayerMap.stationaryRelated[0];if(o&&o.playerId){this._shouldOverrideElement(i)&&(i=this._getOverrideElement(n,s,i)),i=document.querySelector(`#cls-video-container-${t} > div`)||i,this._createStickyRelatedPlayer(e({},o,{mediaId:t}),i)}else O.error(this._component,"_createCollapsePlayer","No video player found")}_createStaticPlayer(t,i,n){if(this._potentialPlayerMap.stationaryRelated.length&&this._potentialPlayerMap.stationaryRelated[0].playerId){const s=this._potentialPlayerMap.stationaryRelated[0];this._createStationaryRelatedPlayer(e({},s,{mediaOrPlaylistId:t}),i,n)}else O.error(this._component,"_createStaticPlayer","No video player found")}_shouldRunAutoplayPlayers(){return!(!this._isVideoAllowedOnPage()||!this._potentialPlayerMap.stickyRelated.length&&!this._potentialPlayerMap.stickyPlaylist.length)}_determineAutoplayPlayers(){const e=this._component,t="VideoManagerComponent"===e,i=this._context;if(this._stickyRelatedOnPage)return void O.event(e,"stickyRelatedOnPage",t&&{device:i&&i.device,isDesktop:this._device}||{});const{player:n,playerElement:s}=this._checkPlayerSelectorOnPage("stickyPlaylist");n&&n.playerId&&n.playlistId&&s?this._createPlaylistPlayer(n,s):Math.random()<.01&&setTimeout((()=>{O.event(e,"noStickyPlaylist",t&&{vendor:"none",device:i&&i.device,isDesktop:this._device}||{})}),1e3)}_initializeRelatedPlayers(e){const t=new Map;for(let i=0;i<e.length;i++){const n=e[i],s=n.offsetParent,o=this._getEmbeddedPlayerType(n),r=this._getMediaId(n);if(s&&r){const e=(t.get(r)||0)+1;t.set(r,e),this._createRelatedPlayer(r,o,n,e)}}}constructor(e,t,i){super(),this._videoConfig=e,this._component=t,this._context=i,this._stickyRelatedOnPage=!1,this._relatedMediaIds=[],this._device=E()?"desktop":"mobile",this._potentialPlayerMap=this.setPotentialPlayersMap()}}class De extends ke{init(){this._initializePlayers()}_wrapVideoPlayerWithCLS(e,t,i=0){if(e.parentNode){const n=e.offsetWidth*(9/16),s=this._createGenericCLSWrapper(n,t,i);return e.parentNode.insertBefore(s,e),s.appendChild(e),s}return null}_createGenericCLSWrapper(e,t,i){const n=document.createElement("div");return n.id=`cls-video-container-${t}`,n.className="adthrive",n.style.minHeight=`${e+i}px`,n}_getTitleHeight(){const e=document.createElement("h3");e.style.margin="10px 0",e.innerText="Title",e.style.visibility="hidden",document.body.appendChild(e);const t=window.getComputedStyle(e),i=parseInt(t.height,10),n=parseInt(t.marginTop,10),s=parseInt(t.marginBottom,10);return document.body.removeChild(e),Math.min(i+s+n,50)}_initializePlayers(){const e=document.querySelectorAll(this._IN_POST_SELECTOR);e.length&&this._initializeRelatedPlayers(e),this._shouldRunAutoplayPlayers()&&this._determineAutoplayPlayers()}_createStationaryRelatedPlayer(e,t,i){const n="mobile"===this._device?[400,225]:[640,360],s=p.Video_In_Post_ClicktoPlay_SoundOn;if(t&&e.mediaOrPlaylistId){const o=`${e.mediaOrPlaylistId}_${i}`,r=this._wrapVideoPlayerWithCLS(t,o);this._playersAddedFromPlugin.push(e.mediaOrPlaylistId),r&&this._clsOptions.setInjectedVideoSlots({playerId:e.playerId,playerName:s,playerSize:n,element:r,type:"stationaryRelated"})}}_createStickyRelatedPlayer(e,t){const i="mobile"===this._device?[400,225]:[640,360],n=p.Video_Individual_Autoplay_SOff;if(this._stickyRelatedOnPage=!0,this._videoConfig.mobileStickyPlayerOnPage="mobile"===this._device,t&&e.position&&e.mediaId){const s=document.createElement("div");t.insertAdjacentElement(e.position,s);const o=this._getTitleHeight(),r=this._wrapVideoPlayerWithCLS(s,e.mediaId,this._WRAPPER_BAR_HEIGHT+o);this._playersAddedFromPlugin.push(e.mediaId),r&&this._clsOptions.setInjectedVideoSlots({playlistId:e.playlistId,playerId:e.playerId,playerSize:i,playerName:n,element:s,type:"stickyRelated"})}}_createPlaylistPlayer(e,t){const i=e.playlistId,n="mobile"===this._device?p.Video_Coll_SOff_Smartphone:p.Video_Collapse_Autoplay_SoundOff,s="mobile"===this._device?[400,225]:[640,360];this._videoConfig.mobileStickyPlayerOnPage=!0;const o=document.createElement("div");t.insertAdjacentElement(e.position,o);let r=this._WRAPPER_BAR_HEIGHT;e.title&&(r+=this._getTitleHeight());const a=this._wrapVideoPlayerWithCLS(o,i,r);this._playersAddedFromPlugin.push(`playlist-${i}`),a&&this._clsOptions.setInjectedVideoSlots({playlistId:e.playlistId,playerId:e.playerId,playerSize:s,playerName:n,element:o,type:"stickyPlaylist"})}_isVideoAllowedOnPage(){const e=this._clsOptions.disableAds;if(e&&e.video){let t="";e.reasons.has("video_tag")?t="video tag":e.reasons.has("video_plugin")?t="video plugin":e.reasons.has("video_page")&&(t="command queue");const i=t?"ClsVideoInsertionMigrated":"ClsVideoInsertion";return O.error(i,"isVideoAllowedOnPage",new Error(`DBP: Disabled by publisher via ${t||"other"}`)),!1}return!this._clsOptions.videoDisabledFromPlugin}constructor(e,t){super(e,"ClsVideoInsertion"),this._videoConfig=e,this._clsOptions=t,this._IN_POST_SELECTOR=".adthrive-video-player",this._WRAPPER_BAR_HEIGHT=36,this._playersAddedFromPlugin=[],t.removeVideoTitleWrapper&&(this._WRAPPER_BAR_HEIGHT=0)}}class Re{add(e,t,i,n=document){this._map.push({el:e,coords:t,dynamicAd:i,target:n})}get map(){return this._map}sort(){this._map.sort((({coords:e},{coords:t})=>e-t))}filterUsed(){this._map=this._map.filter((({dynamicAd:e})=>!e.used))}reset(){this._map=[]}constructor(){this._map=[]}}class Ie extends Re{}try{(()=>{const e=new U;e&&e.enabled&&(new Ae(e,new Ie).start(),new De(new Q(e),e).init())})()}catch(e){O.error("CLS","pluginsertion-iife",e),window.adthriveCLS&&(window.adthriveCLS.injectedFromPlugin=!1)}}();
</script><script data-no-optimize="1" data-cfasync="false">(function () {var clsElements = document.querySelectorAll("script[id^='cls-']"); window.adthriveCLS && clsElements && clsElements.length === 0 ? window.adthriveCLS.injectedFromPlugin = false : ""; })();</script> <!-- Deadline Funnel --><script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-cfasync="false">function SendUrlToDeadlineFunnel(e){var r,t,c,a,h,n,o,A,i = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=",d=0,l=0,s="",u=[];if(!e)return e;do r=e.charCodeAt(d++),t=e.charCodeAt(d++),c=e.charCodeAt(d++),A=r<<16|t<<8|c,a=A>>18&63,h=A>>12&63,n=A>>6&63,o=63&A,u[l++]=i.charAt(a)+i.charAt(h)+i.charAt(n)+i.charAt(o);while(d<e.length);s=u.join("");var C=e.length%3;var decoded = (C?s.slice(0,C-3):s)+"===".slice(C||3);decoded = decoded.replace("+", "-");decoded = decoded.replace("/", "_");return decoded;} var url = SendUrlToDeadlineFunnel(location.href); var parentUrlValue;try {parentUrlValue = window.parent.location.href;} catch(err) {if(err.name === "SecurityError") {parentUrlValue = document.referrer;}}var parentUrl = (parent !== window) ? ("/" + SendUrlToDeadlineFunnel(parentUrlValue)) : "";(function() {var s = document.createElement("script");s.type = "text/javascript";s.async = true;s.setAttribute("data-scriptid", "dfunifiedcode");s.src ="https://a.deadlinefunnel.com/unified/reactunified.bundle.js?userIdHash=eyJpdiI6InpFSUhCMzhnQ01KV1J1QW1FUGwwYnc9PSIsInZhbHVlIjoiYXlDWHo2aDFoK3JhNzY4b3lDUW1tZz09IiwibWFjIjoiMzc4MWM2NzMwZTZmNzhmZDMwMjY1YTNhMDMzMTFhNmIyNTY1OTNhMWJjYjQ1NjJjMDA4ZWYxY2YyMmIyMzdlNiJ9&pageFromUrl="+url+"&parentPageFromUrl="+parentUrl;var s2 = document.getElementsByTagName("script")[0];s2.parentNode.insertBefore(s, s2);})(); </script><!-- End Deadline Funnel -->
<div id="mv-grow-data" data-settings='{"floatingSidebar":{"stopSelector":false},"general":{"contentSelector":false,"show_count":{"content":false,"sidebar":true,"pop_up":false,"sticky_bar":false},"isTrellis":false,"license_last4":"86b7"},"post":{"ID":17311,"categories":[{"ID":15},{"ID":5090}]},"shareCounts":{"facebook":762,"pinterest":26150,"reddit":0,"twitter":0},"shouldRun":true,"buttonSVG":{"share":{"height":32,"width":26,"paths":["M20.8 20.8q1.984 0 3.392 1.376t1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408-3.392-1.408-1.408-3.392q0-0.192 0.032-0.448t0.032-0.384l-8.32-4.992q-1.344 1.024-2.944 1.024-1.984 0-3.392-1.408t-1.408-3.392 1.408-3.392 3.392-1.408q1.728 0 2.944 0.96l8.32-4.992q0-0.128-0.032-0.384t-0.032-0.384q0-1.984 1.408-3.392t3.392-1.408 3.392 1.376 1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408q-1.664 0-2.88-1.024l-8.384 4.992q0.064 0.256 0.064 0.832 0 0.512-0.064 0.768l8.384 4.992q1.152-0.96 2.88-0.96z"]},"facebook":{"height":32,"width":18,"paths":["M17.12 0.224v4.704h-2.784q-1.536 0-2.080 0.64t-0.544 1.92v3.392h5.248l-0.704 5.28h-4.544v13.568h-5.472v-13.568h-4.544v-5.28h4.544v-3.904q0-3.328 1.856-5.152t4.96-1.824q2.624 0 4.064 0.224z"]},"twitter":{"height":30,"width":32,"paths":["M30.3 29.7L18.5 12.4l0 0L29.2 0h-3.6l-8.7 10.1L10 0H0.6l11.1 16.1l0 0L0 29.7h3.6l9.7-11.2L21 29.7H30.3z M8.6 2.7 L25.2 27h-2.8L5.7 2.7H8.6z"]},"pinterest":{"height":32,"width":23,"paths":["M0 10.656q0-1.92 0.672-3.616t1.856-2.976 2.72-2.208 3.296-1.408 3.616-0.448q2.816 0 5.248 1.184t3.936 3.456 1.504 5.12q0 1.728-0.32 3.36t-1.088 3.168-1.792 2.656-2.56 1.856-3.392 0.672q-1.216 0-2.4-0.576t-1.728-1.568q-0.16 0.704-0.48 2.016t-0.448 1.696-0.352 1.28-0.48 1.248-0.544 1.12-0.832 1.408-1.12 1.536l-0.224 0.096-0.16-0.192q-0.288-2.816-0.288-3.36 0-1.632 0.384-3.68t1.184-5.152 0.928-3.616q-0.576-1.152-0.576-3.008 0-1.504 0.928-2.784t2.368-1.312q1.088 0 1.696 0.736t0.608 1.824q0 1.184-0.768 3.392t-0.8 3.36q0 1.12 0.8 1.856t1.952 0.736q0.992 0 1.824-0.448t1.408-1.216 0.992-1.696 0.672-1.952 0.352-1.984 0.128-1.792q0-3.072-1.952-4.8t-5.12-1.728q-3.552 0-5.952 2.304t-2.4 5.856q0 0.8 0.224 1.536t0.48 1.152 0.48 0.832 0.224 0.544q0 0.48-0.256 1.28t-0.672 0.8q-0.032 0-0.288-0.032-0.928-0.288-1.632-0.992t-1.088-1.696-0.576-1.92-0.192-1.92z"]},"reddit":{"height":32,"width":32,"paths":["M0 15.616q0-0.736 0.288-1.408t0.768-1.184 1.152-0.8 1.472-0.288q1.376 0 2.368 0.928 1.888-1.184 4.32-1.888t5.184-0.8l2.56-7.296 6.272 1.504q0.288-0.832 1.056-1.344t1.696-0.544q1.248 0 2.144 0.864t0.896 2.144-0.896 2.112-2.112 0.864-2.144-0.864-0.896-2.112l-5.248-1.248-2.144 5.92q2.688 0.128 5.024 0.864t4.128 1.824q1.056-0.928 2.432-0.928 0.736 0 1.44 0.288t1.184 0.8 0.768 1.184 0.288 1.408q0 0.992-0.48 1.824t-1.28 1.312q0.128 0.544 0.128 1.12 0 1.92-1.12 3.712t-3.104 3.104-4.576 2.048-5.632 0.768q-2.944 0-5.568-0.768t-4.576-2.048-3.104-3.104-1.12-3.712q0-0.32 0.064-0.64 0-0.288 0.064-0.544-0.768-0.512-1.216-1.28t-0.48-1.792zM2.752 19.872q0 1.76 1.024 3.264t2.816 2.688 4.224 1.824 5.152 0.672 5.12-0.672 4.224-1.824 2.848-2.688 1.024-3.264-1.024-3.328-2.848-2.72-4.224-1.792-5.12-0.672-5.152 0.672-4.224 1.792-2.816 2.72-1.024 3.328zM9.12 18.144q0-0.896 0.704-1.6t1.6-0.672 1.6 0.672 0.672 1.6-0.672 1.568-1.6 0.672-1.6-0.672-0.704-1.568zM10.816 23.424q0.384-0.32 1.056 0.256 0.192 0.192 0.416 0.32t0.448 0.224 0.416 0.16 0.448 0.096 0.416 0.096 0.448 0.096 0.448 0.064 0.48 0.032 0.544 0.032q2.432-0.128 4.256-1.12 0.672-0.64 1.12-0.256 0.32 0.576-0.384 1.12-1.856 1.44-4.992 1.44-3.36-0.064-4.864-1.44-0.832-0.608-0.256-1.12zM18.56 18.112q0-0.928 0.672-1.6t1.6-0.64 1.632 0.64 0.672 1.6-0.672 1.6-1.632 0.672-1.6-0.672-0.672-1.6z"]},"email":{"height":32,"width":28,"paths":["M18.56 17.408l8.256 8.544h-25.248l8.288-8.448 4.32 4.064zM2.016 6.048h24.32l-12.16 11.584zM20.128 15.936l8.224-7.744v16.256zM0 24.448v-16.256l8.288 7.776z"]}},"saveThis":{"spotlight":"","successMessage":"Saved! We've emailed you a link to this page.","consent":"","consentForMailingList":"","position":"middle","mailingListService":"convertkit"},"utmParams":[],"pinterest":{"pinDescriptionSource":null,"pinDescription":null,"pinTitle":null,"pinImageURL":null,"pinnableImages":null,"postImageHidden":null,"postImageHiddenMultiple":null,"lazyLoadCompatibility":null,"buttonPosition":"","buttonShape":null,"showButtonLabel":null,"buttonLabelText":null,"buttonShareBehavior":null,"hoverButtonShareBehavior":null,"minimumImageWidth":null,"minimumImageHeight":null,"showImageOverlay":null,"alwaysShowMobile":null,"alwaysShowDesktop":null,"postTypeDisplay":null,"imagePinIt":"0","hasContent":"1","shareURL":"https:\/\/www.connoisseurusveg.com\/teriyaki-tofu\/","bypassClasses":["mv-grow-bypass","no_pin"],"bypassDenyClasses":["dpsp-post-pinterest-image-hidden-inner","mv-create-pinterest"],"ignoreSelectors":[],"hoverButtonIgnoreClasses":["lazyloaded","lazyload","lazy","loading","loaded","td-animation-stack","ezlazyloaded","penci-lazy","ut-lazy","ut-image-loaded","ut-animated-image","skip-lazy"],"disableIframes":null},"inlineContentHook":["genesis_loop","loop_start"]}'></div><aside id="dpsp-floating-sidebar" aria-label="social sharing sidebar" class="dpsp-shape-circle dpsp-size-small dpsp-bottom-spacing dpsp-has-buttons-count dpsp-hide-on-mobile dpsp-position-left dpsp-button-style-1 dpsp-no-animation" data-trigger-scroll="false">
<div class="dpsp-total-share-wrapper">
<span class="dpsp-icon-total-share"><svg version="1.1" xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 26 32"><path d="M20.8 20.8q1.984 0 3.392 1.376t1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408-3.392-1.408-1.408-3.392q0-0.192 0.032-0.448t0.032-0.384l-8.32-4.992q-1.344 1.024-2.944 1.024-1.984 0-3.392-1.408t-1.408-3.392 1.408-3.392 3.392-1.408q1.728 0 2.944 0.96l8.32-4.992q0-0.128-0.032-0.384t-0.032-0.384q0-1.984 1.408-3.392t3.392-1.408 3.392 1.376 1.408 3.424q0 1.984-1.408 3.392t-3.392 1.408q-1.664 0-2.88-1.024l-8.384 4.992q0.064 0.256 0.064 0.832 0 0.512-0.064 0.768l8.384 4.992q1.152-0.96 2.88-0.96z"></path></svg></span>
<span class="dpsp-total-share-count">26912</span>
<span>shares</span>
</div>
<ul class="dpsp-networks-btns-wrapper dpsp-networks-btns-share dpsp-networks-btns-sidebar dpsp-has-button-icon-animation">
<li class="dpsp-network-list-item dpsp-network-list-item-facebook">
<a rel="nofollow noopener" href="https://www.facebook.com/sharer/sharer.php?u=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F&t=Crispy%20Baked%20Teriyaki%20Tofu" class="dpsp-network-btn dpsp-facebook dpsp-has-count dpsp-first dpsp-has-label-mobile" target="_blank" aria-label="Share on Facebook" title="Share on Facebook"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"><svg version="1.1" xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 18 32"><path d="M17.12 0.224v4.704h-2.784q-1.536 0-2.080 0.64t-0.544 1.92v3.392h5.248l-0.704 5.28h-4.544v13.568h-5.472v-13.568h-4.544v-5.28h4.544v-3.904q0-3.328 1.856-5.152t4.96-1.824q2.624 0 4.064 0.224z"></path></svg></span></span>
<span class="dpsp-network-count">762</span></a></li>
<li class="dpsp-network-list-item dpsp-network-list-item-x">
<a rel="nofollow noopener" href="https://x.com/intent/tweet?text=Crispy%20Baked%20Teriyaki%20Tofu&url=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F" class="dpsp-network-btn dpsp-x dpsp-no-label dpsp-has-label-mobile" target="_blank" aria-label="Share on X" title="Share on X"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"><svg version="1.1" xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 32 30"><path d="M30.3 29.7L18.5 12.4l0 0L29.2 0h-3.6l-8.7 10.1L10 0H0.6l11.1 16.1l0 0L0 29.7h3.6l9.7-11.2L21 29.7H30.3z M8.6 2.7 L25.2 27h-2.8L5.7 2.7H8.6z"></path></svg></span></span>
</a></li>
<li class="dpsp-network-list-item dpsp-network-list-item-pinterest">
<button data-href="#" class="dpsp-network-btn dpsp-pinterest dpsp-has-count dpsp-has-label-mobile" aria-label="Save to Pinterest" title="Save to Pinterest"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"><svg version="1.1" xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 23 32"><path d="M0 10.656q0-1.92 0.672-3.616t1.856-2.976 2.72-2.208 3.296-1.408 3.616-0.448q2.816 0 5.248 1.184t3.936 3.456 1.504 5.12q0 1.728-0.32 3.36t-1.088 3.168-1.792 2.656-2.56 1.856-3.392 0.672q-1.216 0-2.4-0.576t-1.728-1.568q-0.16 0.704-0.48 2.016t-0.448 1.696-0.352 1.28-0.48 1.248-0.544 1.12-0.832 1.408-1.12 1.536l-0.224 0.096-0.16-0.192q-0.288-2.816-0.288-3.36 0-1.632 0.384-3.68t1.184-5.152 0.928-3.616q-0.576-1.152-0.576-3.008 0-1.504 0.928-2.784t2.368-1.312q1.088 0 1.696 0.736t0.608 1.824q0 1.184-0.768 3.392t-0.8 3.36q0 1.12 0.8 1.856t1.952 0.736q0.992 0 1.824-0.448t1.408-1.216 0.992-1.696 0.672-1.952 0.352-1.984 0.128-1.792q0-3.072-1.952-4.8t-5.12-1.728q-3.552 0-5.952 2.304t-2.4 5.856q0 0.8 0.224 1.536t0.48 1.152 0.48 0.832 0.224 0.544q0 0.48-0.256 1.28t-0.672 0.8q-0.032 0-0.288-0.032-0.928-0.288-1.632-0.992t-1.088-1.696-0.576-1.92-0.192-1.92z"></path></svg></span></span>
<span class="dpsp-network-count">26150</span></button></li>
<li class="dpsp-network-list-item dpsp-network-list-item-email">
<a rel="nofollow noopener" href="mailto:?subject=Crispy%20Baked%20Teriyaki%20Tofu&body=https%3A%2F%2Fwww.connoisseurusveg.com%2Fteriyaki-tofu%2F" class="dpsp-network-btn dpsp-email dpsp-no-label dpsp-last dpsp-has-label-mobile" target="_blank" aria-label="Send over email" title="Send over email"> <span class="dpsp-network-icon "><span class="dpsp-network-icon-inner"><svg version="1.1" xmlns="http://www.w3.org/2000/svg" width="32" height="32" viewBox="0 0 28 32"><path d="M18.56 17.408l8.256 8.544h-25.248l8.288-8.448 4.32 4.064zM2.016 6.048h24.32l-12.16 11.584zM20.128 15.936l8.224-7.744v16.256zM0 24.448v-16.256l8.288 7.776z"></path></svg></span></span>
</a></li>
</ul></aside>
<div class="tasty-pins-hidden-image-container" style="display:none;"><img width="150" height="150" data-pin-url="https://www.connoisseurusveg.com/teriyaki-tofu/?tp_image_id=47305" data-pin-description="This crispy teriyaki tofu is better than takeout and easy enough for a weeknight dinner! Crispy tofu nuggets are baked (not fried!) and smothered in sticky sweet and savory teriyaki sauce. Serve with rice and steamed veggies for a knock-your-socks-off vegan meal." data-pin-title="Teriyaki Tofu" class="tasty-pins-hidden-image skip-lazy a3-notlazy no-lazyload" data-no-lazy="1" src="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1-150x150.jpg" data-pin-media="https://www.connoisseurusveg.com/wp-content/uploads/2024/08/teriyaki-tofu-1.jpg"></div>
<script type="rocketlazyloadscript" data-rocket-type='text/javascript' data-rocket-src='https://www.connoisseurusveg.com/wp-content/plugins/tasty-pins/assets/dist/tasty-pinit.build.js?v=1738788139' data-rocket-defer defer></script>
<script type="rocketlazyloadscript">window.tastyPinitSettings = {"hover_button_position":"top-left","hover_button_shape":"round","hover_button_color":"","image_overlay_enabled":"yes","custom_button_label_enabled":"yes","custom_button_label_text":""}</script><style style="display: none !important;">.tasty-pinit-button{background:#e60023;background-image:none;border:0;box-shadow:none;color:#fff;cursor:pointer;display:inline-block;font-family:Arial;font-size:14px;font-weight:700;height:40px;line-height:40px;position:absolute;text-decoration:none;transition:opacity .25s ease-in-out;vertical-align:middle;width:auto;z-index:10000000}.tasty-pinit-button:active,.tasty-pinit-button:hover{color:#fff}.tasty-pinit-overlay{background:#000;bottom:0;box-sizing:border-box;left:0;opacity:.1;padding:6px;pointer-events:none;position:absolute;right:0;top:0;width:100%;z-index:1000000}.tasty-pinit-icon{display:inline-block;height:34px;padding:3px;text-align:center;vertical-align:middle;width:34px}.tasty-pinit-label{padding-left:2px;padding-right:14px}.tasty-pinit-round{border-radius:20px;min-height:40px;min-width:40px;text-align:center}.tasty-pinit-rounded{border-radius:4px;min-width:40px;text-align:center}.tasty-pinit-square{border-radius:0;min-width:40px;text-align:center}
</style><script type="rocketlazyloadscript" data-rocket-type="text/javascript">(function (d) {var f = d.getElementsByTagName('SCRIPT')[0],p = d.createElement('SCRIPT');p.type = 'text/javascript';p.async = true;p.src = '//assets.pinterest.com/js/pinit.js';f.parentNode.insertBefore(p, f);})(document);</script><script type="rocketlazyloadscript" data-rocket-type="text/javascript">var wprmpuc_recipe_17313 = {"ingredients":[{"uid":1,"amount":"1","unit":"(14 ounce) package","name":"extra firm tofu,","notes":"drained, pressed, and cut into 1-inch pieces","converted":{"2":{"amount":"1","unit":"(14 ounce) package","unit_id":4232}},"unit_id":4232,"id":914},{"uid":2,"amount":"1","unit":"tablespoon","name":"soy sauce","notes":"","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":876},{"uid":3,"amount":"1","unit":"tablespoon","name":"vegetable oil","notes":"(or high heat oil of choice)","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":820},{"uid":4,"amount":"1","unit":"tablespoon","name":"cornstarch","notes":"","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":941},{"uid":5,"amount":"1\/4","unit":"teaspoon","name":"white pepper","notes":"(or black pepper, if that's what you've got)","converted":{"2":{"amount":"0.5","unit":"g","unit_id":4226}},"unit_id":4228,"id":3248},{"uid":7,"amount":"1\/4","unit":"cup","name":"water","notes":"","converted":{"2":{"amount":"59.15","unit":"ml","unit_id":4231}},"unit_id":4227,"id":855},{"uid":8,"amount":"1\/3","unit":"cup","name":"soy sauce","notes":"","converted":{"2":{"amount":"78.86","unit":"ml","unit_id":4231}},"unit_id":4227,"id":876},{"uid":9,"amount":"3","unit":"tablespoons","name":"brown sugar","notes":"","converted":{"2":{"amount":"36","unit":"g","unit_id":4226}},"unit_id":4230,"id":928},{"uid":10,"amount":"2","unit":"tablespoons","name":"rice vinegar","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":869},{"uid":11,"amount":"2","unit":"tablespoons","name":"mirin or dry sherry","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":3331},{"uid":12,"amount":"1","unit":"teaspoon","name":"toasted sesame oil","notes":"","converted":{"2":{"amount":"4.93","unit":"ml","unit_id":4231}},"unit_id":4228,"id":1631},{"uid":13,"amount":"1","unit":"teaspoon","name":"freshly grated ginger","notes":"","converted":{"2":{"amount":"2","unit":"g","unit_id":4226}},"unit_id":4228,"id":823},{"uid":14,"amount":"1","unit":"","name":"garlic clove,","notes":"minced","converted":{"2":{"amount":"1","unit":""}},"id":1023},{"uid":15,"amount":"2","unit":"tablespoons","name":"chilled water","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":2202},{"uid":16,"amount":"1","unit":"tablespoon","name":"cornstarch","notes":"","converted":{"2":{"amount":"8","unit":"g","unit_id":4226}},"unit_id":4233,"id":941},{"uid":18,"amount":"","unit":"","name":"Cooked rice","notes":"","converted":{"2":{"amount":"","unit":""}},"id":1453},{"uid":19,"amount":"","unit":"","name":"Steamed veggies","notes":"","converted":{"2":{"amount":"","unit":""}},"id":3332},{"uid":20,"amount":"","unit":"","name":"Chopped scallions","notes":"","converted":{"2":{"amount":"","unit":""}},"id":833},{"uid":21,"amount":"","unit":"","name":"Toasted sesame seeds","notes":"","converted":{"2":{"amount":"","unit":""}},"id":1281}]};</script><script type="rocketlazyloadscript">window.wprm_recipes = {"recipe-17313":{"type":"food","name":"Crispy Baked Teriyaki Tofu","slug":"wprm-crispy-baked-teriyaki-tofu-2","image_url":"https:\/\/www.connoisseurusveg.com\/wp-content\/uploads\/2024\/08\/teriyaki-tofu-sq.jpg","rating":{"count":70,"total":346,"average":4.95,"type":{"comment":39,"no_comment":0,"user":31},"user":0},"ingredients":[{"uid":1,"amount":"1","unit":"(14 ounce) package","name":"extra firm tofu,","notes":"drained, pressed, and cut into 1-inch pieces","converted":{"2":{"amount":"1","unit":"(14 ounce) package","unit_id":4232}},"unit_id":4232,"id":914,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"(14 ounce) package","unitParsed":"(14 ounce) package"},"unit-system-2":{"amount":"1","unit":"(14 ounce) package","unitParsed":"(14 ounce) package"}}},{"uid":2,"amount":"1","unit":"tablespoon","name":"soy sauce","notes":"","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":876,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"},"unit-system-2":{"amount":"14.79","unit":"ml","unitParsed":"ml"}}},{"uid":3,"amount":"1","unit":"tablespoon","name":"vegetable oil","notes":"(or high heat oil of choice)","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":820,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"},"unit-system-2":{"amount":"14.79","unit":"ml","unitParsed":"ml"}}},{"uid":4,"amount":"1","unit":"tablespoon","name":"cornstarch","notes":"","converted":{"2":{"amount":"14.79","unit":"ml","unit_id":4231}},"unit_id":4233,"id":941,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"},"unit-system-2":{"amount":"14.79","unit":"ml","unitParsed":"ml"}}},{"uid":5,"amount":"1\/4","unit":"teaspoon","name":"white pepper","notes":"(or black pepper, if that's what you've got)","converted":{"2":{"amount":"0.5","unit":"g","unit_id":4226}},"unit_id":4228,"id":3248,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/4","unit":"teaspoon","unitParsed":"teaspoon"},"unit-system-2":{"amount":"0.5","unit":"g","unitParsed":"g"}}},{"uid":7,"amount":"1\/4","unit":"cup","name":"water","notes":"","converted":{"2":{"amount":"59.15","unit":"ml","unit_id":4231}},"unit_id":4227,"id":855,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/4","unit":"cup","unitParsed":"cup"},"unit-system-2":{"amount":"59.15","unit":"ml","unitParsed":"ml"}}},{"uid":8,"amount":"1\/3","unit":"cup","name":"soy sauce","notes":"","converted":{"2":{"amount":"78.86","unit":"ml","unit_id":4231}},"unit_id":4227,"id":876,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1\/3","unit":"cup","unitParsed":"cup"},"unit-system-2":{"amount":"78.86","unit":"ml","unitParsed":"ml"}}},{"uid":9,"amount":"3","unit":"tablespoons","name":"brown sugar","notes":"","converted":{"2":{"amount":"36","unit":"g","unit_id":4226}},"unit_id":4230,"id":928,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"3","unit":"tablespoons","unitParsed":"tablespoons"},"unit-system-2":{"amount":"36","unit":"g","unitParsed":"g"}}},{"uid":10,"amount":"2","unit":"tablespoons","name":"rice vinegar","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":869,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"tablespoons","unitParsed":"tablespoons"},"unit-system-2":{"amount":"29.57","unit":"ml","unitParsed":"ml"}}},{"uid":11,"amount":"2","unit":"tablespoons","name":"mirin or dry sherry","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":3331,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"tablespoons","unitParsed":"tablespoons"},"unit-system-2":{"amount":"29.57","unit":"ml","unitParsed":"ml"}}},{"uid":12,"amount":"1","unit":"teaspoon","name":"toasted sesame oil","notes":"","converted":{"2":{"amount":"4.93","unit":"ml","unit_id":4231}},"unit_id":4228,"id":1631,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"teaspoon","unitParsed":"teaspoon"},"unit-system-2":{"amount":"4.93","unit":"ml","unitParsed":"ml"}}},{"uid":13,"amount":"1","unit":"teaspoon","name":"freshly grated ginger","notes":"","converted":{"2":{"amount":"2","unit":"g","unit_id":4226}},"unit_id":4228,"id":823,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"teaspoon","unitParsed":"teaspoon"},"unit-system-2":{"amount":"2","unit":"g","unitParsed":"g"}}},{"uid":14,"amount":"1","unit":"","name":"garlic clove,","notes":"minced","converted":{"2":{"amount":"1","unit":""}},"id":1023,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"","unitParsed":""},"unit-system-2":{"amount":"1","unit":"","unitParsed":""}}},{"uid":15,"amount":"2","unit":"tablespoons","name":"chilled water","notes":"","converted":{"2":{"amount":"29.57","unit":"ml","unit_id":4231}},"unit_id":4230,"id":2202,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"2","unit":"tablespoons","unitParsed":"tablespoons"},"unit-system-2":{"amount":"29.57","unit":"ml","unitParsed":"ml"}}},{"uid":16,"amount":"1","unit":"tablespoon","name":"cornstarch","notes":"","converted":{"2":{"amount":"8","unit":"g","unit_id":4226}},"unit_id":4233,"id":941,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"1","unit":"tablespoon","unitParsed":"tablespoon"},"unit-system-2":{"amount":"8","unit":"g","unitParsed":"g"}}},{"uid":18,"amount":"","unit":"","name":"Cooked rice","notes":"","converted":{"2":{"amount":"","unit":""}},"id":1453,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"","unit":"","unitParsed":""}}},{"uid":19,"amount":"","unit":"","name":"Steamed veggies","notes":"","converted":{"2":{"amount":"","unit":""}},"id":3332,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"","unit":"","unitParsed":""}}},{"uid":20,"amount":"","unit":"","name":"Chopped scallions","notes":"","converted":{"2":{"amount":"","unit":""}},"id":833,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"","unit":"","unitParsed":""}}},{"uid":21,"amount":"","unit":"","name":"Toasted sesame seeds","notes":"","converted":{"2":{"amount":"","unit":""}},"id":1281,"type":"ingredient","unit_systems":{"unit-system-1":{"amount":"","unit":"","unitParsed":""}}}],"originalServings":"4","originalServingsParsed":4,"currentServings":"4","currentServingsParsed":4,"currentServingsFormatted":"4","currentServingsMultiplier":1,"originalSystem":1,"currentSystem":1,"unitSystems":[1,2],"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> <div class="cpro-onload cp-popup-global cp-custom-cls-manual_trigger_38382 " data-class-id="38382" data-inactive-time='60' ></div>
<div id="cp_popup_id_38382" class="cp-popup-container cp-popup-live-wrap cp_style_38382 cp-module-modal_popup " data-style="cp_style_38382" data-module-type="modal_popup" data-class-id="38382" data-styleslug="subscribe-vegan-dinner-solutions">
<div class="cpro-overlay">
<div class="cp-popup-wrapper cp-auto " >
<div class="cp-popup cpro-animate-container ">
<form class="cpro-form" method="post">
<input type='hidden' class='panel-settings' data-style_id= '38382' data-section='configure' value='{"enable_custom_cookies":"","enable_cookies_class":"","enable_adblock_detection":"","enable_visitors":"","visitor_type":"first-time","referrer_type":"hide-from","hide_custom_cookies":"","hide_cookies_class":"","show_for_logged_in":"1","hide_on_device":"","cookies_enabled":"1","conversion_cookie":"365","closed_cookie":"30","cookies_enabled_submit":"","enable_cookies_class_submit":"","conversion_cookie_submit":"90","cookies_enabled_closed":"","enable_cookies_class_closed":"","closed_cookie_new":"30"}' ><input type='hidden' class='panel-rulesets' data-style_id= '38382' data-section='configure' value='[{"name":"Ruleset 1","autoload_on_duration":"1","load_on_duration":"10","autoload_on_no_page_visit":false,"load_on_no_page_visit":1,"load_on_page_visit_type":"is-more-than","cp_show_note_page_view":"","modal_exit_intent":false,"autoload_on_scroll":"0","load_after_scroll":"50","inactivity":false,"inactivity_link":"","enable_after_post":false,"enable_custom_scroll":false,"enable_scroll_class":"","on_scroll_txt":"","show_cta_info":"","enable_custom_cookies":false,"enable_cookies_class":"","on_cookie_txt":"","hide_cta_link":"","enable_adblock_detection":false,"all_visitor_info":"","enable_visitors":"","visitor_type":"first-time","enable_referrer":"","referrer_type":"hide-from","display_to":"","hide_from":"","enable_scheduler":false,"enable_scheduler_txt":"","start_date":"","end_date":"","custom_cls_text_head":"","enable_custom_class":false,"copy_link_code_button":"Copy Link Code","copy_link_cls_code_button":"","custom_class":"","custom_cls_text":""}]' ><style id='cp_popup_style_38382' type='text/css'>.cp_style_38382 .cp-popup-content {font-family:Verdana;font-style:Normal;font-weight:Normal;}.cp_style_38382 .cp-popup-content{ border-style:none;border-color:#e1e1e1;border-width:1px 1px 1px 1px;border-radius:0px 0px 0px 0px;-webkit-box-shadow:0px 0px 8px -2px #161616;-moz-box-shadow:0px 0px 8px -2px #161616;box-shadow:0px 0px 8px -2px #161616;}.cp_style_38382 #panel-1-38382 .cp-target:hover { }.cp_style_38382 #panel-1-38382 { }.cp_style_38382 .cpro-overlay{background:rgba(102,102,102,0.95);}.cp_style_38382 .cp-popup-wrapper .cpro-overlay {height:400px;}.cp_style_38382 .cp-popup-content { background : #ece9e6;background : -webkit-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -moz-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -ms-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -o-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);width:600px;height:400px;}@media ( max-width: 767px ) {.cp_style_38382 .cp-popup-content{ border-style:none;border-color:#e1e1e1;border-width:1px 1px 1px 1px;border-radius:0px 0px 0px 0px;-webkit-box-shadow:0px 0px 8px -2px #161616;-moz-box-shadow:0px 0px 8px -2px #161616;box-shadow:0px 0px 8px -2px #161616;}.cp_style_38382 #panel-1-38382 .cp-target:hover { }.cp_style_38382 #panel-1-38382 { }.cp_style_38382 .cpro-overlay{background:rgba(102,102,102,0.95);}.cp_style_38382 .cp-popup-wrapper .cpro-overlay {height:320px;}.cp_style_38382 .cp-popup-content { background : #ece9e6;background : -webkit-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -moz-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -ms-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : -o-linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);background : linear-gradient(180deg, #ece9e6 0%, #ffffff 100%);width:320px;height:320px;}}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field{ font-family:Josefin Sans;font-style:Normal;font-weight:Normal;font-size:13px;letter-spacing:1px;text-align:left;padding:10px 10px 10px 0px;color:#666;background-color:rgba(255,255,255,0.01);border-style:solid;border-width:0px 0px 1px 0px;border-radius:0px 0px 0px 0px;border-color:#b98e66;active-border-color:#000000;}.cp_style_38382 #form_field-38382 .cp-target:hover { }.cp_style_38382 #form_field-38382 placeholder { color:#666;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field input[type='radio'], .cp_style_38382 .cp-popup .cpro-form .cp-form-input-field input[type='checkbox'] {color:#666;background-color:rgba(255,255,255,0.01);}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field:focus {border-color: #000000;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field::-webkit-input-placeholder {color:#666;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field::-moz-placeholder {color:#666;}.cp_style_38382 .cp-popup .cpro-form .pika-lendar table tbody button:hover { background :#666;}.cp_style_38382 .cp-popup .cpro-form .pika-lendar table tbody .is-selected .pika-button { background :#666;box-shadow : inset 0 1px 3px #666;}.cp_style_38382 #form_field-38382 { }@media ( max-width: 767px ) {.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field{ font-family:Josefin Sans;font-style:Normal;font-weight:Normal;font-size:8px;letter-spacing:1px;text-align:left;padding:10px 10px 10px 0px;color:#666;background-color:rgba(255,255,255,0.01);border-style:solid;border-width:0px 0px 1px 0px;border-radius:0px 0px 0px 0px;border-color:#b98e66;active-border-color:#000000;}.cp_style_38382 #form_field-38382 .cp-target:hover { }.cp_style_38382 #form_field-38382 placeholder { color:#666;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field input[type='radio'], .cp_style_38382 .cp-popup .cpro-form .cp-form-input-field input[type='checkbox'] {color:#666;background-color:rgba(255,255,255,0.01);}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field:focus {border-color: #000000;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field::-webkit-input-placeholder {color:#666;}.cp_style_38382 .cp-popup .cpro-form .cp-form-input-field::-moz-placeholder {color:#666;}.cp_style_38382 .cp-popup .cpro-form .pika-lendar table tbody button:hover { background :#666;}.cp_style_38382 .cp-popup .cpro-form .pika-lendar table tbody .is-selected .pika-button { background :#666;box-shadow : inset 0 1px 3px #666;}.cp_style_38382 #form_field-38382 { }}.cp_style_38382 #cp_heading-1-38382 .cp-target { font-family:Josefin Sans;font-style:Inherit;font-weight:Inherit;font-size:18px;line-height:1.13;letter-spacing:0px;text-align:left;color:#000000;width:237.983px;height:47.9972px;}.cp_style_38382 #cp_heading-1-38382 .cp-target:hover { }.cp_style_38382 #cp_heading-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_heading-1-38382 { left: 20.482971191406px;top: 49.971588134766px;z-index:5;}@media ( max-width: 767px ) {.cp_style_38382 #cp_heading-1-38382 .cp-target { font-family:Josefin Sans;font-style:Inherit;font-weight:Inherit;font-size:13px;line-height:1;letter-spacing:0px;text-align:center;color:#000000;width:180.994px;height:25.9943px;}.cp_style_38382 #cp_heading-1-38382 .cp-target:hover { }.cp_style_38382 #cp_heading-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_heading-1-38382 { left: 68.480102539062px;top: 20.980102539062px;z-index:5;}}.cp_style_38382 #cp_heading-2-38382 .cp-target { font-family:Josefin Sans;font-style:Inherit;font-weight:Inherit;font-size:24px;line-height:1.05;letter-spacing:0px;text-align:center;color:#000000;width:250px;height:150px;}.cp_style_38382 #cp_heading-2-38382 .cp-target:hover { }.cp_style_38382 #cp_heading-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_heading-2-38382 { left: 20.482971191406px;top: 111.98861694336px;z-index:6;}@media ( max-width: 767px ) {.cp_style_38382 #cp_heading-2-38382 .cp-target { font-family:Josefin Sans;font-style:Inherit;font-weight:Inherit;font-size:23px;line-height:1.23;letter-spacing:0px;text-align:center;color:#000000;width:290px;height:111.989px;}.cp_style_38382 #cp_heading-2-38382 .cp-target:hover { }.cp_style_38382 #cp_heading-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_heading-2-38382 { left: 13px;top: 51px;z-index:6;}}.cp_style_38382 #cp_image-1-38382 .cp-target { width:325px;height:325px;}.cp_style_38382 #cp_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_image-1-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target > .cp-close-link { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target > .cp-close-image { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target { }.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_image-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_image-1-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_image-1-38382 { left: 291.98858642578px;top: 44.971588134766px;z-index:2;}@media ( max-width: 767px ) {.cp_style_38382 #cp_image-1-38382 .cp-target { width:164px;height:164px;}.cp_style_38382 #cp_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_image-1-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_image-1-38382 .cp-target { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target > .cp-close-link { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target > .cp-close-image { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_image-1-38382 .cp-target { }.cp_style_38382 #cp_image-1-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_image-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_image-1-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_image-1-38382 { left: 170.98016357422px;top: 173.9772644043px;z-index:2;}}.cp_style_38382 #cp_shape-1-38382 .cp-target { width:60px;height:3px;}.cp_style_38382 #cp_shape-1-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-1-38382 .cp-target { fill:#454545;}.cp_style_38382 #cp_shape-1-38382 .cp-target .cp-shape-first-color { fill:#454545;}.cp_style_38382 #cp_shape-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_shape-1-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-1-38382 .cp-target:hover .cp-shape-first-color { }.cp_style_38382 #cp_shape-1-38382 { left: 36.484375px;top: 88.984375px;z-index:8;}@media ( max-width: 767px ) {.cp_style_38382 #cp_shape-1-38382 .cp-target { width:35px;height:2px;}.cp_style_38382 #cp_shape-1-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-1-38382 .cp-target { fill:#454545;}.cp_style_38382 #cp_shape-1-38382 .cp-target .cp-shape-first-color { fill:#454545;}.cp_style_38382 #cp_shape-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_shape-1-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-1-38382 .cp-target:hover .cp-shape-first-color { }.cp_style_38382 #cp_shape-1-38382 { left: 21px;top: 52px;z-index:8;}}.cp_style_38382 #cp_button-2-38382 .cp-target { font-family:Josefin Sans;font-style:700;font-weight:700;font-size:15px;letter-spacing:0px;text-align:center;color:#fff;background:#c2021c;width:223px;height:46px;}.cp_style_38382 #cp_button-2-38382 .cp-target:hover { color:#fff;background:#685034;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target > .cp-close-link { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target > .cp-close-image { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target { -webkit-box-shadow:1px 3px 4px 0px #606060;-moz-box-shadow:1px 3px 4px 0px #606060;box-shadow:1px 3px 4px 0px #606060;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { -webkit-box-shadow:1px 3px 4px 0px #606060;-moz-box-shadow:1px 3px 4px 0px #606060;box-shadow:1px 3px 4px 0px #606060;}.cp_style_38382 #cp_button-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_button-2-38382 .cp-target:hover { }.cp_style_38382 #cp_button-2-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_button-2-38382 { left: 14.474426269531px;top: 346.47723388672px;z-index:11;}@media ( max-width: 767px ) {.cp_style_38382 #cp_button-2-38382 .cp-target { font-family:Josefin Sans;font-style:700;font-weight:700;font-size:12px;letter-spacing:0px;text-align:center;color:#fff;background:#c2021c;width:141px;height:25px;}.cp_style_38382 #cp_button-2-38382 .cp-target:hover { color:#fff;background:#685034;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_button-2-38382 .cp-target { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target > .cp-close-link { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target > .cp-close-image { border-radius:26px 26px 26px 26px;}.cp_style_38382 #cp_button-2-38382 .cp-target { -webkit-box-shadow:1px 3px 4px 0px #606060;-moz-box-shadow:1px 3px 4px 0px #606060;box-shadow:1px 3px 4px 0px #606060;}.cp_style_38382 #cp_button-2-38382 .cp-target ~ .cp-field-shadow { -webkit-box-shadow:1px 3px 4px 0px #606060;-moz-box-shadow:1px 3px 4px 0px #606060;box-shadow:1px 3px 4px 0px #606060;}.cp_style_38382 #cp_button-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_button-2-38382 .cp-target:hover { }.cp_style_38382 #cp_button-2-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_button-2-38382 { left: 7px;top: 265px;z-index:11;}}.cp_style_38382 #cp_email-1-38382 .cp-target { width:217px;height:45px;}.cp_style_38382 #cp_email-1-38382 .cp-target:hover { }.cp_style_38382 #cp_email-1-38382 { left: 20.482971191406px;top: 293.96307373047px;z-index:12;}@media ( max-width: 767px ) {.cp_style_38382 #cp_email-1-38382 .cp-target { width:133px;height:30px;}.cp_style_38382 #cp_email-1-38382 .cp-target:hover { }.cp_style_38382 #cp_email-1-38382 { left: 13px;top: 214px;z-index:12;}}.cp_style_38382 #cp_shape-2-38382 .cp-target { fill:#c2021c;stroke-width:3;width:59px;height:3px;}.cp_style_38382 #cp_shape-2-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-2-38382 .cp-target { }.cp_style_38382 #cp_shape-2-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_shape-2-38382 { }.cp_style_38382 #cp_shape-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_shape-2-38382 { }.cp_style_38382 #cp_shape-2-38382 { left: 20.482971191406px;top: 88.963073730469px;z-index:13;}@media ( max-width: 767px ) {.cp_style_38382 #cp_shape-2-38382 .cp-target { fill:#c2021c;stroke-width:3;width:258px;height:3px;}.cp_style_38382 #cp_shape-2-38382 .cp-target:hover { }.cp_style_38382 #cp_shape-2-38382 .cp-target { }.cp_style_38382 #cp_shape-2-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_shape-2-38382 { }.cp_style_38382 #cp_shape-2-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_shape-2-38382 { }.cp_style_38382 #cp_shape-2-38382 { left: 30.994323730469px;top: 43.963073730469px;z-index:13;}}.cp_style_38382 #cp_text-1-38382 .cp-target { width:217px;height:45px;}.cp_style_38382 #cp_text-1-38382 .cp-target:hover { }.cp_style_38382 #cp_text-1-38382 { left: 20px;top: 238px;z-index:14;}@media ( max-width: 767px ) {.cp_style_38382 #cp_text-1-38382 .cp-target { width:133px;height:30px;}.cp_style_38382 #cp_text-1-38382 .cp-target:hover { }.cp_style_38382 #cp_text-1-38382 { left: 13px;top: 173px;z-index:14;}}.cp_style_38382 #cp_close_image-1-38382 .cp-target { width:46px;height:46px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target > .cp-close-link { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target > .cp-close-image { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { }.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_close_image-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_close_image-1-38382 { left: 554.00567626953px;top: -0.01422119140625px;z-index:15;}@media ( max-width: 767px ) {.cp_style_38382 #cp_close_image-1-38382 .cp-target { width:49px;height:49px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-style:none;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-style:none;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-color:#757575;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-color:#757575;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-width:1px 1px 1px 1px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target > .cp-close-link { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target > .cp-close-image { border-radius:0px 0px 0px 0px;}.cp_style_38382 #cp_close_image-1-38382 .cp-target { }.cp_style_38382 #cp_close_image-1-38382 .cp-target ~ .cp-field-shadow { }.cp_style_38382 #cp_close_image-1-38382 .cp-rotate-wrap{ transform:rotate( 0deg);}.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover { }.cp_style_38382 #cp_close_image-1-38382 .cp-target:hover ~ .cp-field-shadow { }.cp_style_38382 #cp_close_image-1-38382 { left: 295px;top: -24px;z-index:15;}}@media ( max-width: 767px ) {.cp_style_38382 .cp-invisible-on-mobile {display: none !important;}}</style>
<div class="cp-popup-content cpro-active-step cp-modal_popup cp-panel-1" data-entry-animation = "cp-fadeIn" data-overlay-click ="1" data-title="Subscribe - Vegan Dinner Solutions" data-module-type="modal_popup" data-step="1" data-width="600" data-mobile-width="320" data-height="400" data-mobile-height="320" data-mobile-break-pt="767" data-mobile-responsive="yes">
<div class="cpro-form-container">
<div id="cp_heading-1-38382" class="cp-field-html-data cp-none cp_has_editor" data-type="cp_heading" ><div class="cp-rotate-wrap"><div class="cp-target cp-field-element cp-heading tinymce" name="cp_heading-1"><p><strong>NEVER MISS A RECIPE</strong></p></div></div>
</div><div id="cp_heading-2-38382" class="cp-field-html-data cp-none cp_has_editor" data-type="cp_heading" ><div class="cp-rotate-wrap"><div class="cp-target cp-field-element cp-heading tinymce" name="cp_heading-2"><p>Subscribe and I'll send you my free <strong>VEGAN DINNER SOLUTIONS</strong> email series.</p></div></div>
</div><div id="cp_image-1-38382" class="cp-field-html-data cp-none cp-image-ratio" data-type="cp_image" data-action="none" data-step="" >
<div class="cp-rotate-wrap">
<div class="cp-image-main"><img data-pin-nopin="nopin" width="325" height="325" data-cp-src="https://www.connoisseurusveg.com/wp-content/uploads/2021/12/vegetable-chow-mein-square.jpg" class="cp-img-lazy cp-target cp-field-element cp-image" name="cp_image-1" alt="Vegetable Chow Mein" src="">
<div class="cp-field-shadow"></div>
</div>
</div>
</div><div id="cp_shape-1-38382" class="cp-field-html-data cp-shapes-wrap cp-none" data-type="cp_shape" data-action="none" data-success-message="Thank you for subscribing." data-step="" data-get-param="{{get-param}}">
<div class="cp-shape-container">
<div class="cp-shape-tooltip"></div>
<label class="cp-shape-label">
<div class="cp-rotate-wrap"></div>
<div class="cp-field-shadow"></div>
</label>
</div>
</div><div id="cp_button-2-38382" class="cp-field-html-data cp-none" data-type="cp_button" data-action="submit_n_close" data-step="" >
<div class="cp-rotate-wrap"><button type="submit" class=" cp-target cp-field-element cp-button cp-button-field" data-success-message="Success! Watch your inbox for your free guide." data-get-param="{{get-param}}">Sign me up!</button>
<div class="cp-btn-tooltip"></div>
</div></div><div id="cp_email-1-38382" class="cp-field-html-data cp-none" data-type="cp_email" >
<input type="email" class="cp-target cp-field-element cp-form-input-field cp-form-field cp-email cp-form-field cp-email-field" aria-label="Email address" placeholder="Email address" name="param[email]" value="" required="required" data-email-error-msg="Please enter a valid email address." autocomplete="on" />
</div><div id="cp_shape-2-38382" class="cp-field-html-data cp-shapes-wrap cp-none" data-type="cp_shape" data-action="none" data-success-message="Thank You for Subscribing!" data-step="" data-get-param="{{get-param}}">
<div class="cp-shape-container">
<div class="cp-shape-tooltip"></div>
<label class="cp-shape-label">
<div class="cp-rotate-wrap"><svg xmlns:xlink="http://www.w3.org/1999/xlink" version="1.1" xmlns="http://www.w3.org/2000/svg" fill="#c2021c" class="cp-target" xml:space="preserve" preserveAspectRatio="none">
<line x1="0" y1="50%" x2="100%" y2="50%" width="100%" height="100%" style="stroke: #c2021c;stroke-width: 3px;"></line>
</svg></div>
<div class="cp-field-shadow"></div>
</label>
</div>
</div><div id="cp_text-1-38382" class="cp-field-html-data cp-none" data-type="cp_text" data-field-title="Text" >
<input type="text" class="cp-target cp-field-element cp-text cp-form-field cp-form-input-field cp-text-field" aria-label="First name" placeholder="First name" name="param[textfield_2016]" value="" access_cp_pro autocomplete="on" />
</div><div id="cp_close_image-1-38382" class="cp-field-html-data cp-none cp-image-ratio cp-close-field cp-close-image-wrap" data-type="cp_close_image" data-field-title="Close Image" data-action="close" >
<div class="cp-rotate-wrap">
<div class="cp-image-main"><img data-pin-nopin="nopin" width="46" height="46" data-cp-src="https://www.connoisseurusveg.com/wp-content/plugins/convertpro/assets/admin/img/close3.png" class="cp-target cp-field-element cp-close-image cp-img-lazy" alt="" name="cp_close_image-1" value="" src="">
<div class="cp-field-shadow"></div>
</div>
</div>
</div> </div>
</div><!-- .cp-popup-content -->
<input type="hidden" name="param[date]" value="February 18, 2025" />
<input type='text' class='cpro-hp-field' name='cpro_hp_feedback_field_38382' value=''>
<input type="hidden" name="action" value="cp_v2_add_subscriber" />
<input type="hidden" name="style_id" value="38382" />
</form>
</div>
</div><!-- .cp-popup-wrapper -->
</div><!-- Overlay -->
</div><!-- Modal popup container -->
<style type="text/css" media="screen">#simple-social-icons-4 ul li a, #simple-social-icons-4 ul li a:hover, #simple-social-icons-4 ul li a:focus { background-color: #ffffff !important; border-radius: 70px; color: #000000 !important; border: 5px #ffffff solid !important; font-size: 20px; padding: 10px; } #simple-social-icons-4 ul li a:hover, #simple-social-icons-4 ul li a:focus { background-color: #f04848 !important; border-color: #ffffff !important; color: #ffffff !important; } #simple-social-icons-4 ul li a:focus { outline: 1px dotted #f04848 !important; } #simple-social-icons-5 ul li a, #simple-social-icons-5 ul li a:hover, #simple-social-icons-5 ul li a:focus { background-color: #ffffff !important; border-radius: 60px; color: #000000 !important; border: 0px #ffffff solid !important; font-size: 30px; padding: 15px; } #simple-social-icons-5 ul li a:hover, #simple-social-icons-5 ul li a:focus { background-color: #f04848 !important; border-color: #ffffff !important; color: #ffffff !important; } #simple-social-icons-5 ul li a:focus { outline: 1px dotted #f04848 !important; }</style><style id='core-block-supports-inline-css' type='text/css'>
.wp-container-core-columns-is-layout-1{flex-wrap:nowrap;}.wp-container-core-columns-is-layout-2{flex-wrap:nowrap;}.wp-container-core-columns-is-layout-3{flex-wrap:nowrap;}.wp-container-core-columns-is-layout-4{flex-wrap:nowrap;}
</style>
<script type="text/javascript" id="convertkit-broadcasts-js-extra">
/* <![CDATA[ */
var convertkit_broadcasts = {"ajax_url":"https:\/\/www.connoisseurusveg.com\/wp-admin\/admin-ajax.php","action":"convertkit_broadcasts_render","debug":""};
/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-content/plugins/convertkit/resources/frontend/js/broadcasts.js?ver=2.7.2" id="convertkit-broadcasts-js" data-rocket-defer defer></script>
<script type="text/javascript" id="convertkit-js-js-extra">
/* <![CDATA[ */
var convertkit = {"ajaxurl":"https:\/\/www.connoisseurusveg.com\/wp-admin\/admin-ajax.php","debug":"","nonce":"8b79879eb6","subscriber_id":""};
/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-content/plugins/convertkit/resources/frontend/js/convertkit.js?ver=2.7.2" id="convertkit-js-js" data-rocket-defer defer></script>
<script type="text/javascript" id="wpil-frontend-script-js-extra">
/* <![CDATA[ */
var wpilFrontend = {"ajaxUrl":"\/wp-admin\/admin-ajax.php","postId":"17311","postType":"post","openInternalInNewTab":"0","openExternalInNewTab":"0","disableClicks":"0","openLinksWithJS":"0","trackAllElementClicks":"0","clicksI18n":{"imageNoText":"Image in link: No Text","imageText":"Image Title: ","noText":"No Anchor Text Found"}};
/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-content/plugins/link-whisper-premium/js/frontend.min.js?ver=1738189063" id="wpil-frontend-script-js" data-rocket-defer defer></script>
<script type="text/javascript" id="dpsp-frontend-js-pro-js-extra">
/* <![CDATA[ */
var dpsp_ajax_send_save_this_email = {"ajax_url":"https:\/\/www.connoisseurusveg.com\/wp-admin\/admin-ajax.php","dpsp_token":"2a48dcca72"};
/* ]]> */
</script>
<script type="text/javascript" async data-noptimize data-cfasync="false" src="https://www.connoisseurusveg.com/wp-content/plugins/social-pug/assets/dist/front-end-pro.js?ver=2.25.1" id="dpsp-frontend-js-pro-js"></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-includes/js/comment-reply.min.js?ver=6.7.2" id="comment-reply-js" async="async" data-wp-strategy="async"></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-content/themes/genesis/lib/js/skip-links.min.js?ver=3.5.0" id="skip-links-js" data-rocket-defer defer></script>
<script type="text/javascript" id="wprm-public-js-extra">
/* <![CDATA[ */
var wprm_public = {"user":"0","endpoints":{"analytics":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/analytics","integrations":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/integrations","manage":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/manage","utilities":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/utilities"},"settings":{"jump_output_hash":true,"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":"17311","home_url":"https:\/\/www.connoisseurusveg.com\/","print_slug":"wprm_print","permalinks":"\/%postname%\/","ajax_url":"https:\/\/www.connoisseurusveg.com\/wp-admin\/admin-ajax.php","nonce":"a4e34cf555","api_nonce":"cd6c506740","translations":[],"version":{"free":"9.8.0","pro":"9.8.0"}};
/* ]]> */
</script>
<script type="text/javascript" src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.js?ver=9.8.0" id="wprm-public-js" data-rocket-defer defer></script>
<script type="text/javascript" id="wprmp-public-js-extra">
/* <![CDATA[ */
var wprmp_public = {"user":"0","endpoints":{"private_notes":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/private-notes","user_rating":"https:\/\/www.connoisseurusveg.com\/wp-json\/wp-recipe-maker\/v1\/user-rating"},"settings":{"recipe_template_mode":"modern","features_adjustable_servings":true,"adjustable_servings_url":false,"adjustable_servings_url_param":"servings","adjustable_servings_round_to_decimals":"2","unit_conversion_remember":true,"unit_conversion_temperature":"none","unit_conversion_temperature_precision":"round_5","unit_conversion_system_1_temperature":"F","unit_conversion_system_2_temperature":"C","unit_conversion_advanced_servings_conversion":false,"unit_conversion_system_1_length_unit":"inch","unit_conversion_system_2_length_unit":"cm","fractions_enabled":false,"fractions_use_mixed":true,"fractions_use_symbols":true,"fractions_max_denominator":"8","unit_conversion_system_1_fractions":true,"unit_conversion_system_2_fractions":true,"unit_conversion_enabled":true,"decimal_separator":"point","features_comment_ratings":true,"features_user_ratings":true,"user_ratings_type":"modal","user_ratings_force_comment_scroll_to_smooth":true,"user_ratings_modal_title":"Rate This Recipe","user_ratings_thank_you_title":"Thank You!","user_ratings_thank_you_message_with_comment":"<p>Thank you for voting!<\/p>","user_ratings_problem_message":"<p>There was a problem rating this recipe. Please try again later.<\/p>","user_ratings_force_comment_scroll_to":"","user_ratings_open_url_parameter":"rate","user_ratings_require_comment":false,"user_ratings_require_name":false,"user_ratings_require_email":false,"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":"checkbox","template_instruction_list_style":"decimal","template_color_icon":"#343434"},"timer":{"sound_file":"https:\/\/www.connoisseurusveg.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":16777216,"text":{"image_size":"The file is too large. Maximum size:"}}};
/* ]]> */
</script>
<script type="text/javascript" src="https://www.connoisseurusveg.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.js?ver=9.8.0" id="wprmp-public-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" defer data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-content/plugins/akismet/_inc/akismet-frontend.js?ver=1739204977" id="akismet-frontend-js"></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-includes/js/jquery/jquery.min.js?ver=3.7.1" id="jquery-core-js" data-rocket-defer defer></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.connoisseurusveg.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=3.4.1" id="jquery-migrate-js" data-rocket-defer defer></script>
<script type="text/javascript" id="cp-popup-script-js-extra">
/* <![CDATA[ */
var cp_ajax = {"url":"https:\/\/www.connoisseurusveg.com\/wp-admin\/admin-ajax.php","ajax_nonce":"c16abb82bd","assets_url":"https:\/\/www.connoisseurusveg.com\/wp-content\/plugins\/convertpro\/assets\/","not_connected_to_mailer":"This form is not connected with any mailer service! Please contact web administrator.","timer_labels":"Years,Months,Weeks,Days,Hours,Minutes,Seconds","timer_labels_singular":"Year,Month,Week,Day,Hour,Minute,Second","image_on_ready":"","cpro_mx_valid":"0","invalid_email_id":"Invalid Email Address!"};
var cp_pro = {"inactive_time":"60"};
var cp_pro_url_cookie = {"days":"30"};
var cp_v2_ab_tests = {"cp_v2_ab_tests_object":[]};
/* ]]> */
</script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript" defer="defer" data-rocket-src="https://www.connoisseurusveg.com/wp-content/plugins/convertpro/assets/modules/js/cp-popup.min.js?ver=1.7.9" id="cp-popup-script-js"></script>
<script type="rocketlazyloadscript" data-rocket-type="text/javascript">window.addEventListener('DOMContentLoaded', function() {
jQuery(document).on( "cp_after_form_submit", function( e, element, response
, style_slug ) {
if( false == response.data.error ) {
if( 'undefined' !== typeof response.data['cfox_data'] ) {
var form_data = JSON.parse( response.data['cfox_data'] );
form_data.overwrite_tags = false;
if( 'undefined' !== typeof convertfox ) {
convertfox.identify( form_data );
}
}
}
});
});</script>
<div id="wprm-popup-modal-user-rating" class="wprm-popup-modal wprm-popup-modal-user-rating" data-type="user-rating" aria-hidden="true">
<div class="wprm-popup-modal__overlay" tabindex="-1">
<div class="wprm-popup-modal__container" role="dialog" aria-modal="true" aria-labelledby="wprm-popup-modal-user-rating-title">
<header class="wprm-popup-modal__header">
<h2 class="wprm-popup-modal__title" id="wprm-popup-modal-user-rating-title">
Rate This Recipe </h2>
<button class="wprm-popup-modal__close" aria-label="Close" data-micromodal-close></button>
</header>
<div class="wprm-popup-modal__content" id="wprm-popup-modal-user-rating-content">
<form id="wprm-user-ratings-modal-stars-form" onsubmit="window.WPRecipeMaker.userRatingModal.submit( this ); return false;">
<div class="wprm-user-ratings-modal-recipe-name"></div>
<div class="wprm-user-ratings-modal-stars-container">
<fieldset class="wprm-user-ratings-modal-stars">
<legend>Your vote:</legend>
<input aria-label="Don't rate this recipe" name="wprm-user-rating-stars" value="0" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="margin-left: -31px !important; width: 34px !important; height: 34px !important;" checked="checked"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-0" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
</defs>
<use xlink:href="#wprm-modal-star-empty-0" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-0" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 1 out of 5 stars" name="wprm-user-rating-stars" value="1" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-1" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-1" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-1" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-1" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 2 out of 5 stars" name="wprm-user-rating-stars" value="2" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-2" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-2" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-2" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-2" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-2" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 3 out of 5 stars" name="wprm-user-rating-stars" value="3" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-3" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-3" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-3" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-3" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-3" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-3" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-3" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 4 out of 5 stars" name="wprm-user-rating-stars" value="4" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<polygon class="wprm-modal-star-empty" id="wprm-modal-star-empty-4" fill="none" stroke="#FFD700" stroke-width="2" stroke-linecap="square" stroke-miterlimit="10" points="12,2.6 15,9 21.4,9 16.7,13.9 18.6,21.4 12,17.6 5.4,21.4 7.3,13.9 2.6,9 9,9" stroke-linejoin="miter"/>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-4" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-4" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-4" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-empty-4" x="119.14285714286" y="2.5714285714286" />
</svg></span><br><input aria-label="Rate this recipe 5 out of 5 stars" name="wprm-user-rating-stars" value="5" type="radio" onclick="WPRecipeMaker.rating.onClick(this)" style="width: 34px !important; height: 34px !important;"><span aria-hidden="true" style="width: 170px !important; height: 34px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="97.142857142857px" height="16px" viewBox="0 0 145.71428571429 29.142857142857">
<defs>
<path class="wprm-modal-star-full" id="wprm-modal-star-full-5" fill="#FFD700" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z"/>
</defs>
<use xlink:href="#wprm-modal-star-full-5" x="2.5714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="31.714285714286" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="60.857142857143" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="90" y="2.5714285714286" />
<use xlink:href="#wprm-modal-star-full-5" x="119.14285714286" y="2.5714285714286" />
</svg></span> </fieldset>
</div>
<textarea name="wprm-user-rating-comment" class="wprm-user-rating-modal-comment" placeholder="Share your thoughts! What did you like about this recipe?" oninput="window.WPRecipeMaker.userRatingModal.checkFields();" aria-label="Comment"></textarea>
<input type="hidden" name="wprm-user-rating-recipe-id" value="" />
<div class="wprm-user-rating-modal-comment-meta">
<div class="wprm-user-rating-modal-field">
<label for="wprm-user-rating-name">Name</label>
<input type="text" id="wprm-user-rating-name" name="wprm-user-rating-name" value="" placeholder="" /> </div>
<div class="wprm-user-rating-modal-field">
<label for="wprm-user-rating-email">Email</label>
<input type="email" id="wprm-user-rating-email" name="wprm-user-rating-email" value="" placeholder="" />
</div> </div>
<footer class="wprm-popup-modal__footer">
<button type="submit" class="wprm-popup-modal__btn wprm-user-rating-modal-submit-no-comment">Rate Recipe</button>
<button type="submit" class="wprm-popup-modal__btn wprm-user-rating-modal-submit-comment">Rate and Review Recipe</button>
<div id="wprm-user-rating-modal-errors">
<div id="wprm-user-rating-modal-error-rating">A rating is required</div>
<div id="wprm-user-rating-modal-error-name">A name is required</div>
<div id="wprm-user-rating-modal-error-email">An email is required</div>
</div>
<div id="wprm-user-rating-modal-waiting">
<div class="wprm-loader"></div>
</div>
</footer>
</form>
<div id="wprm-user-ratings-modal-message"></div> </div>
</div>
</div>
</div><div id="wprm-popup-modal-2" class="wprm-popup-modal wprm-popup-modal-user-rating-summary" data-type="user-rating-summary" aria-hidden="true">
<div class="wprm-popup-modal__overlay" tabindex="-1">
<div class="wprm-popup-modal__container" role="dialog" aria-modal="true" aria-labelledby="wprm-popup-modal-2-title">
<header class="wprm-popup-modal__header">
<h2 class="wprm-popup-modal__title" id="wprm-popup-modal-2-title">
Recipe Ratings without Comment </h2>
<button class="wprm-popup-modal__close" aria-label="Close" data-micromodal-close></button>
</header>
<div class="wprm-popup-modal__content" id="wprm-popup-modal-2-content">
<div class="wprm-loader"></div>
<div class="wprm-popup-modal-user-rating-summary-ratings"></div>
<div class="wprm-popup-modal-user-rating-summary-error">Something went wrong. Please try again.</div> </div>
</div>
</div>
</div><style type="text/css">.wprm-recipe-template-classic-with-save-this {
margin: 20px auto;
background-color: #fafafa; /*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: 0.9em; /*wprm_main_font_size type=font_size*/
line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
color: #333333; /*wprm_main_text type=color*/
max-width: 650px; /*wprm_max_width type=size*/
}
.wprm-recipe-template-classic-with-save-this a {
color: #3498db; /*wprm_link type=color*/
}
.wprm-recipe-template-classic-with-save-this p, .wprm-recipe-template-classic-with-save-this 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-classic-with-save-this li {
margin: 0 0 0 32px !important;
padding: 0 !important;
}
.rtl .wprm-recipe-template-classic-with-save-this li {
margin: 0 32px 0 0 !important;
}
.wprm-recipe-template-classic-with-save-this ol, .wprm-recipe-template-classic-with-save-this ul {
margin: 0 !important;
padding: 0 !important;
}
.wprm-recipe-template-classic-with-save-this br {
display: none;
}
.wprm-recipe-template-classic-with-save-this .wprm-recipe-name,
.wprm-recipe-template-classic-with-save-this .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-classic-with-save-this h1,
.wprm-recipe-template-classic-with-save-this h2,
.wprm-recipe-template-classic-with-save-this h3,
.wprm-recipe-template-classic-with-save-this h4,
.wprm-recipe-template-classic-with-save-this h5,
.wprm-recipe-template-classic-with-save-this 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-classic-with-save-this .wprm-recipe-header {
margin-top: 1.2em !important;
}
.wprm-recipe-template-classic-with-save-this h1 {
font-size: 2em; /*wprm_h1_size type=font_size*/
}
.wprm-recipe-template-classic-with-save-this h2 {
font-size: 1.8em; /*wprm_h2_size type=font_size*/
}
.wprm-recipe-template-classic-with-save-this h3 {
font-size: 1.2em; /*wprm_h3_size type=font_size*/
}
.wprm-recipe-template-classic-with-save-this h4 {
font-size: 1em; /*wprm_h4_size type=font_size*/
}
.wprm-recipe-template-classic-with-save-this h5 {
font-size: 1em; /*wprm_h5_size type=font_size*/
}
.wprm-recipe-template-classic-with-save-this h6 {
font-size: 1em; /*wprm_h6_size type=font_size*/
}.wprm-recipe-template-classic-with-save-this {
border-top-style: solid; /*wprm_border_style type=border*/
border-top-width: 1px; /*wprm_border_top_width type=size*/
border-top-color: #aaaaaa; /*wprm_border_top type=color*/
padding: 10px;
}.wprm-recipe-template-snippet-basic-buttons {
font-family: inherit; /* wprm_font_family type=font */
font-size: 0.9em; /* wprm_font_size type=font_size */
text-align: center; /* wprm_text_align type=align */
margin-top: 0px; /* wprm_margin_top type=size */
margin-bottom: 10px; /* wprm_margin_bottom type=size */
}
.wprm-recipe-template-snippet-basic-buttons a {
margin: 5px; /* wprm_margin_button type=size */
margin: 5px; /* wprm_margin_button type=size */
}
.wprm-recipe-template-snippet-basic-buttons a:first-child {
margin-left: 0;
}
.wprm-recipe-template-snippet-basic-buttons a:last-child {
margin-right: 0;
}</style><script type="rocketlazyloadscript">window.addEventListener('DOMContentLoaded', function() {ytInited=!1;function lazyLoadYT(){if(ytInited||!window.jQuery)return;jQuery('iframe[data-yt-src]').each(function(){var e=jQuery(this),vidSource=jQuery(e).attr('data-yt-src'),distance=jQuery(e).offset().top-jQuery(window).scrollTop(),distTopBot=window.innerHeight-distance,distBotTop=distance+jQuery(e).height();if(distTopBot>-2200&&distBotTop>-2200){ytInited=!0;jQuery(e).attr('src',vidSource);jQuery(e).removeAttr('data-yt-src');console.log('ll youtube')}})}
document.addEventListener('scroll',lazyLoadYT)});</script>
<script id='wprm-f'>window.addEventListener('DOMContentLoaded', function() {var wpmr_js=[
'/wp-content/plugins/wp-recipe-maker/dist/public-modern.js',
'/wp-content/plugins/wp-recipe-maker-premium/dist/public-pro.js',
];
var getWpmrJS=function(i){i=i||0;jQuery.getScript(wpmr_js[i],function(){i++;console.log('wpmr js: ',wpmr_js[i]);wpmr_js.length>i&&getWpmrJS(i)});
['mouseover','touchstart','click'].forEach(function(e){document.querySelector('.wprm-recipe').removeEventListener(e,lazyrm21)})}
;['mouseover','touchstart','click'].forEach(function(e){document.querySelector('.wprm-recipe').addEventListener(e,lazyrm21)})});</script><script>!function(){"use strict";!function(e){if(-1===e.cookie.indexOf("__adblocker")){e.cookie="__adblocker=; expires=Thu, 01 Jan 1970 00:00:00 GMT; path=/";var t=new XMLHttpRequest;t.open("GET","https://ads.adthrive.com/abd/abd.js",!0),t.onreadystatechange=function(){if(XMLHttpRequest.DONE===t.readyState)if(200===t.status){var a=e.createElement("script");a.innerHTML=t.responseText,e.getElementsByTagName("head")[0].appendChild(a)}else{var n=new Date;n.setTime(n.getTime()+3e5),e.cookie="__adblocker=true; expires="+n.toUTCString()+"; path=/"}},t.send()}}(document)}();
</script><script type="rocketlazyloadscript">!function(){"use strict";var e;e=document,function(){var t,n;function r(){var t=e.createElement("script");t.src="https://cafemedia-com.videoplayerhub.com/galleryplayer.js",e.head.appendChild(t)}function a(){var t=e.cookie.match("(^|[^;]+)\\s*__adblocker\\s*=\\s*([^;]+)");return t&&t.pop()}function c(){clearInterval(n)}return{init:function(){var e;"true"===(t=a())?r():(e=0,n=setInterval((function(){100!==e&&"false"!==t||c(),"true"===t&&(r(),c()),t=a(),e++}),50))}}}().init()}();
</script><script>window.lazyLoadOptions=[{elements_selector:"img[data-lazy-src],.rocket-lazyload,iframe[data-lazy-src]",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,callback_loaded:function(element){if(element.tagName==="IFRAME"&&element.dataset.rocketLazyload=="fitvidscompatible"){if(element.classList.contains("lazyloaded")){if(typeof window.jQuery!="undefined"){if(jQuery.fn.fitVids){jQuery(element).parent().fitVids()}}}}}},{elements_selector:".rocket-lazyload",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,}];window.addEventListener('LazyLoad::Initialized',function(e){var lazyLoadInstance=e.detail.instance;if(window.MutationObserver){var observer=new MutationObserver(function(mutations){var image_count=0;var iframe_count=0;var rocketlazy_count=0;mutations.forEach(function(mutation){for(var i=0;i<mutation.addedNodes.length;i++){if(typeof mutation.addedNodes[i].getElementsByTagName!=='function'){continue}
if(typeof mutation.addedNodes[i].getElementsByClassName!=='function'){continue}
images=mutation.addedNodes[i].getElementsByTagName('img');is_image=mutation.addedNodes[i].tagName=="IMG";iframes=mutation.addedNodes[i].getElementsByTagName('iframe');is_iframe=mutation.addedNodes[i].tagName=="IFRAME";rocket_lazy=mutation.addedNodes[i].getElementsByClassName('rocket-lazyload');image_count+=images.length;iframe_count+=iframes.length;rocketlazy_count+=rocket_lazy.length;if(is_image){image_count+=1}
if(is_iframe){iframe_count+=1}}});if(image_count>0||iframe_count>0||rocketlazy_count>0){lazyLoadInstance.update()}});var b=document.getElementsByTagName("body")[0];var config={childList:!0,subtree:!0};observer.observe(b,config)}},!1)</script><script data-no-minify="1" async src="https://www.connoisseurusveg.com/wp-content/plugins/wp-rocket/assets/js/lazyload/17.8.3/lazyload.min.js"></script><script>"use strict";function wprRemoveCPCSS(){var preload_stylesheets=document.querySelectorAll('link[data-rocket-async="style"][rel="preload"]');if(preload_stylesheets&&0<preload_stylesheets.length)for(var stylesheet_index=0;stylesheet_index<preload_stylesheets.length;stylesheet_index++){var media=preload_stylesheets[stylesheet_index].getAttribute("media")||"all";if(window.matchMedia(media).matches)return void setTimeout(wprRemoveCPCSS,200)}var elem=document.getElementById("rocket-critical-css");elem&&"remove"in elem&&elem.remove()}window.addEventListener?window.addEventListener("load",wprRemoveCPCSS):window.attachEvent&&window.attachEvent("onload",wprRemoveCPCSS);</script><noscript><link data-minify="1" rel='stylesheet' id='brunch-pro-theme-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/themes/brunchpro-v442/style.css?ver=1739205066' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='convertkit-broadcasts-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/broadcasts.css?ver=1739205066' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='convertkit-button-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/button.css?ver=1739205066' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='convertkit-form-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/convertkit/resources/frontend/css/form.css?ver=1739205066' type='text/css' media='all' /><link rel='stylesheet' id='dpsp-frontend-style-pro-css' href='https://www.connoisseurusveg.com/wp-content/plugins/social-pug/assets/dist/style-frontend-pro.css?ver=2.25.1' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='simple-social-icons-font-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/plugins/simple-social-icons/css/style.css?ver=1739205066' type='text/css' media='all' /><link data-minify="1" rel='stylesheet' id='font-awesome-css' href='https://www.connoisseurusveg.com/wp-content/cache/min/1/wp-content/themes/mill_font_awesome.css?ver=1739205066' type='text/css' media='all' /></noscript><script defer src="https://static.cloudflareinsights.com/beacon.min.js/vcd15cbe7772f49c399c6a5babf22c1241717689176015" integrity="sha512-ZpsOmlRQV6y907TI0dKBHq9Md29nnaEIPlkf84rnaERnq6zvWvPUqr2ft8M1aS28oN72PdrCzSjY4U6VaAw1EQ==" data-cf-beacon='{"rayId":"913e3c9e7a559418","serverTiming":{"name":{"cfExtPri":true,"cfL4":true,"cfSpeedBrain":true,"cfCacheStatus":true}},"version":"2025.1.0","token":"e94a53d306d84a1da1436edf74dfcc6c"}' crossorigin="anonymous"></script>
</body></html>
<!-- This website is like a Rocket, isn't it? Performance optimized by WP Rocket. Learn more: https://wp-rocket.me -->
|