File: justonecookbook.testhtml

package info (click to toggle)
python-recipe-scrapers 15.9.0-1
  • links: PTS
  • area: main
  • in suites: forky, sid
  • size: 246,580 kB
  • sloc: python: 13,214; makefile: 3
file content (2165 lines) | stat: -rw-r--r-- 463,354 bytes parent folder | download | duplicates (2)
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
<!doctype html>
<html lang="en-US">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1">
<link rel="profile" href="https://gmpg.org/xfn/11">
<script>!function(){"use strict";var t=window.location.search.substring(1).split("&");const e=t=>t.replace(/\s/g,""),o=t=>new Promise(e=>{if(!("msCrypto"in window)&&"https:"===location.protocol&&"crypto"in window&&"TextEncoder"in window){const o=(new TextEncoder).encode(t);crypto.subtle.digest("SHA-256",o).then(t=>{const o=Array.from(new Uint8Array(t)).map(t=>("00"+t.toString(16)).slice(-2)).join("");e(o)})}else e("")});for(var n=0;n<t.length;n++){var r="adt_ei",i=decodeURIComponent(t[n]);if(0===i.indexOf(r)){var a=i.split(r+"=")[1];if((t=>{const e=t.match(/((?=([a-zA-Z0-9._!#$%+^&*()[\]<>-]+))\2@[a-zA-Z0-9._-]+\.[a-zA-Z0-9._-]+)/gi);return e?e[0]:""})(e(a.toLowerCase()))){o(a).then(e=>{e.length&&(localStorage.setItem(r,e),localStorage.setItem("adt_emsrc","url"),t.splice(n,1),history.replaceState(null,"","?"+t.join("&")))});break}}}}();
</script><script>blgInited=!1;
isNearViewblg=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1888>n.top||-1888>n.top};function lazyblg1(){
if(blgInited||!isNearViewblg(document.querySelector('.blocks-gallery-item,.has-very-light-gray-color,[class^="wp-block-"]')))return;blgInited=!0;console.log('load css / js [ /wp-includes/css/dist/block-library/style.min.css ] [1/0]');
var l0=document.createElement('link');l0.href='/wp-includes/css/dist/block-library/style.min.css';
l0.type='text/css';l0.rel='stylesheet';l0.media='screen';document.getElementsByTagName('head')[0].appendChild(l0);
};document.addEventListener('DOMContentLoaded',lazyblg1);document.addEventListener('scroll',function(){if(window.scrollY>23)lazyblg1()});document.addEventListener('touchstart',lazyblg1);document.addEventListener('resize',lazyblg1)</script><script>wicInited=!1;
isNearViewwic=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1888>n.top||-1888>n.top};function lazywic1(){
if(wicInited||!isNearViewwic(document.querySelector('[class^="components-"]')))return;wicInited=!0;console.log('load css / js [ /wp-includes/css/dist/components/style.min.css ] [1/0]');
var l0=document.createElement('link');l0.href='/wp-includes/css/dist/components/style.min.css';
l0.type='text/css';l0.rel='stylesheet';l0.media='screen';document.getElementsByTagName('head')[0].appendChild(l0);
};document.addEventListener('DOMContentLoaded',lazywic1);document.addEventListener('scroll',function(){if(window.scrollY>23)lazywic1()});document.addEventListener('touchstart',lazywic1);document.addEventListener('resize',lazywic1)</script><meta name="robots" content="index, follow, max-image-preview:large, max-snippet:-1, max-video-preview:-1" />
<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;
	}
	#enews-ext-3 {
  margin-top: 0;
  padding: 0 10px;
}

.adthrive-sidebar.adthrive-stuck {
  margin-top: 75px;
}

@media screen and (max-width: 450px) {
.wprm-recipe {
  padding: 2px!important;
}
.single #primary,
#primary .sidebar {
  width: 98%!important;
}
body.archive .adthrive-content {
margin-bottom:70px;
}
}

/* dont float ads in instructions ZD 272867 */
.adthrive-device-desktop .wprm-recipe-ingredients-container .adthrive-recipe,
.adthrive-device-desktop .wprm-recipe-notes-container .adthrive-recipe,
.adthrive-device-desktop .wprm-nutrition-label-container .adthrive-recipe,
.adthrive-device-tablet .wprm-recipe-ingredients-container .adthrive-recipe,
.adthrive-device-tablet .wprm-recipe-notes-container .adthrive-recipe,
.adthrive-device-tablet .wprm-nutrition-label-container .adthrive-recipe  {
  float: right;
  clear: right;
  margin: 0 0 20px 20px;
}
body:not(.adthrive-device-phone) .wprm-recipe-instructions-container .adthrive-recipe {
margin: 10px auto;
}

body.page-id-40852 .adthrive-content, body.single:not(.logged-in) .adthrive-content,
body.archive .adthrive-content {
margin-bottom: 60px;
    flex: 100% !important;
    margin-top: auto;
    margin-left: auto;
    margin-right: auto;
}

body.page-id-40852 .adthrive-content iframe,
body.single:not(.logged-in) .adthrive-content iframe,
body.archive .adthrive-content iframe{
border:solid 2px #000;
}

/* match .abbr style when ad appears before elements */
.abbr:nth-child(2n),
.abbr:nth-child(4n) {
  margin: 0 1% 40px 0;
}

.adthrive-player-position.adthrive-collapse-float {
  background: transparent;
}


.adthrive-player-container a,
.adthrive-player-container a:hover {
background-image: none;
}

.adthrive-player-title {
padding-top: 15px;
}

.adthrive-player-container {
margin-bottom: 30px;
}

.adthrive-device-desktop .adthrive-comscore,
.adthrive-device-tablet .adthrive-comscore {
margin-top: 0;
}

.adthrive-content iframe {
border: 1px solid #000 !important;
}

.adthrive-device-phone .adthrive-footer {
padding-bottom: 10px;
}

/* 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 */

/* add gray background and “Advertisement” to content ads */
.adthrive-content, #cls-video-container-Msj3ZAfN {
background: #f7f7f7;
padding-top: 20px;
padding-bottom: 20px;
align-items: center;
}
.adthrive-content:before {
  content: "Advertisement";
  font-family: -apple-system,BlinkMacSystemFont,segoe ui,Roboto,Oxygen-Sans,Ubuntu,Cantarell,helvetica neue,sans-serif;
font-size: 15px;
  letter-spacing: 1px;
  margin-top: 0;
  margin-bottom: 10px;
  align-self: baseline;
  color: #888;
}
/* END ADVERTISEMENT STYLING */


/* Sticky Content Ads */
.adthrive-device-desktop .adthrive-content > div, .adthrive-device-tablet .adthrive-content > div {
top: 70px!important;
}

.adthrive-device-phone .adthrive-content > div {
top: 234px!important;
}
/* END Sticky Content Ads */


.adthrive-sidebar > div {
top: 70px !important;
}

.adthrive-ad.adthrive-sticky-sidebar {
min-height: 1200px!important;
}</style>
<script data-no-optimize="1" data-cfasync="false">
	window.adthriveCLS = {
		enabledLocations: ['Content', 'Recipe'],
		injectedSlots: [],
		injectedFromPlugin: true,
		branch: 'b72e8f4',bucket: 'prod',			};
	window.adthriveCLS.siteAds = {"siteId":"55ba916c8adc6fa61aba986a","siteName":"Just One Cookbook","betaTester":true,"targeting":[{"value":"55ba916c8adc6fa61aba986a","key":"siteId"},{"value":"6233884d61807f7088e87965","key":"organizationId"},{"value":"Just One Cookbook","key":"siteName"},{"value":"AdThrive Edge","key":"service"},{"value":"on","key":"bidding"},{"value":["Food","Travel"],"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":"body:not(.member-logged-in):not(.page-id-40852)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary .widget","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"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":2,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_2","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in):not(.page-id-40852):not(.home)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":298,"autosize":true},{"sequence":3,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_3","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in):not(.page-id-40852):not(.home)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":297,"autosize":true},{"sequence":4,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_4","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in):not(.page-id-40852):not(.home)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":296,"autosize":true},{"sequence":5,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_5","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in):not(.page-id-40852):not(.home)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"adSizes":[[160,600],[336,280],[320,50],[300,600],[250,250],[1,1],[320,100],[300,1050],[300,50],[300,420],[300,250]],"priority":295,"autosize":true},{"sequence":9,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_9","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":".filter","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":".blog-sections","adSizes":[[120,240],[160,600]],"priority":291,"autosize":true},{"sequence":9,"targeting":[{"value":["Sidebar"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["desktop"],"name":"Sidebar_9","sticky":true,"location":"Sidebar","dynamic":{"pageSelector":"body:not(.member-logged-in):not(.page-id-40852):not(.home)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"#secondary","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"stickyOverlapSelector":"#footer-boxes, .footer-cat","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":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.page:not(.member-logged-in)","spacing":1,"max":2,"lazy":false,"lazyMax":null,"elementSelector":".site-main > *","skip":2,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet","desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.archive:not(.member-logged-in)","spacing":1,"max":2,"lazy":false,"lazyMax":null,"elementSelector":"div.term-header, div.lh-curated-posts, .posts-navigation","skip":0,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[970,90],[320,50],[468,60],[1,1],[300,50],[1,2]],"priority":199,"autosize":false},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.archive:not(.member-logged-in)","spacing":0,"max":2,"lazy":false,"lazyMax":null,"elementSelector":".archive-content > article","skip":1,"classNames":[],"position":"afterend","every":4,"enabled":true},"adSizes":[[300,50],[468,60],[320,50],[320,100],[1,2],[1,1]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone","tablet"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.search:not(.member-logged-in)","spacing":1,"max":4,"lazy":false,"lazyMax":null,"elementSelector":"article","skip":0,"classNames":[],"position":"beforebegin","every":2,"enabled":true},"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:not(.member-logged-in):not(.post-40852)","spacing":1.25,"max":5,"lazy":true,"lazyMax":94,"elementSelector":".entry-content > p","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single:not(.member-logged-in):not(.density-test), body.page:not(.member-logged-in):not(.post-40852):not(.density-test):not(.adthrive-cat-entree)","spacing":0.7,"max":5,"lazy":true,"lazyMax":3,"elementSelector":".entry-content > p","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single:not(.member-logged-in):not(.post-40852):not(.density-test):not(.adthrive-cat-entree), body.page:not(.member-logged-in):not(.post-40852):not(.density-test)","spacing":1.25,"max":0,"lazy":true,"lazyMax":99,"elementSelector":".entry-content h2:not(.wprm-recipe-header):not(.wprm-block-text-bold), .entry-content h3:not(.wprm-recipe-header):not(.wprm-block-text-bold)","skip":1,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"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":"body:not(.member-logged-in)","spacing":1.5,"max":2,"lazy":true,"lazyMax":2,"elementSelector":".wprm-recipe-ingredients-container li, .wprm-recipe-instructions-container > div:not(:first-of-type),  .wprm-recipe-notes-container, .wprm-nutrition-label, .wprm-nutrition-label","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":4,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_4","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body:not(.member-logged-in)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":".wprm-recipe-ingredients-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"adSizes":[[1,1],[1,2],[250,250],[300,50],[300,250],[300,390],[320,50],[320,100],[320,300]],"priority":-104,"autosize":true},{"sequence":1,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_1","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body:not(.member-logged-in)","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":".wprm-prevent-sleep.wprm-toggle-switch-container","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"adSizes":[[320,50],[250,250],[1,1],[320,100],[1,2],[300,50],[320,300],[300,390],[300,250]],"priority":-101,"autosize":true},{"sequence":2,"targeting":[{"value":["Recipe"],"key":"location"}],"devices":["phone"],"name":"Recipe_2","sticky":false,"location":"Recipe","dynamic":{"pageSelector":"body:not(.member-logged-in)","spacing":1.5,"max":1,"lazy":true,"lazyMax":1,"elementSelector":".wprm-recipe-instructions-container > div:not(:first-of-type), .wprm-recipe-notes-container, .wprm-recipe-nutrition-header, .wprm-call-to-action ","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"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":["phone","tablet","desktop"],"name":"Below_Post","sticky":false,"location":"Below Post","dynamic":{"pageSelector":"body.single:not(.member-logged-in)","spacing":0,"max":0,"lazy":true,"lazyMax":1,"elementSelector":"#comments","skip":0,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[250,250],[1,1],[320,100],[300,250],[970,250],[728,250]],"priority":99,"autosize":true},{"sequence":null,"targeting":[{"value":["Footer"],"key":"location"},{"value":true,"key":"sticky"}],"devices":["tablet","desktop","phone"],"name":"Footer","sticky":true,"location":"Footer","dynamic":{"pageSelector":"","spacing":0,"max":1,"lazy":false,"lazyMax":null,"elementSelector":"body:not(.member-logged-in)","skip":0,"classNames":[],"position":"beforeend","every":1,"enabled":true},"adSizes":[[320,50],[320,100],[728,90],[970,90],[468,60],[1,1],[300,50]],"priority":-1,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["desktop"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single.density-test:not(.member-logged-in):not(.post-40852):not(.adthrive-cat-entree)","spacing":1.25,"max":5,"lazy":true,"lazyMax":94,"elementSelector":".entry-content > p","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["tablet"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single.density-test:not(.member-logged-in):not(.adthrive-cat-entree), body.page.density-test:not(.member-logged-in):not(.post-40852)","spacing":0.7,"max":5,"lazy":true,"lazyMax":94,"elementSelector":".entry-content > p","skip":4,"classNames":[],"position":"afterend","every":1,"enabled":true},"adSizes":[[728,90],[336,280],[320,50],[468,60],[970,90],[250,250],[1,1],[320,100],[970,250],[1,2],[300,50],[300,300],[552,334],[728,250],[300,250]],"priority":199,"autosize":true},{"sequence":null,"targeting":[{"value":["Content"],"key":"location"}],"devices":["phone"],"name":"Content","sticky":false,"location":"Content","dynamic":{"pageSelector":"body.single.density-test:not(.member-logged-in):not(.post-40852):not(.adthrive-cat-entree), body.page.density-test:not(.member-logged-in):not(.post-40852)","spacing":1.25,"max":0,"lazy":true,"lazyMax":99,"elementSelector":".entry-content h2:not(.wprm-recipe-header):not(.wprm-block-text-bold), .entry-content h3:not(.wprm-recipe-header):not(.wprm-block-text-bold)","skip":1,"classNames":[],"position":"beforebegin","every":1,"enabled":true},"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}],"adDensityLayout":{"mobile":{"adDensity":0.2,"onePerViewport":true},"pageOverrides":[{"mobile":{"adDensity":0.26,"onePerViewport":false},"pageSelector":"body.page, body.search, body.archive","desktop":{"adDensity":0.22,"onePerViewport":false}}],"desktop":{"adDensity":0.15,"onePerViewport":true}},"adDensityEnabled":true,"siteExperiments":[],"adTypes":{"sponsorTileDesktop":false,"nativeDesktopContent":true,"outstreamDesktop":true,"nativeBelowPostDesktop":true,"miniscroller":true,"animatedFooter":true,"largeFormatsMobile":true,"nativeMobileContent":true,"inRecipeRecommendationMobile":true,"nativeMobileRecipe":true,"expandableFooter":true,"nativeDesktopSidebar":true,"sponsorTileMobile":false,"interscroller":true,"nativeDesktopRecipe":true,"outstreamMobile":true,"nativeHeaderDesktop":true,"nativeHeaderMobile":true,"nativeBelowPostMobile":true,"largeFormatsDesktop":true,"inRecipeRecommendationDesktop":true},"adOptions":{"theTradeDesk":true,"rtbhouse":true,"verizon":true,"undertone":false,"sidebarConfig":{"dynamicStickySidebar":{"minHeight":1200,"enabled":false,"blockedSelectors":[]}},"concert":false,"footerCloseButton":true,"teads":true,"pmp":true,"thirtyThreeAcross":false,"sharethrough":true,"removeVideoTitleWrapper":true,"pubMatic":true,"roundel":true,"infiniteScroll":false,"yahoossp":true,"improvedigital":true,"spa":false,"stickyContainerConfig":{"recipeDesktop":{"minHeight":null,"enabled":false},"blockedSelectors":[],"stickyHeaderSelectors":[],"content":{"minHeight":400,"enabled":true},"recipeMobile":{"minHeight":null,"enabled":false}},"sonobi":true,"yieldmo":true,"footerSelector":"","amazonUAM":true,"gamMCMEnabled":true,"gamMCMChildNetworkCode":"22497755265","rubicon":true,"conversant":false,"resetdigital":true,"openx":true,"mobileHeaderHeight":1,"unruly":true,"mediaGrid":true,"bRealTime":true,"gumgum":true,"comscoreFooter":true,"desktopInterstitial":false,"footerCloseButtonDesktop":false,"isAutoOptimized":false,"comscoreTAL":true,"targetaff":true,"advancePlaylistOptions":{"playlistPlayer":{"enabled":true},"relatedPlayer":{"enabled":true,"applyToFirst":false}},"kargo":true,"liveRampATS":true,"footerCloseButtonMobile":false,"interstitialBlockedPageSelectors":"","allowSmallerAdSizes":true,"comscore":"Food","mobileInterstitial":false,"tripleLift":true,"sensitiveCategories":["alc","ast","cbd","conl","dat","drg","gamc","gamv","pol","rel","sst","srh","ske","tob","wtl"],"liveRamp":true,"mobileInterstitialBlockedPageSelectors":"","adthriveEmailIdentity":true,"criteo":true,"nativo":true,"infiniteScrollOptions":{"selector":"","heightThreshold":0},"siteAttributes":{"mobileHeaderSelectors":[],"desktopHeaderSelectors":[]},"dynamicContentSlotLazyLoading":true,"clsOptimizedAds":true,"colossus":true,"verticals":["Food","Travel"],"inImage":false,"advancePlaylist":true,"delayLoading":true,"inImageZone":null,"appNexus":true,"liveRampId":"","infiniteScrollRefresh":false,"indexExchange":true},"videoPlayers":{"contextual":{"autoplayCollapsibleEnabled":false,"overrideEmbedLocation":false,"defaultPlayerType":"static"},"videoEmbed":"wordpress","footerSelector":"#footer-boxes, .footer-cat","contentSpecificPlaylists":[{"isDraft":true,"playlistId":"q0dhKp3z","categories":["dessert"]}],"players":[{"devices":["desktop","mobile"],"formattedType":"Stationary Related","description":"","id":4049941,"title":"Stationary related player - desktop and mobile","type":"stationaryRelated","enabled":true,"playerId":"71uDLqnJ"},{"pageSelector":"","devices":["mobile"],"mobileLocation":"bottom-right","description":"","skip":0,"title":"Sticky related player - mobile","type":"stickyRelated","enabled":true,"formattedType":"Sticky Related","elementSelector":"","id":4049943,"position":"afterend","playerId":"71uDLqnJ"},{"playlistId":"HTBVnq39","pageSelector":"body.single:not(.member-logged-in)","devices":["mobile"],"mobileLocation":"top-center","description":"","skip":1,"title":"MY OTHER RECIPES","type":"stickyPlaylist","enabled":true,"footerSelector":"#footer-boxes, .footer-cat","formattedType":"Sticky Playlist","elementSelector":".entry-content > p","id":4049945,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":"#site-navigation","playerId":"dlu0rAbw"},{"pageSelector":"","devices":["desktop"],"formattedType":"Sticky Related","description":"","elementSelector":"","skip":0,"id":4049942,"position":"afterend","title":"Sticky related player - desktop","type":"stickyRelated","enabled":true,"playerId":"71uDLqnJ"},{"playlistId":"HTBVnq39","pageSelector":"body.single:not(.member-logged-in)","devices":["desktop"],"description":"","skip":1,"title":"MY OTHER RECIPES","type":"stickyPlaylist","enabled":true,"footerSelector":"#footer-boxes, .footer-cat","formattedType":"Sticky Playlist","elementSelector":".entry-content > p","id":4049944,"position":"afterend","saveVideoCloseState":false,"shuffle":true,"mobileHeaderSelector":null,"playerId":"dlu0rAbw"}],"partners":{"theTradeDesk":true,"roundel":true,"yahoossp":true,"criteo":true,"unruly":true,"mediaGrid":true,"improvedigital":true,"undertone":false,"gumgum":true,"colossus":true,"yieldmo":true,"pmp":true,"amazonUAM":true,"kargo":true,"thirtyThreeAcross":false,"stickyOutstream":{"desktop":{"enabled":true},"blockedPageSelectors":"body.member-logged-in","mobileLocation":"","allowOnHomepage":false,"mobile":{"enabled":true},"saveVideoCloseState":false,"mobileHeaderSelector":"","allowForPageWithStickyPlayer":{"enabled":false}},"sharethrough":true,"rubicon":true,"appNexus":true,"resetdigital":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.5.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/55ba916c8adc6fa61aba986a/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>

<title>Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり • Just One Cookbook</title>
<meta name="description" content="A favorite in izakayas, Yaki Onigiri are crispy grilled Japanese rice balls glazed with a savory soy sauce. Make this easy recipe at home!" />
<link rel="canonical" href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/" />
<meta property="og:locale" content="en_US" />
<meta property="og:type" content="article" />
<meta property="og:title" content="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" />
<meta property="og:description" content="A favorite in izakayas, Yaki Onigiri are crispy grilled Japanese rice balls glazed with a savory soy sauce. Make this easy recipe at home!" />
<meta property="og:url" content="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/" />
<meta property="og:site_name" content="Just One Cookbook" />
<meta property="article:publisher" content="https://www.facebook.com/justonecookbook" />
<meta property="article:author" content="https://www.facebook.com/justonecookbook/" />
<meta property="article:published_time" content="2023-09-19T00:00:31+00:00" />
<meta property="article:modified_time" content="2023-09-19T00:35:18+00:00" />
<meta property="og:image" content="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg" />
<meta property="og:image:width" content="1200" />
<meta property="og:image:height" content="800" />
<meta property="og:image:type" content="image/jpeg" />
<meta name="author" content="Nami" />
<meta name="twitter:card" content="summary_large_image" />
<meta name="twitter:creator" content="@https://twitter.com/justonecookbook" />
<meta name="twitter:site" content="@justonecookbook" />
<meta name="twitter:label1" content="Written by" />
<meta name="twitter:data1" content="Nami" />
<meta name="twitter:label2" content="Est. reading time" />
<meta name="twitter:data2" content="5 minutes" />
<script type="application/ld+json" class="yoast-schema-graph">{"@context":"https://schema.org","@graph":[{"@type":"Article","@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#article","isPartOf":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/"},"author":{"name":"Nami","@id":"https://www.justonecookbook.com/#/schema/person/033420c6cd0fe01255dcd76d04d95472"},"headline":"Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり","datePublished":"2023-09-19T00:00:31+00:00","dateModified":"2023-09-19T00:35:18+00:00","wordCount":2014,"commentCount":69,"publisher":{"@id":"https://www.justonecookbook.com/#organization"},"image":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#primaryimage"},"thumbnailUrl":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","keywords":["Easy","Grill/BBQ/Smoke","Izakaya","Kid-Friendly","Rice + Donburi","Summer","Under 30 Minutes","Vegan","Vegetarian"],"articleSection":["Side Dish"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#respond"]}],"accessibilityFeature":["tableOfContents"]},{"@type":"WebPage","@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/","name":"Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり • Just One Cookbook","isPartOf":{"@id":"https://www.justonecookbook.com/#website"},"primaryImageOfPage":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#primaryimage"},"image":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#primaryimage"},"thumbnailUrl":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","datePublished":"2023-09-19T00:00:31+00:00","dateModified":"2023-09-19T00:35:18+00:00","description":"A favorite in izakayas, Yaki Onigiri are crispy grilled Japanese rice balls glazed with a savory soy sauce. Make this easy recipe at home!","breadcrumb":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#breadcrumb"},"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/"]}]},{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#primaryimage","url":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","contentUrl":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","width":1200,"height":800,"caption":"A rectangular plate containing Yaki Onigiri (Grilled Rice Balls)."},{"@type":"BreadcrumbList","@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Home","item":"https://www.justonecookbook.com/"},{"@type":"ListItem","position":2,"name":"Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり"}]},{"@type":"WebSite","@id":"https://www.justonecookbook.com/#website","url":"https://www.justonecookbook.com/","name":"Just One Cookbook","description":"Japanese Food and Recipe Blog","publisher":{"@id":"https://www.justonecookbook.com/#organization"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https://www.justonecookbook.com/?s={search_term_string}"},"query-input":"required name=search_term_string"}],"inLanguage":"en-US"},{"@type":"Organization","@id":"https://www.justonecookbook.com/#organization","name":"Just One Cookbook","url":"https://www.justonecookbook.com/","logo":{"@type":"ImageObject","inLanguage":"en-US","@id":"https://www.justonecookbook.com/#/schema/logo/image/","url":"https://www.justonecookbook.com/wp-content/uploads/2023/02/JOC-Logo-2-Small-for-Google-Forms-scaled.jpeg","contentUrl":"https://www.justonecookbook.com/wp-content/uploads/2023/02/JOC-Logo-2-Small-for-Google-Forms-scaled.jpeg","width":2560,"height":1024,"caption":"Just One Cookbook"},"image":{"@id":"https://www.justonecookbook.com/#/schema/logo/image/"},"sameAs":["https://www.facebook.com/justonecookbook","https://twitter.com/justonecookbook","https://instagram.com/justonecookbook/","https://www.pinterest.com/justonecookbook/","https://www.youtube.com/user/justonecookbook"]},{"@type":"Person","@id":"https://www.justonecookbook.com/#/schema/person/033420c6cd0fe01255dcd76d04d95472","name":"Nami","description":"I'm Nami, a Japanese home cook based in San Francisco. Have fun exploring the 1000+ classic &amp; modern Japanese recipes I share with step-by-step photos and How-To YouTube videos.","sameAs":["https://www.justonecookbook.com/about/","https://www.facebook.com/justonecookbook/","https://www.instagram.com/justonecookbook/","https://www.pinterest.com/justonecookbook/","https://twitter.com/https://twitter.com/justonecookbook","https://www.youtube.com/user/justonecookbook"],"url":"https://www.justonecookbook.com/author/administrator/"},{"@type":"Recipe","name":"Yaki Onigiri (Grilled Rice Ball)","author":{"@id":"https://www.justonecookbook.com/#/schema/person/033420c6cd0fe01255dcd76d04d95472"},"description":"A favorite at izakaya restaurants, Yaki Onigiri are Japanese rice balls that are pan-grilled and glazed in savory soy sauce. With a crispy crust on the outside and tender rice on the inside, these rice balls are simply irresistible and easy to make at home!","datePublished":"2023-09-18T17:00:31+00:00","image":["https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-500x500.jpg","https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-500x375.jpg","https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-480x270.jpg"],"recipeYield":["9","9 rice balls"],"prepTime":"PT15M","cookTime":"PT15M","totalTime":"PT30M","recipeIngredient":["2¼ cups uncooked Japanese short-grain white rice","2½ cups water ((for 2 rice cooker cups of rice, use 1⅔ cups (400 ml) water))","3 Tbsp soy sauce ((or use 2 Tbsp for 2 rice cooker cups of rice))","1 Tbsp sugar ((or 2 tsp for 2 rice cooker cups))","1 Tbsp roasted sesame oil ((or 2 tsp for 2 rice cooker cups))","¼ tsp Diamond Crystal kosher salt ((or ⅛ tsp for 2 rice cooker cups))","1 Tbsp soy sauce","1 tsp roasted sesame oil"],"recipeInstructions":[{"@type":"HowToSection","name":"Before You Start...","itemListElement":[{"@type":"HowToStep","text":"Japanese short-grain white rice requires a soaking time of 20–30 minutes. The rice-to-water ratio is 1 to 1.1 (or 1.2) for short-grain white rice. Please note that 2¼ cups (450 g, 3 rice cooker cups) of uncooked Japanese short-grain rice yield 6⅔ cups (990 g) of cooked white rice. This is enough for 9 onigiri rice balls (typically 110 g each). Optional: To make 5–6 rice balls, cook 1½ cups (300 g, 2 rice cooker cups) of uncooked Japanese short-grain rice in 1⅔ cups water (400 ml) to yield 4⅓ cups (660 g) of cooked white rice.","name":"Japanese short-grain white rice requires a soaking time of 20–30 minutes. The rice-to-water ratio is 1 to 1.1 (or 1.2) for short-grain white rice. Please note that 2¼ cups (450 g, 3 rice cooker cups) of uncooked Japanese short-grain rice yield 6⅔ cups (990 g) of cooked white rice. This is enough for 9 onigiri rice balls (typically 110 g each). Optional: To make 5–6 rice balls, cook 1½ cups (300 g, 2 rice cooker cups) of uncooked Japanese short-grain rice in 1⅔ cups water (400 ml) to yield 4⅓ cups (660 g) of cooked white rice.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-0-0"},{"@type":"HowToStep","text":"Cook the rice; see how with a rice cooker, pot over the stove, Instant Pot, or donabe. To my rice cooker, I added 2½ cups water to 2¼ cups uncooked Japanese short-grain white rice. Once the rice is cooked, gather all the ingredients.","name":"Cook the rice; see how with a rice cooker, pot over the stove, Instant Pot, or donabe. To my rice cooker, I added 2½ cups water to 2¼ cups uncooked Japanese short-grain white rice. Once the rice is cooked, gather all the ingredients.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-0-1","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients.jpg"}]},{"@type":"HowToSection","name":"To Season the Rice","itemListElement":[{"@type":"HowToStep","text":"Combine 3 Tbsp soy sauce and 1 Tbsp sugar in a small bowl and microwave until the mixture is hot, about 30–60 seconds. Whisk it all together until the sugar dissolves.","name":"Combine 3 Tbsp soy sauce and 1 Tbsp sugar in a small bowl and microwave until the mixture is hot, about 30–60 seconds. Whisk it all together until the sugar dissolves.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-1-0","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-1.jpg"},{"@type":"HowToStep","text":"Add 1 Tbsp roasted sesame oil and ¼ tsp Diamond Crystal kosher salt and mix it all together.","name":"Add 1 Tbsp roasted sesame oil and ¼ tsp Diamond Crystal kosher salt and mix it all together.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-1-1","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-2.jpg"},{"@type":"HowToStep","text":"Transfer the hot cooked rice to a large bowl and add the seasoning mixture.","name":"Transfer the hot cooked rice to a large bowl and add the seasoning mixture.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-1-2","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-3.jpg"},{"@type":"HowToStep","text":"With a rice paddle, use a slicing motion to combine the seasoning and cooked rice well. Now, you‘re ready to shape the rice balls. Note: Be sure to let the cooked rice cool a little bit until you can hold it without burning your hands. Rice must be hot or warm when making onigiri in order to hold its shape.","name":"With a rice paddle, use a slicing motion to combine the seasoning and cooked rice well. Now, you‘re ready to shape the rice balls. Note: Be sure to let the cooked rice cool a little bit until you can hold it without burning your hands. Rice must be hot or warm when making onigiri in order to hold its shape.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-1-3","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-4.jpg"}]},{"@type":"HowToSection","name":"To Shape the Rice Balls","itemListElement":[{"@type":"HowToStep","text":"With an Onigiri Mold: Prepare a small bowl filled with water. Soak the onigiri mold and lid in the water to moisten so the rice doesn‘t stick to it. Remove the mold and drain the excess water.","name":"With an Onigiri Mold: Prepare a small bowl filled with water. Soak the onigiri mold and lid in the water to moisten so the rice doesn‘t stick to it. Remove the mold and drain the excess water.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-0","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-5.jpg"},{"@type":"HowToStep","text":"Fill the onigiri mold with the hot seasoned rice all the way to the top edge, making sure to fill the corners. Cover with the lid and push down firmly. You should feel a slight resistance; if not, you may want to add a bit more rice.","name":"Fill the onigiri mold with the hot seasoned rice all the way to the top edge, making sure to fill the corners. Cover with the lid and push down firmly. You should feel a slight resistance; if not, you may want to add a bit more rice.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-1","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-6.jpg"},{"@type":"HowToStep","text":"Remove the lid. Flip over the mold onto a baking sheet or plate lined with parchment paper. Then, push the “button” on the mold‘s bottom to release your onigiri. Tip: Always dip your fingers in water before touching the onigiri to prevent the rice from sticking to them.","name":"Remove the lid. Flip over the mold onto a baking sheet or plate lined with parchment paper. Then, push the “button” on the mold‘s bottom to release your onigiri. Tip: Always dip your fingers in water before touching the onigiri to prevent the rice from sticking to them.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-2","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-7.jpg"},{"@type":"HowToStep","text":"Repeat with the remaining rice.","name":"Repeat with the remaining rice.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-3","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-8.jpg"},{"@type":"HowToStep","text":"Now, firmly hand-press the rice balls to keep them from falling apart while grilling. For Yaki Onigiri, you‘ll want to press the rice ball a bit more tightly than you would a regular onigiri. First, moisten both palms with a bit of water to prevent the rice from sticking. Then, pick up a rice ball in your left (non-dominant) hand. Place your right (dominant) hand on top of the rice in a “mountain&quot; shape and gently press the triangle corner. At the same time, squeeze the fingers and heel of your bottom (left) hand to gently press the sides flat.Now, rotate the triangle corner you just pressed toward you (clockwise, if you‘re right-handed). The tip of the second corner will now be pointing up. Repeat the above “press and rotate” steps to hand press the second triangle corner and then the third, always keeping your left hand on the bottom and your right hand on top. Press and rotate a final 2–3 more times to finish.","name":"Now, firmly hand-press the rice balls to keep them from falling apart while grilling. For Yaki Onigiri, you‘ll want to press the rice ball a bit more tightly than you would a regular onigiri. First, moisten both palms with a bit of water to prevent the rice from sticking. Then, pick up a rice ball in your left (non-dominant) hand. Place your right (dominant) hand on top of the rice in a “mountain&quot; shape and gently press the triangle corner. At the same time, squeeze the fingers and heel of your bottom (left) hand to gently press the sides flat.Now, rotate the triangle corner you just pressed toward you (clockwise, if you‘re right-handed). The tip of the second corner will now be pointing up. Repeat the above “press and rotate” steps to hand press the second triangle corner and then the third, always keeping your left hand on the bottom and your right hand on top. Press and rotate a final 2–3 more times to finish.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-4","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-9.jpg"},{"@type":"HowToStep","text":"In the image below, the top row is hand pressed while the bottom row is not.","name":"In the image below, the top row is hand pressed while the bottom row is not.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-5","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10.jpg"},{"@type":"HowToStep","text":"If you don‘t want to touch the rice with your hands, you can press the onigiri with plastic wrap. Place a piece of plastic wrap on the working surface, wet your fingers, and place the onigiri in the middle.","name":"If you don‘t want to touch the rice with your hands, you can press the onigiri with plastic wrap. Place a piece of plastic wrap on the working surface, wet your fingers, and place the onigiri in the middle.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-6","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-11.jpg"},{"@type":"HowToStep","text":"Gather the corners of the plastic wrap and twist it a few times to tighten it around the rice. Form the rice into a triangle shape in the same manner that I described above.","name":"Gather the corners of the plastic wrap and twist it a few times to tighten it around the rice. Form the rice into a triangle shape in the same manner that I described above.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-7","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-12.jpg"},{"@type":"HowToStep","text":"Without an Onigiri Mold: You also can use plastic wrap to shape the onigiri instead of using a mold. Place a piece of plastic film on the working surface, wet your fingers, and put the rice on top. Gather the corners of the plastic film and twist it a few times to tighten it around the rice.","name":"Without an Onigiri Mold: You also can use plastic wrap to shape the onigiri instead of using a mold. Place a piece of plastic film on the working surface, wet your fingers, and put the rice on top. Gather the corners of the plastic film and twist it a few times to tighten it around the rice.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-8","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-13.jpg"},{"@type":"HowToStep","text":"Form the rice into a triangle shape through the plastic in the same manner that I described above for hand-pressing the onigiri. Repeat with the remaining rice. Tip: To shape the onigiri with your hands the traditional way, see the step-by-step instructions and images in my Onigiri (Japanese Rice Balls) post.","name":"Form the rice into a triangle shape through the plastic in the same manner that I described above for hand-pressing the onigiri. Repeat with the remaining rice. Tip: To shape the onigiri with your hands the traditional way, see the step-by-step instructions and images in my Onigiri (Japanese Rice Balls) post.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-2-9","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-14.jpg"}]},{"@type":"HowToSection","name":"To Pan-Grill the Onigiri","itemListElement":[{"@type":"HowToStep","text":"Combine 1 Tbsp soy sauce and 1 tsp roasted sesame oil for the glaze. Place a sheet of parchment paper on a large frying pan.","name":"Combine 1 Tbsp soy sauce and 1 tsp roasted sesame oil for the glaze. Place a sheet of parchment paper on a large frying pan.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-3-0","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-15.jpg"},{"@type":"HowToStep","text":"Gently place the rice balls on the parchment paper and grill on medium-low heat. Grill the onigiri until all sides are crispy and lightly browned. Once browned on the bottom, turn them over (I use two silicone spatulas). Don’t flip them until browned; work on one side at a time and avoid handling them too much, which may cause the onigiri to break into pieces.","name":"Gently place the rice balls on the parchment paper and grill on medium-low heat. Grill the onigiri until all sides are crispy and lightly browned. Once browned on the bottom, turn them over (I use two silicone spatulas). Don’t flip them until browned; work on one side at a time and avoid handling them too much, which may cause the onigiri to break into pieces.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-3-1","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-16.jpg"},{"@type":"HowToStep","text":"Rotate the onigiri to grill all sides and make sure they become crispy.","name":"Rotate the onigiri to grill all sides and make sure they become crispy.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-3-2","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-17.jpg"},{"@type":"HowToStep","text":"Once they are nicely toasted and lightly brown, turn the heat to low (or turn off the heat). Brush the onigiri sides with the soy sauce glaze, then turn over to grill on the sauce side. Then, brush on the other side.","name":"Once they are nicely toasted and lightly brown, turn the heat to low (or turn off the heat). Brush the onigiri sides with the soy sauce glaze, then turn over to grill on the sauce side. Then, brush on the other side.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-3-3","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-18.jpg"},{"@type":"HowToStep","text":"Be careful not to burn the onigiri after you brush it with the glaze. Optionally, you can brush them with my homemade unagi sauce and teriyaki sauce. Your Yaki Onigiri are now ready to enjoy.","name":"Be careful not to burn the onigiri after you brush it with the glaze. Optionally, you can brush them with my homemade unagi sauce and teriyaki sauce. Your Yaki Onigiri are now ready to enjoy.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-3-4","image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-20.jpg"}]},{"@type":"HowToSection","name":"To Store","itemListElement":[{"@type":"HowToStep","text":"Rice gets hard when you refrigerate it. You can individually wrap the Yaki Onigiri in plastic wrap and cover them with a thick kitchen towel and store in the refrigerator for up to 2 days. The towel will prevent the rice from getting too cold and keep the food cool but not cold. You can also store the Yaki Onigiri that are individually plastic-wrapped in the freezer for up to a month. When you‘re ready to eat, bring it back to room temperature and reheat in a microwave or frying pan.","name":"Rice gets hard when you refrigerate it. You can individually wrap the Yaki Onigiri in plastic wrap and cover them with a thick kitchen towel and store in the refrigerator for up to 2 days. The towel will prevent the rice from getting too cold and keep the food cool but not cold. You can also store the Yaki Onigiri that are individually plastic-wrapped in the freezer for up to a month. When you‘re ready to eat, bring it back to room temperature and reheat in a microwave or frying pan.","url":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#wprm-recipe-59479-step-4-0","image":"https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-21.jpg"}]}],"aggregateRating":{"@type":"AggregateRating","ratingValue":"4.67","ratingCount":"68"},"recipeCategory":["Side Dish"],"recipeCuisine":["Japanese"],"keywords":"japanese rice","nutrition":{"@type":"NutritionInformation","calories":"147 kcal","carbohydrateContent":"31 g","proteinContent":"3 g","fatContent":"1 g","saturatedFatContent":"1 g","transFatContent":"1 g","sodiumContent":"53 mg","unsaturatedFatContent":"2 g","servingSize":"1 serving"},"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#recipe","isPartOf":{"@id":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#article"},"mainEntityOfPage":"https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/"}]}</script>

<link rel="dns-prefetch" href="//maps.google.com" />
<link rel="dns-prefetch" href="//use.fontawesome.com" />
<link rel="dns-prefetch" href="//ajax.googleapis.com" />
<link rel="dns-prefetch" href="//maxcdn.bootstrapcdn.com" />
<link rel="alternate" type="application/rss+xml" title="Just One Cookbook &raquo; Feed" href="https://www.justonecookbook.com/feed/" />
<link rel="alternate" type="application/rss+xml" title="Just One Cookbook &raquo; Comments Feed" href="https://www.justonecookbook.com/comments/feed/" />
<link rel="alternate" type="application/rss+xml" title="Just One Cookbook &raquo; Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり Comments Feed" href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/feed/" />
<link href="//fls-na.amazon-adsystem.com" rel="preconnect" crossorigin>
<link href="//aax-us-east.amazon-adsystem.com" rel="preconnect" crossorigin>
<link href="//z-na.amazon-adsystem.com" rel="preconnect" crossorigin>
<link href="//ir-na.amazon-adsystem.com" rel="preconnect" crossorigin>
<script>wprmInited=!1;
isNearViewwprm=function(t){if(!t)return;var n=t.getBoundingClientRect();return 1800>n.top||-1800>n.top};function lazywprm1(){
if(wprmInited||!isNearViewwprm(document.querySelector('.wprm-recipe-container')))return;wprmInited=!0;console.log('load css / js [2/0] /plugins/wp-recipe-maker-premium/templates/recipe/legacy/side-by-side/side-by-side.min.css');
var l0=document.createElement('link');l0.href='/wp-content/plugins/wp-recipe-maker/dist/public-modern.css';
l0.type='text/css';l0.rel='stylesheet';l0.media='screen';document.getElementsByTagName('head')[0].appendChild(l0);
var l1=document.createElement('link');l1.href='/wp-content/plugins/wp-recipe-maker-premium/dist/public-elite.css';
l1.type='text/css';l1.rel='stylesheet';l1.media='screen';document.getElementsByTagName('head')[0].appendChild(l1);
var s=document.createElement('script');s.onload=function(){};s.src='/wp-content/plugins/wp-recipe-maker/dist/public-modern.js';document.head.appendChild(s);setTimeout(function(){var p=document.createElement('script');p.onload=function(){};p.src='/wp-content/plugins/wp-recipe-maker-premium/dist/public-premium.js';document.head.appendChild(p)},240)}document.addEventListener('scroll',function(){if(window.scrollY>166)lazywprm1()});document.addEventListener('touchend',lazywprm1);document.addEventListener('resize',lazywprm1)</script><style id="classic-theme-styles-inline-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">
body{--wp--preset--color--black: #212121;--wp--preset--color--cyan-bluish-gray: #abb8c3;--wp--preset--color--white: #ffffff;--wp--preset--color--pale-pink: #f78da7;--wp--preset--color--vivid-red: #cf2e2e;--wp--preset--color--luminous-vivid-orange: #ff6900;--wp--preset--color--luminous-vivid-amber: #fcb900;--wp--preset--color--light-green-cyan: #7bdcb5;--wp--preset--color--vivid-green-cyan: #00d084;--wp--preset--color--pale-cyan-blue: #8ed1fc;--wp--preset--color--vivid-cyan-blue: #0693e3;--wp--preset--color--vivid-purple: #9b51e0;--wp--preset--color--dark-grey: #dadada;--wp--preset--color--grey: #f0efef;--wp--preset--color--red: #d0021b;--wp--preset--color--red-dark: #9C0214;--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: 14px;--wp--preset--font-size--medium: 20px;--wp--preset--font-size--large: 24px;--wp--preset--font-size--x-large: 42px;--wp--preset--font-size--normal: 18px;--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-flow > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}body .is-layout-flow > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}body .is-layout-flow > .aligncenter{margin-left: auto !important;margin-right: auto !important;}body .is-layout-constrained > .alignleft{float: left;margin-inline-start: 0;margin-inline-end: 2em;}body .is-layout-constrained > .alignright{float: right;margin-inline-start: 2em;margin-inline-end: 0;}body .is-layout-constrained > .aligncenter{margin-left: auto !important;margin-right: auto !important;}body .is-layout-constrained > :where(:not(.alignleft):not(.alignright):not(.alignfull)){max-width: var(--wp--style--global--content-size);margin-left: auto !important;margin-right: auto !important;}body .is-layout-constrained > .alignwide{max-width: var(--wp--style--global--wide-size);}body .is-layout-flex{display: flex;}body .is-layout-flex{flex-wrap: wrap;align-items: center;}body .is-layout-flex > *{margin: 0;}body .is-layout-grid{display: grid;}body .is-layout-grid > *{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;}
.wp-block-navigation a:where(:not(.wp-element-button)){color: inherit;}
: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;}
.wp-block-pullquote{font-size: 1.5em;line-height: 1.6;}
</style>
<link rel="stylesheet" id="dashicons-css" href="https://www.justonecookbook.com/wp-includes/css/dashicons.min.css" media="all" />
<link rel="stylesheet" id="wpdm-font-awesome-css" href="https://use.fontawesome.com/releases/v6.2.0/css/all.css" media="all" />
<link rel="stylesheet" id="wpdm-front-bootstrap-css" href="https://www.justonecookbook.com/wp-content/plugins/download-manager/assets/bootstrap/css/bootstrap.min.css" media="all" />
<link rel="stylesheet" id="wpdm-front-css" href="https://www.justonecookbook.com/wp-content/plugins/download-manager/assets/css/front.css" media="all" />
<link rel="stylesheet" id="membermouse-jquery-css-css" href="//ajax.googleapis.com/ajax/libs/jqueryui/1.13.2/themes/smoothness/jquery-ui.css" media="all" />
<link rel="stylesheet" id="membermouse-main-css" href="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/css/common/mm-main.css" media="all" />
<link rel="stylesheet" id="membermouse-buttons-css" href="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/css/common/mm-buttons.css" media="all" />
<link rel="stylesheet" id="membermouse-font-awesome-css" href="//maxcdn.bootstrapcdn.com/font-awesome/4.7.0/css/font-awesome.min.css" media="all" />
<link rel="stylesheet" id="wpel-style-css" href="https://www.justonecookbook.com/wp-content/plugins/wp-external-links/public/css/wpel.css" media="all" />
<link rel="stylesheet" id="wpdiscuz-frontend-css-css" href="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz/themes/default/style.css" media="all" />
<style id="wpdiscuz-frontend-css-inline-css">
 #wpdcom .wpd-blog-administrator .wpd-comment-label{color:#ffffff;background-color:#000000;border:none}#wpdcom .wpd-blog-administrator .wpd-comment-author, #wpdcom .wpd-blog-administrator .wpd-comment-author a{color:#000000}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-administrator .wpd-avatar img{border-color:#000000}#wpdcom.wpd-layout-2 .wpd-comment.wpd-reply .wpd-comment-wrap.wpd-blog-administrator{border-left:3px solid #000000}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-administrator .wpd-avatar img{border-bottom-color:#000000}#wpdcom.wpd-layout-3 .wpd-blog-administrator .wpd-comment-subheader{border-top:1px dashed #000000}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-administrator .wpd-comment-right{border-left:1px solid #000000}#wpdcom .wpd-blog-editor .wpd-comment-label{color:#ffffff;background-color:#000000;border:none}#wpdcom .wpd-blog-editor .wpd-comment-author, #wpdcom .wpd-blog-editor .wpd-comment-author a{color:#000000}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-editor .wpd-avatar img{border-color:#000000}#wpdcom.wpd-layout-2 .wpd-comment.wpd-reply .wpd-comment-wrap.wpd-blog-editor{border-left:3px solid #000000}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-editor .wpd-avatar img{border-bottom-color:#000000}#wpdcom.wpd-layout-3 .wpd-blog-editor .wpd-comment-subheader{border-top:1px dashed #000000}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-editor .wpd-comment-right{border-left:1px solid #000000}#wpdcom .wpd-blog-author .wpd-comment-label{color:#ffffff;background-color:#327324;border:none}#wpdcom .wpd-blog-author .wpd-comment-author, #wpdcom .wpd-blog-author .wpd-comment-author a{color:#327324}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-author .wpd-avatar img{border-color:#327324}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-author .wpd-avatar img{border-bottom-color:#327324}#wpdcom.wpd-layout-3 .wpd-blog-author .wpd-comment-subheader{border-top:1px dashed #327324}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-author .wpd-comment-right{border-left:1px solid #327324}#wpdcom .wpd-blog-contributor .wpd-comment-label{color:#ffffff;background-color:#a240cd;border:none}#wpdcom .wpd-blog-contributor .wpd-comment-author, #wpdcom .wpd-blog-contributor .wpd-comment-author a{color:#a240cd}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-contributor .wpd-avatar img{border-color:#a240cd}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-contributor .wpd-avatar img{border-bottom-color:#a240cd}#wpdcom.wpd-layout-3 .wpd-blog-contributor .wpd-comment-subheader{border-top:1px dashed #a240cd}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-contributor .wpd-comment-right{border-left:1px solid #a240cd}#wpdcom .wpd-blog-subscriber .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-subscriber .wpd-comment-author, #wpdcom .wpd-blog-subscriber .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-subscriber .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-subscriber .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom .wpd-blog-wpseo_manager .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-wpseo_manager .wpd-comment-author, #wpdcom .wpd-blog-wpseo_manager .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-wpseo_manager .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-wpseo_manager .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-wpseo_manager .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-wpseo_manager .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-wpseo_editor .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-wpseo_editor .wpd-comment-author, #wpdcom .wpd-blog-wpseo_editor .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-wpseo_editor .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-wpseo_editor .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-wpseo_editor .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-wpseo_editor .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-mm_role_customer_support .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-mm_role_customer_support .wpd-comment-author, #wpdcom .wpd-blog-mm_role_customer_support .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-mm_role_customer_support .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-mm_role_customer_support .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-mm_role_customer_support .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-mm_role_customer_support .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-mm_role_customer_sales .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-mm_role_customer_sales .wpd-comment-author, #wpdcom .wpd-blog-mm_role_customer_sales .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-mm_role_customer_sales .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-mm_role_customer_sales .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-mm_role_customer_sales .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-mm_role_customer_sales .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-mm_role_analyst .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-mm_role_analyst .wpd-comment-author, #wpdcom .wpd-blog-mm_role_analyst .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-mm_role_analyst .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-mm_role_analyst .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-mm_role_analyst .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-mm_role_analyst .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-mm_role_product_manager .wpd-comment-label{color:#ffffff;background-color:#31839e;border:none}#wpdcom .wpd-blog-mm_role_product_manager .wpd-comment-author, #wpdcom .wpd-blog-mm_role_product_manager .wpd-comment-author a{color:#31839e}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-mm_role_product_manager .wpd-avatar img{border-color:#31839e}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-mm_role_product_manager .wpd-avatar img{border-bottom-color:#31839e}#wpdcom.wpd-layout-3 .wpd-blog-mm_role_product_manager .wpd-comment-subheader{border-top:1px dashed #31839e}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-mm_role_product_manager .wpd-comment-right{border-left:1px solid #31839e}#wpdcom .wpd-blog-post_author .wpd-comment-label{color:#ffffff;background-color:#000000;border:none}#wpdcom .wpd-blog-post_author .wpd-comment-author, #wpdcom .wpd-blog-post_author .wpd-comment-author a{color:#000000}#wpdcom .wpd-blog-post_author .wpd-avatar img{border-color:#000000}#wpdcom.wpd-layout-1 .wpd-comment .wpd-blog-post_author .wpd-avatar img{border-color:#000000}#wpdcom.wpd-layout-2 .wpd-comment.wpd-reply .wpd-comment-wrap.wpd-blog-post_author{border-left:3px solid #000000}#wpdcom.wpd-layout-2 .wpd-comment .wpd-blog-post_author .wpd-avatar img{border-bottom-color:#000000}#wpdcom.wpd-layout-3 .wpd-blog-post_author .wpd-comment-subheader{border-top:1px dashed #000000}#wpdcom.wpd-layout-3 .wpd-reply .wpd-blog-post_author .wpd-comment-right{border-left:1px solid #000000}#wpdcom .wpd-blog-guest .wpd-comment-label{color:#ffffff;background-color:#898989;border:none}#wpdcom .wpd-blog-guest .wpd-comment-author, #wpdcom .wpd-blog-guest .wpd-comment-author a{color:#898989}#wpdcom.wpd-layout-3 .wpd-blog-guest .wpd-comment-subheader{border-top:1px dashed #898989}#comments, #respond, .comments-area, #wpdcom{}#wpdcom .ql-editor > *{color:#777777}#wpdcom .ql-editor::before{}#wpdcom .ql-toolbar{border:1px solid #DDDDDD;border-top:none}#wpdcom .ql-container{border:1px solid #DDDDDD;border-bottom:none}#wpdcom .wpd-form-row .wpdiscuz-item input[type="text"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="email"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="url"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="color"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="date"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="datetime"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="datetime-local"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="month"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="number"], #wpdcom .wpd-form-row .wpdiscuz-item input[type="time"], #wpdcom textarea, #wpdcom select{border:1px solid #DDDDDD;color:#1a2735}#wpdcom .wpd-form-row .wpdiscuz-item textarea{border:1px solid #DDDDDD}#wpdcom input::placeholder, #wpdcom textarea::placeholder, #wpdcom input::-moz-placeholder, #wpdcom textarea::-webkit-input-placeholder{}#wpdcom .wpd-comment-text{color:#1a2735}#wpdcom .wpd-thread-head .wpd-thread-info{border-bottom:2px solid #1a2735}#wpdcom .wpd-thread-head .wpd-thread-info.wpd-reviews-tab svg{fill:#1a2735}#wpdcom .wpd-thread-head .wpdiscuz-user-settings{border-bottom:2px solid #1a2735}#wpdcom .wpd-thread-head .wpdiscuz-user-settings:hover{color:#1a2735}#wpdcom .wpd-comment .wpd-follow-link:hover{color:#1a2735}#wpdcom .wpd-comment-status .wpd-sticky{color:#1a2735}#wpdcom .wpd-thread-filter .wpdf-active{color:#1a2735;border-bottom-color:#1a2735}#wpdcom .wpd-comment-info-bar{border:1px dashed #48535e;background:#e9eaeb}#wpdcom .wpd-comment-info-bar .wpd-current-view i{color:#1a2735}#wpdcom .wpd-filter-view-all:hover{background:#1a2735}#wpdcom .wpdiscuz-item .wpdiscuz-rating > label{color:#DDDDDD}#wpdcom .wpdiscuz-item .wpdiscuz-rating:not(:checked) > label:hover, .wpdiscuz-rating:not(:checked) > label:hover ~ label{}#wpdcom .wpdiscuz-item .wpdiscuz-rating > input ~ label:hover, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:not(:checked) ~ label:hover ~ label, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:not(:checked) ~ label:hover ~ label{color:#FFED85}#wpdcom .wpdiscuz-item .wpdiscuz-rating > input:checked ~ label:hover, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:checked ~ label:hover, #wpdcom .wpdiscuz-item .wpdiscuz-rating > label:hover ~ input:checked ~ label, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:checked + label:hover ~ label, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:checked ~ label:hover ~ label, .wpd-custom-field .wcf-active-star, #wpdcom .wpdiscuz-item .wpdiscuz-rating > input:checked ~ label{color:#FFD700}#wpd-post-rating .wpd-rating-wrap .wpd-rating-stars svg .wpd-star{fill:#DDDDDD}#wpd-post-rating .wpd-rating-wrap .wpd-rating-stars svg .wpd-active{fill:#FFD700}#wpd-post-rating .wpd-rating-wrap .wpd-rate-starts svg .wpd-star{fill:#DDDDDD}#wpd-post-rating .wpd-rating-wrap .wpd-rate-starts:hover svg .wpd-star{fill:#FFED85}#wpd-post-rating.wpd-not-rated .wpd-rating-wrap .wpd-rate-starts svg:hover ~ svg .wpd-star{fill:#DDDDDD}.wpdiscuz-post-rating-wrap .wpd-rating .wpd-rating-wrap .wpd-rating-stars svg .wpd-star{fill:#DDDDDD}.wpdiscuz-post-rating-wrap .wpd-rating .wpd-rating-wrap .wpd-rating-stars svg .wpd-active{fill:#FFD700}#wpdcom .wpd-comment .wpd-follow-active{color:#ff7a00}#wpdcom .page-numbers{color:#555;border:#555 1px solid}#wpdcom span.current{background:#555}#wpdcom.wpd-layout-1 .wpd-new-loaded-comment > .wpd-comment-wrap > .wpd-comment-right{background:#FFFAD6}#wpdcom.wpd-layout-2 .wpd-new-loaded-comment.wpd-comment > .wpd-comment-wrap > .wpd-comment-right{background:#FFFAD6}#wpdcom.wpd-layout-2 .wpd-new-loaded-comment.wpd-comment.wpd-reply > .wpd-comment-wrap > .wpd-comment-right{background:transparent}#wpdcom.wpd-layout-2 .wpd-new-loaded-comment.wpd-comment.wpd-reply > .wpd-comment-wrap{background:#FFFAD6}#wpdcom.wpd-layout-3 .wpd-new-loaded-comment.wpd-comment > .wpd-comment-wrap > .wpd-comment-right{background:#FFFAD6}#wpdcom .wpd-follow:hover i, #wpdcom .wpd-unfollow:hover i, #wpdcom .wpd-comment .wpd-follow-active:hover i{color:#1a2735}#wpdcom .wpdiscuz-readmore{cursor:pointer;color:#1a2735}.wpd-custom-field .wcf-pasiv-star, #wpcomm .wpdiscuz-item .wpdiscuz-rating > label{color:#DDDDDD}.wpd-wrapper .wpd-list-item.wpd-active{border-top:3px solid #1a2735}#wpdcom.wpd-layout-2 .wpd-comment.wpd-reply.wpd-unapproved-comment .wpd-comment-wrap{border-left:3px solid #FFFAD6}#wpdcom.wpd-layout-3 .wpd-comment.wpd-reply.wpd-unapproved-comment .wpd-comment-right{border-left:1px solid #FFFAD6}#wpdcom .wpd-prim-button{background-color:#1a2735;color:#FFFFFF}#wpdcom .wpd_label__check i.wpdicon-on{color:#1a2735;border:1px solid #8d939a}#wpd-bubble-wrapper #wpd-bubble-all-comments-count{color:#1DB99A}#wpd-bubble-wrapper > div{background-color:#1DB99A}#wpd-bubble-wrapper > #wpd-bubble #wpd-bubble-add-message{background-color:#1DB99A}#wpd-bubble-wrapper > #wpd-bubble #wpd-bubble-add-message::before{border-left-color:#1DB99A;border-right-color:#1DB99A}#wpd-bubble-wrapper.wpd-right-corner > #wpd-bubble #wpd-bubble-add-message::before{border-left-color:#1DB99A;border-right-color:#1DB99A}.wpd-inline-icon-wrapper path.wpd-inline-icon-first{fill:#1DB99A}.wpd-inline-icon-count{background-color:#1DB99A}.wpd-inline-icon-count::before{border-right-color:#1DB99A}.wpd-inline-form-wrapper::before{border-bottom-color:#1DB99A}.wpd-inline-form-question{background-color:#1DB99A}.wpd-inline-form{background-color:#1DB99A}.wpd-last-inline-comments-wrapper{border-color:#1DB99A}.wpd-last-inline-comments-wrapper::before{border-bottom-color:#1DB99A}.wpd-last-inline-comments-wrapper .wpd-view-all-inline-comments{background:#1DB99A}.wpd-last-inline-comments-wrapper .wpd-view-all-inline-comments:hover,.wpd-last-inline-comments-wrapper .wpd-view-all-inline-comments:active,.wpd-last-inline-comments-wrapper .wpd-view-all-inline-comments:focus{background-color:#1DB99A}#wpdcom .ql-snow .ql-tooltip[data-mode="link"]::before{content:"Enter link:"}#wpdcom .ql-snow .ql-tooltip.ql-editing a.ql-action::after{content:"Save"}.comments-area{width:auto}#wpdcom span.wpd-user-nicename{display:none !important}#wpdcom .wpd-comment-text a{color:#D1181F}#wpdcom .wpd-comment-text a:hover{color:#D1181F}
</style>
<link rel="stylesheet" id="wpdiscuz-fa-css" href="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz/assets/third-party/font-awesome-5.13.0/css/fa.min.css" media="all" />
<link rel="stylesheet" id="wpdiscuz-combo-css-css" href="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz/assets/css/wpdiscuz-combo.min.css" media="all" />
<link rel="stylesheet" id="mks-map-css-css" href="https://www.justonecookbook.com/wp-content/plugins/meks-easy-maps/public/css/map.css" media="all" />
<link rel="stylesheet" id="joc-style-css" href="https://www.justonecookbook.com/wp-content/themes/joc/style.css" media="all" />
<link rel="stylesheet" id="joc-global-css" href="https://www.justonecookbook.com/wp-content/themes/joc/assets/css/global.css" media="all" />
<link rel="stylesheet" id="joc-icons-css" href="https://www.justonecookbook.com/wp-content/themes/joc/assets/css/icons.css" media="all" />
<link rel="stylesheet" id="joc-single-css" href="https://www.justonecookbook.com/wp-content/themes/joc/assets/css/posts.css" media="all" />
<link rel="stylesheet" id="wpdiscuz-search-styles-css" href="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz-comment-search/assets/css/front.min.css" media="all" />
<link rel="stylesheet" id="wpdiscuz-font-awesome-css" href="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz/assets/third-party/font-awesome-5.13.0/css/fontawesome-all.min.css" media="all" />
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/jquery.min.js" id="jquery-core-js"></script>
<script id="membermouse-global-js-extra">
var MemberMouseGlobal = {"jsIsAdmin":"","adminUrl":"https:\/\/www.justonecookbook.com\/wp-admin\/","globalurl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/membermouse","ajaxurl":"https:\/\/www.justonecookbook.com\/wp-admin\/admin-ajax.php","checkoutProcessingPaidMessage":"Please wait while we process your order...","checkoutProcessingFreeMessage":"Please wait while we create your account...","checkoutProcessingMessageCSS":"mm-checkout-processing-message","currencyInfo":{"currency":"USD","postfixIso":false,"name":"United States Dollar","int_curr_symbol":"&#85;&#83;&#68;&#32;","currency_symbol":"$","mon_decimal_point":".","mon_thousands_sep":",","mon_grouping":"3;3","positive_sign":"","negative_sign":"","int_frac_digits":"2","frac_digits":"2","p_cs_precedes":"1","p_sep_by_space":"0","n_cs_precedes":"1","n_sep_by_space":"0","p_sign_posn":"1","n_sign_posn":"1"}};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/js/global.js" id="membermouse-global-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/js/common/mm-common-core.js" id="mm-common-core.js-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/download-manager/assets/bootstrap/js/bootstrap.bundle.min.js" id="wpdm-front-bootstrap-js"></script>
<script id="wpdm-frontjs-js-extra">
var wpdm_url = {"home":"https:\/\/www.justonecookbook.com\/","site":"https:\/\/www.justonecookbook.com\/","ajax":"https:\/\/www.justonecookbook.com\/wp-admin\/admin-ajax.php"};
var wpdm_js = {"spinner":"<i class=\"fas fa-sun fa-spin\"><\/i>"};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/download-manager/assets/js/front.js" id="wpdm-frontjs-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/js/user/mm-preview.js" id="mm-preview.js-js"></script>
<script src="https://maps.google.com/maps/api/js?key=AIzaSyCEDdQTyZ5ABhoYdCKl5S93ltGpjQjgqnY" id="mks-map-google-map-api-3-js"></script>
<link rel="https://api.w.org/" href="https://www.justonecookbook.com/wp-json/" /><link rel="alternate" type="application/json" href="https://www.justonecookbook.com/wp-json/wp/v2/posts/17930" /><link rel="EditURI" type="application/rsd+xml" title="RSD" href="https://www.justonecookbook.com/xmlrpc.php?rsd" />
<link rel="shortlink" href="https://www.justonecookbook.com/?p=17930" />
<link rel="alternate" type="application/json+oembed" href="https://www.justonecookbook.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2F" />
<link rel="alternate" type="text/xml+oembed" href="https://www.justonecookbook.com/wp-json/oembed/1.0/embed?url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2F&#038;format=xml" />




<script class="slickstream-script">
(function() {
    "slickstream";
    const win = window;
    win.$slickBoot = win.$slickBoot || {};
    win.$slickBoot.d = {"placeholders":[{"selector":".entry-content","position":"after selector"}],"bootTriggerTimeout":250,"inlineSearch":[{"id":"below-content-DCM","injection":"auto-inject","selector":".entry-content","position":"after selector","titleHtml":"<span class=\"ss-widget-title\">EXPLORE MORE <\/span>"}],"bestBy":1696884473725,"epoch":1694722470449,"siteCode":"L9LWDWR9","services":{"engagementCacheableApiDomain":"https:\/\/c08f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c08b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c08f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c08b-wss.app.slickstream.com\/socket?site=L9LWDWR9"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/app.js","adminUrl":"","allowList":["justonecookbook.com"],"abTests":[],"v2":{"phone":{"placeholders":[{"selector":".entry-content","position":"after selector"}],"bootTriggerTimeout":250,"inlineSearch":[{"id":"below-content-DCM","injection":"auto-inject","selector":".entry-content","position":"after selector","titleHtml":"<span class=\"ss-widget-title\">EXPLORE MORE <\/span>"}],"bestBy":1696884473725,"epoch":1694722470449,"siteCode":"L9LWDWR9","services":{"engagementCacheableApiDomain":"https:\/\/c08f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c08b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c08f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c08b-wss.app.slickstream.com\/socket?site=L9LWDWR9"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/app.js","adminUrl":"","allowList":["justonecookbook.com"],"abTests":[]},"tablet":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1696884473725,"epoch":1694722470449,"siteCode":"L9LWDWR9","services":{"engagementCacheableApiDomain":"https:\/\/c08f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c08b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c08f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c08b-wss.app.slickstream.com\/socket?site=L9LWDWR9"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/app.js","adminUrl":"","allowList":["justonecookbook.com"],"abTests":[]},"desktop":{"placeholders":[{"selector":".entry-content","position":"after selector"}],"bootTriggerTimeout":250,"inlineSearch":[{"id":"below-content-DCM","injection":"auto-inject","selector":".entry-content","position":"after selector","titleHtml":"<span class=\"ss-widget-title\">EXPLORE MORE <\/span>"}],"bestBy":1696884473725,"epoch":1694722470449,"siteCode":"L9LWDWR9","services":{"engagementCacheableApiDomain":"https:\/\/c08f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c08b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c08f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c08b-wss.app.slickstream.com\/socket?site=L9LWDWR9"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/app.js","adminUrl":"","allowList":["justonecookbook.com"],"abTests":[]},"unknown":{"placeholders":[],"bootTriggerTimeout":250,"bestBy":1696884473725,"epoch":1694722470449,"siteCode":"L9LWDWR9","services":{"engagementCacheableApiDomain":"https:\/\/c08f.app.slickstream.com\/","engagementNonCacheableApiDomain":"https:\/\/c08b.app.slickstream.com\/","engagementResourcesDomain":"https:\/\/c08f.app.slickstream.com\/","storyCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyNonCacheableApiDomain":"https:\/\/stories.slickstream.com\/","storyResourcesDomain":"https:\/\/stories.slickstream.com\/","websocketUri":"wss:\/\/c08b-wss.app.slickstream.com\/socket?site=L9LWDWR9"},"bootUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/boot-loader.js","appUrl":"https:\/\/c.slickstream.com\/app\/2.13.45\/app.js","adminUrl":"","allowList":["justonecookbook.com"],"abTests":[]}}};
    win.$slickBoot.s = 'plugin';
    win.$slickBoot._bd = performance.now();
})();
</script>


<script>
"use strict";(async(e,t)=>{const n="slickstream";const r=e?JSON.parse(e):null;const i=t?JSON.parse(t):null;if(r||i){const e=async()=>{if(document.body){if(r){o(r.selector,r.position||"after selector","slick-film-strip",r.minHeight||72,r.margin||r.marginLegacy||"10px auto")}if(i){i.forEach((e=>{if(e.selector){o(e.selector,e.position||"after selector","slick-inline-search-panel",e.minHeight||350,e.margin||e.marginLegacy||"50px 15px",e.id)}}))}return}window.requestAnimationFrame(e)};window.requestAnimationFrame(e)}const c=async(e,t)=>{const n=Date.now();while(true){const r=document.querySelector(e);if(r){return r}const i=Date.now();if(i-n>=t){throw new Error("Timeout")}await s(200)}};const s=async e=>new Promise((t=>{setTimeout(t,e)}));const o=async(e,t,r,i,s,o)=>{try{const n=await c(e,5e3);const a=o?document.querySelector(`.${r}[data-config="${o}"]`):document.querySelector(`.${r}`);if(n&&!a){const e=document.createElement("div");e.style.minHeight=i+"px";e.style.margin=s;e.classList.add(r);if(o){e.dataset.config=o}switch(t){case"after selector":n.insertAdjacentElement("afterend",e);break;case"before selector":n.insertAdjacentElement("beforebegin",e);break;case"first child of selector":n.insertAdjacentElement("afterbegin",e);break;case"last child of selector":n.insertAdjacentElement("beforeend",e);break}return e}}catch(t){console.log("plugin","error",n,`Failed to inject ${r} for selector ${e}`)}return false}})
('','[{\"id\":\"below-content-DCM\",\"injection\":\"auto-inject\",\"selector\":\".entry-content\",\"position\":\"after selector\",\"titleHtml\":\"<span class=\\\"ss-widget-title\\\">EXPLORE MORE <\\/span>\"}]');

</script>

<meta property="slick:wpversion" content="1.4.2" />

<script class="slickstream-script">
'use strict';
(async(e,t)=>{if(location.search.indexOf("no-slick")>=0){return}let o;const c=()=>performance.now();let a=window.$slickBoot=window.$slickBoot||{};a.rt=e;a._es=c();a.ev="2.0.1";a.l=async(e,t)=>{try{let a=0;if(!o&&"caches"in self){o=await caches.open("slickstream-code")}if(o){let n=await o.match(e);if(!n){a=c();await o.add(e);n=await o.match(e);if(n&&!n.ok){n=undefined;o.delete(e)}}if(n){const e=n.headers.get("x-slickstream-consent");return{t:a,d:t?await n.blob():await n.json(),c:e||"na"}}}}catch(e){console.log(e)}return{}};const n=e=>new Request(e,{cache:"no-store"});if(!a.d||a.d.bestBy<Date.now()){const o=n(`${e}/d/page-boot-data?site=${t}&url=${encodeURIComponent(location.href.split("#")[0])}`);let{t:s,d:i,c:d}=await a.l(o);if(i){if(i.bestBy<Date.now()){i=undefined}else if(s){a._bd=s;a.c=d}}if(!i){a._bd=c();const e=await fetch(o);const t=e.headers.get("x-slickstream-consent");a.c=t||"na";i=await e.json()}if(i){a.d=i;a.s="embed"}}if(a.d){let e=a.d.bootUrl;const{t:t,d:o}=await a.l(n(e),true);if(o){a.bo=e=URL.createObjectURL(o);if(t){a._bf=t}}else{a._bf=c()}const s=document.createElement("script");s.className="slickstream-script";s.src=e;document.head.appendChild(s)}else{console.log("[slickstream] Boot failed")}})
("https://app.slickstream.com","L9LWDWR9");
</script>


<meta property="slick:wppostid" content="17930" />
<meta property="slick:featured_image" content="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg" />
<meta property="slick:group" content="post" />
<meta property="slick:category" content="side:Side Dish;recipes:Recipes" />
<script type="application/x-slickstream+json">{"@context":"https://slickstream.com","@graph":[{"@type":"Plugin","version":"1.4.2"},{"@type":"Site","name":"Just One Cookbook","url":"https://www.justonecookbook.com","description":"Japanese Food and Recipe Blog","atomUrl":"https://www.justonecookbook.com/feed/atom/","rtl":false},{"@type":"WebPage","@id":17930,"isFront":false,"isHome":false,"isCategory":false,"isTag":false,"isSingular":true,"date":"2023-09-18T17:00:31-07:00","modified":"2023-09-18T17:35:18-07:00","title":"Yaki Onigiri (Grilled Rice Ball) \u713c\u304d\u304a\u306b\u304e\u308a","pageType":"post","postType":"post","featured_image":"https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg","author":"Nami","categories":[{"@id":32263,"slug":"side","name":"Side Dish","parents":[{"@type":"CategoryParent","@id":634,"slug":"recipes","name":"Recipes"}]}],"tags":["Easy","Grill/BBQ/Smoke","Izakaya","Kid-Friendly","Rice + Donburi","Summer","Under 30 Minutes","Vegan","Vegetarian"],"taxonomies":[]}]}</script>

<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] WARNING: WP-Rocket is deferring one or more Slickstream scripts. This may cause undesirable behavior, such as increased CLS scores.');
    }
})();
</script><style type="text/css">.wprm-glossary-term {color: #5A822B;text-decoration: underline;cursor: help;}</style><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><link rel="Shortcut Icon" type="image/x-icon" href="https://www.justonecookbook.com/wp-content/themes/joc/assets/images/favicon.svg" /><style>#wpcomm .wc-footer-left .wc-cta-button:hover a{color:#FFFFFF}#wpdiscuz-search-form .fas,.wpdiscuz-widget-search-form .fas{color:#00B38F}#wpdiscuz-search-form .wpdiscuz-comm-search{color:#666666!important}#wpdiscuz-search-form .wpdiscuz-search-box{background-color:#FFFFFF;border:1px solid #CDCDCD}#wpdiscuz-search-form .wpdiscuz-search-setting{border:1px solid#CDCDCD}.wpdiscuz-search-setting .shearch-arrow{border-color: transparent transparent #CDCDCD}.wpdiscuz-search-setting{background-color:#FFFFFF!important;}.wpdiscuz-search-setting .shearch-arrow-no-border{border-bottom: 9px solid #FFFFFF!important}.wpdiscuz-search-setting input{color:#666666 !important}.wc-thread-wrapper-search p.wpd-search-result-title{border-bottom:1px solid #CDCDCD}.wpdiscuz-search-setting p:hover{background-color:#EEEEEE}#wpdiscuz-search-pagination .wpdiscuz-search-pagination-item{background-color:#C4ECE4;color:#666666}#wpdiscuz-search-pagination .pagination-current-page{border:2px solid#666666}.wpdiscuz-search-widget-loadmore{background-color:#DAF3EE;color:#666666;border:1px solid#CCCCCC}.wpdiscuz-searched-data{background-color:#C4ECE4}</style><link rel="icon" href="https://www.justonecookbook.com/wp-content/uploads/2023/02/cropped-JOC-Favicon-2022-512-x-512-32x32.jpeg" sizes="32x32" />
<link rel="icon" href="https://www.justonecookbook.com/wp-content/uploads/2023/02/cropped-JOC-Favicon-2022-512-x-512-192x192.jpeg" sizes="192x192" />
<link rel="apple-touch-icon" href="https://www.justonecookbook.com/wp-content/uploads/2023/02/cropped-JOC-Favicon-2022-512-x-512-180x180.jpeg" />
<meta name="msapplication-TileImage" content="https://www.justonecookbook.com/wp-content/uploads/2023/02/cropped-JOC-Favicon-2022-512-x-512-270x270.jpeg" />
<script data-no-optimize="1" data-cfasync="false" id="cls-disable-ads-b72e8f4">'use strict';var cls_disable_ads=function(n){function h(a,b){var c="function"===typeof Symbol&&a[Symbol.iterator];if(!c)return a;a=c.call(a);var d,e=[];try{for(;(void 0===b||0<b--)&&!(d=a.next()).done;)e.push(d.value)}catch(l){var f={error:l}}finally{try{d&&!d.done&&(c=a["return"])&&c.call(a)}finally{if(f)throw f.error;}}return e}function k(a,b,c){if(c||2===arguments.length)for(var d=0,e=b.length,f;d<e;d++)!f&&d in b||(f||(f=Array.prototype.slice.call(b,0,d)),f[d]=b[d]);return a.concat(f||Array.prototype.slice.call(b))}
window.adthriveCLS.buildDate="2023-10-06";var C=new (function(){function a(){}a.prototype.info=function(b,c){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];this.call.apply(this,k([console.info,b,c],h(d),!1))};a.prototype.warn=function(b,c){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];this.call.apply(this,k([console.warn,b,c],h(d),!1))};a.prototype.error=function(b,c){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];this.call.apply(this,k([console.error,b,c],
h(d),!1));this.sendErrorLogToCommandQueue.apply(this,k([b,c],h(d),!1))};a.prototype.event=function(b,c){for(var d,e=2;e<arguments.length;e++);"debug"===(null===(d=window.adthriveCLS)||void 0===d?void 0:d.bucket)&&this.info(b,c)};a.prototype.sendErrorLogToCommandQueue=function(b,c){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];window.adthrive=window.adthrive||{};window.adthrive.cmd=window.adthrive.cmd||[];window.adthrive.cmd.push(function(){void 0!==window.adthrive.logError&&"function"===
typeof window.adthrive.logError&&window.adthrive.logError(b,c,d)}.bind(b,c,d))};a.prototype.call=function(b,c,d){for(var e=[],f=3;f<arguments.length;f++)e[f-3]=arguments[f];f=["%c".concat(c,"::").concat(d," ")];var l=["color: #999; font-weight: bold;"];0<e.length&&"string"===typeof e[0]&&f.push(e.shift());l.push.apply(l,k([],h(e),!1));try{Function.prototype.apply.call(b,console,k([f.join("")],h(l),!1))}catch(B){console.error(B)}};return a}()),g;(function(a){a.amznbid="amznbid";a.amzniid="amzniid";
a.amznp="amznp";a.amznsz="amznsz"})(g||(g={}));var m;(function(a){a.ThirtyThreeAcross="33across";a.AppNexus="appnexus";a.Amazon="amazon";a.Colossus="colossus";a.ColossusServer="col_ss";a.Conversant="conversant";a.Concert="concert";a.Criteo="criteo";a.GumGum="gumgum";a.ImproveDigital="improvedigital";a.ImproveDigitalServer="improve_ss";a.IndexExchange="ix";a.Kargo="kargo";a.KargoServer="krgo_ss";a.MediaGrid="grid";a.MediaGridVideo="gridvid";a.Nativo="nativo";a.OpenX="openx";a.Ogury="ogury";a.OpenXServer=
"opnx_ss";a.Pubmatic="pubmatic";a.PubmaticServer="pubm_ss";a.ResetDigital="resetdigital";a.Roundel="roundel";a.Rtbhouse="rtbhouse";a.Rubicon="rubicon";a.RubiconServer="rubi_ss";a.Sharethrough="sharethrough";a.Teads="teads";a.Triplelift="triplelift";a.TripleliftServer="tripl_ss";a.TTD="ttd";a.Undertone="undertone";a.UndertoneServer="under_ss";a.Unruly="unruly";a.YahooSSP="yahoossp";a.YahooSSPServer="yah_ss";a.Verizon="verizon";a.Yieldmo="yieldmo"})(m||(m={}));var q;(function(a){a.Prebid="prebid";a.GAM=
"gam";a.Amazon="amazon";a.Marmalade="marmalade";a.Floors="floors";a.CMP="cmp"})(q||(q={}));var r;(function(a){a.cm="cm";a.fbrap="fbrap";a.rapml="rapml"})(r||(r={}));var t;(function(a){a.lazy="lazy";a.raptive="raptive";a.refresh="refresh";a.session="session";a.crossDomain="crossdomain";a.highSequence="highsequence";a.lazyBidPool="lazyBidPool"})(t||(t={}));var u;(function(a){a.lazy="l";a.raptive="rapml";a.refresh="r";a.session="s";a.crossdomain="c";a.highsequence="hs";a.lazyBidPool="lbp"})(u||(u={}));
var v;(function(a){a.Version="Version";a.SharingNotice="SharingNotice";a.SaleOptOutNotice="SaleOptOutNotice";a.SharingOptOutNotice="SharingOptOutNotice";a.TargetedAdvertisingOptOutNotice="TargetedAdvertisingOptOutNotice";a.SensitiveDataProcessingOptOutNotice="SensitiveDataProcessingOptOutNotice";a.SensitiveDataLimitUseNotice="SensitiveDataLimitUseNotice";a.SaleOptOut="SaleOptOut";a.SharingOptOut="SharingOptOut";a.TargetedAdvertisingOptOut="TargetedAdvertisingOptOut";a.SensitiveDataProcessing="SensitiveDataProcessing";
a.KnownChildSensitiveDataConsents="KnownChildSensitiveDataConsents";a.PersonalDataConsents="PersonalDataConsents";a.MspaCoveredTransaction="MspaCoveredTransaction";a.MspaOptOutOptionMode="MspaOptOutOptionMode";a.MspaServiceProviderMode="MspaServiceProviderMode";a.SubSectionType="SubsectionType";a.Gpc="Gpc"})(v||(v={}));var w;(function(a){a[a.NA=0]="NA";a[a.OptedOut=1]="OptedOut";a[a.OptedIn=2]="OptedIn"})(w||(w={}));var x;(function(a){a.AdDensity="addensity";a.AdLayout="adlayout";a.FooterCloseButton=
"footerclose";a.Interstitial="interstitial";a.RemoveVideoTitleWrapper="removevideotitlewrapper";a.StickyOutstream="stickyoutstream";a.StickyOutstreamOnStickyPlayer="sospp";a.VideoAdvancePlaylistRelatedPlayer="videoadvanceplaylistrp";a.MobileStickyPlayerPosition="mspp"})(x||(x={}));var y;(function(a){a.Desktop="desktop";a.Mobile="mobile"})(y||(y={}));var z;(function(a){a.Video_Collapse_Autoplay_SoundOff="Video_Collapse_Autoplay_SoundOff";a.Video_Individual_Autoplay_SOff="Video_Individual_Autoplay_SOff";
a.Video_Coll_SOff_Smartphone="Video_Coll_SOff_Smartphone";a.Video_In_Post_ClicktoPlay_SoundOn="Video_In-Post_ClicktoPlay_SoundOn"})(z||(z={}));var A;(A||(A={})).None="none";g=function(){function a(){this._timeOrigin=0}a.prototype.resetTimeOrigin=function(){this._timeOrigin=window.performance.now()};a.prototype.now=function(){try{return Math.round(window.performance.now()-this._timeOrigin)}catch(b){return 0}};return a}();window.adthrive.windowPerformance=window.adthrive.windowPerformance||new g;g=
window.adthrive.windowPerformance;g.now.bind(g);var p=function(a){var b=window.location.href;return a.some(function(c){return(new RegExp(c,"i")).test(b)})};g=function(){function a(b){this.adthrive=b;this.video=this.recipe=this.content=this.all=!1;this.locations=new Set;this.reasons=new Set;if(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(c){C.error("ClsDisableAds","checkCommandQueue",c)}}a.prototype.checkCommandQueue=function(){var b=this;this.adthrive&&this.adthrive.cmd&&this.adthrive.cmd.forEach(function(c){c=c.toString();var d=b.extractAPICall(c,"disableAds");d&&b.disableAllAds(b.extractPatterns(d));(d=b.extractAPICall(c,"disableContentAds"))&&b.disableContentAds(b.extractPatterns(d));(c=b.extractAPICall(c,"disablePlaylistPlayers"))&&b.disablePlaylistPlayers(b.extractPatterns(c))})};
a.prototype.extractPatterns=function(b){b=b.match(/["'](.*?)['"]/g);if(null!==b)return b.map(function(c){return c.replace(/["']/g,"")})};a.prototype.extractAPICall=function(b,c){b=b.match(new RegExp(c+"\\((.*?)\\)","g"));return null!==b?b[0]:!1};a.prototype.disableAllAds=function(b){if(!b||p(b))this.all=!0,this.reasons.add("all_page")};a.prototype.disableContentAds=function(b){if(!b||p(b))this.recipe=this.content=!0,this.locations.add("Content"),this.locations.add("Recipe"),this.reasons.add("content_plugin")};
a.prototype.disablePlaylistPlayers=function(b){if(!b||p(b))this.video=!0,this.locations.add("Video"),this.reasons.add("video_page")};a.prototype.urlHasEmail=function(b){return b?null!==/([A-Z0-9._%+-]+(@|%(25)*40)[A-Z0-9.-]+\.[A-Z]{2,})/i.exec(b):!1};return a}();if(m=window.adthriveCLS)m.disableAds=new g(window.adthrive);n.ClsDisableAds=g;Object.defineProperty(n,"__esModule",{value:!0});return n}({})
</script> <style id="wp-custom-css">
			.horizontal-mailchimp .mc-field-group,
.horizontal-mailchimp .clear {
     display: inline-block;
}

.horizontal-mailchimp {
     margin: 20px auto;
     padding: 20px;
     text-align: center;
}

@media only screen and (max-width: 768px) {

     .horizontal-mailchimp .mc-field-group,
     .horizontal-mailchimp .clear,
     .horizontal-mailchimp input {
          display: block;
          width: 100%;
     }

     .horizontal-mailchimp .mc-field-group {
          margin-bottom: 5px;
     }

}

.enews-group-field input[type=radio] {
	border-radius: 15px;
    border: 1px solid #ffffff;
    background: 0 0;
    white-space: nowrap;
    overflow: hidden;
    width: 14px;
    height: 14px;
    color: transparent;
    vertical-align: text-top;
    margin-right: 5px;
	display: inline-block;
}

.footer-sub input[type=radio] {
	  border-radius: 15px;
    border: 1px solid #212121;
    background: 0 0;
    white-space: nowrap;
    overflow: hidden;
    width: 14px;
    height: 14px;
    color: transparent;
    vertical-align: text-top;
    margin-right: 5px;
	display: inline-block;
}

.enews-group-field input[type=radio]:checked,
.footer-sub input[type=radio]:checked {
  background: #d0021b;
}

.enews-group-field label,
.footer-sub label {
	font-size: 14px;
	vertical-align: text-top;
}

.enews-group-field {
	margin-top: 8px;
	margin-bottom: 6px;
	max-height: 25px;
}

.recipe-jump-group {
	align-items: center !important;
}

.recipe-jump-group,
.recipe-jump-group > *,
.recipe-info a,
.recipe-info span {
	height: 30px !important;
}
		</style>
<meta name="generator" content="WordPress Download Manager 6.3.6" />
<style>
</style>

<script>(function(d,u,ac){var s=d.createElement('script');s.type='text/javascript';s.src='https://a.omappapi.com/app/js/api.min.js';s.async=true;s.dataset.user=u;s.dataset.account=ac;d.getElementsByTagName('head')[0].appendChild(s);})(document,123324,135574);</script>
 <style>
            /* WPDM Link Template Styles */
        </style>
<style>

            :root {
                --color-primary: #1a2735;
                --color-primary-rgb: 26, 39, 53;
                --color-primary-hover: #d0021b;
                --color-primary-active: #1a2735;
                --color-secondary: #6c757d;
                --color-secondary-rgb: 108, 117, 125;
                --color-secondary-hover: #6c757d;
                --color-secondary-active: #6c757d;
                --color-success: #18ce0f;
                --color-success-rgb: 24, 206, 15;
                --color-success-hover: #18ce0f;
                --color-success-active: #18ce0f;
                --color-info: #2CA8FF;
                --color-info-rgb: 44, 168, 255;
                --color-info-hover: #2CA8FF;
                --color-info-active: #2CA8FF;
                --color-warning: #FFB236;
                --color-warning-rgb: 255, 178, 54;
                --color-warning-hover: #FFB236;
                --color-warning-active: #FFB236;
                --color-danger: #ff5062;
                --color-danger-rgb: 255, 80, 98;
                --color-danger-hover: #ff5062;
                --color-danger-active: #ff5062;
                --color-green: #30b570;
                --color-blue: #0073ff;
                --color-purple: #8557D3;
                --color-red: #ff5062;
                --color-muted: rgba(69, 89, 122, 0.6);
                --wpdm-font: "Sen", -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Helvetica, Arial, sans-serif, "Apple Color Emoji", "Segoe UI Emoji", "Segoe UI Symbol";
            }

            .wpdm-download-link.btn.btn-primary {
                border-radius: 4px;
            }


        </style>
<script>
            function wpdm_rest_url(request) {
                return "https://www.justonecookbook.com/wp-json/wpdm/" + request;
            }
        </script>

<script async src="https://www.googletagmanager.com/gtag/js?id=G-NSB2W9M7WD"></script>
<script>
      window.dataLayer = window.dataLayer || [];
      function gtag(){dataLayer.push(arguments);}
      gtag('js', new Date());
      gtag('config', 'UA-20813450-1');
      gtag('config', 'G-NSB2W9M7WD');
    </script>

<script>(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start':
    new Date().getTime(),event:'gtm.js'});var f=d.getElementsByTagName(s)[0],
    j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';j.async=true;j.src=
    'https://www.googletagmanager.com/gtm.js?id='+i+dl;f.parentNode.insertBefore(j,f);
    })(window,document,'script','dataLayer','GTM-PZ722G6');</script>

</head>
<body class="single adthrive-cat-side">
<div id="page" class="site">
<a class="skip-link screen-reader-text" href="#primary">Skip to content</a>
<div class="before-header alt">
<div class="wrap flexbox">
<ul id="secondary-menu" class="secondary-menu sm-sans"><li id="menu-item-74653" class="menu-item"><a href="https://www.justonecookbook.com/about/" data-wpel-link="internal">About</a></li>
<li id="menu-item-74654" class="menu-item"><a href="https://www.justonecookbook.com/start-here/" data-wpel-link="internal">Start Here</a></li>
<li id="menu-item-74656" class="menu-item"><a href="https://www.justonecookbook.com/categories/pantry/" data-wpel-link="internal">Pantry</a></li>
<li id="menu-item-120770" class="menu-item"><a href="https://www.justonecookbook.com/jocplus-login/" data-wpel-link="internal">Login</a></li>
</ul><div class="right"><ul id="menu-social-menu" class="social-menu"><li id="menu-item-74647" class="icon-font icon-facebook menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.facebook.com/justonecookbook" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Facebook</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li id="menu-item-74651" class="icon-font icon-instagram menu-item"><a target="_blank" rel="noopener nofollow" href="https://instagram.com/justonecookbook/" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Instagram</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li id="menu-item-74650" class="icon-font icon-pinterest menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.pinterest.com/justonecookbook/" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Pinterest</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li id="menu-item-74648" class="icon-font icon-twitter menu-item"><a target="_blank" rel="noopener nofollow" href="https://twitter.com/justonecookbook" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Twitter</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li id="menu-item-74649" class="icon-font icon-youtube menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.youtube.com/user/justonecookbook?sub_confirmation=1" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Youtube</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
</ul><button class="search-toggle"><svg class="svg-icon open" width="30" height="30" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M39.59,35.94l-7.15-7.16a12.19,12.19,0,1,0-3.65,3.65l7.15,7.16a1.41,1.41,0,0,0,2,0l1.66-1.66A1.41,1.41,0,0,0,39.59,35.94Zm-17.4-6.25a7.5,7.5,0,1,1,7.5-7.5A7.5,7.5,0,0,1,22.19,29.69Z" /></svg><span class="screen-reader-text">Search</span></button><ul id="button-menu" class="button-menu sm-caps white"><li id="menu-item-116858" class="menu-item"><a href="https://www.justonecookbook.com/joc-plus-membership/" data-wpel-link="internal">Ad-Free</a></li>
</ul></div> </div>
</div>
<header id="masthead" class="site-header alt">
<nav id="site-navigation" class="main-navigation">
<div class="site-branding">
<p class="site-title"><a href="https://www.justonecookbook.com/" rel="home" data-wpel-link="internal">Just One Cookbook</a></p>
</div>
<div class="site-menu">
<ul id="primary-menu" class="primary-menu"><li id="menu-item-112819" class="menu-item menu-item-has-children"><a href="#">Recipes</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-74701" class="menu-item"><a href="https://www.justonecookbook.com/recipes/" data-wpel-link="internal">Filter</a></li>
<li id="menu-item-112816" class="menu-item"><a href="https://www.justonecookbook.com/recipe-index/" data-wpel-link="internal">Index</a></li>
<li id="menu-item-112817" class="menu-item current_page_parent"><a href="https://www.justonecookbook.com/blog/" data-wpel-link="internal">Latest</a></li>
<li id="menu-item-112818" class="menu-item"><a href="https://www.justonecookbook.com/tags/most-popular/" data-wpel-link="internal">Popular</a></li>
</ul>
</li>
<li id="menu-item-74702" class="menu-item menu-item-has-children"><a>Course</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-74703" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/appetizer/" data-wpel-link="internal">Appetizer</a></li>
<li id="menu-item-74704" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/beverage/" data-wpel-link="internal">Beverage</a></li>
<li id="menu-item-74705" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/breakfast/" data-wpel-link="internal">Breakfast</a></li>
<li id="menu-item-74707" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/dessert/" data-wpel-link="internal">Dessert</a></li>
<li id="menu-item-74708" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/entree/" data-wpel-link="internal">Main Dish</a></li>
<li id="menu-item-74709" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/salad/" data-wpel-link="internal">Salad</a></li>
<li id="menu-item-84583" class="menu-item current-post-ancestor current-menu-parent current-post-parent"><a href="https://www.justonecookbook.com/categories/recipes/side/" data-wpel-link="internal">Side Dish</a></li>
<li id="menu-item-74711" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/snack/" data-wpel-link="internal">Snack</a></li>
<li id="menu-item-75306" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/soup-stew/" data-wpel-link="internal">Soup + Stew</a></li>
<li id="menu-item-99736" class="menu-item"><a href="https://www.justonecookbook.com/tags/sweets/" data-wpel-link="internal">Sweets</a></li>
</ul>
</li>
<li id="menu-item-74713" class="menu-item menu-item-has-children"><a href="#">Dietary</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-74714" class="menu-item"><a href="https://www.justonecookbook.com/tags/gluten-free/" data-wpel-link="internal">Gluten-Free</a></li>
<li id="menu-item-74716" class="menu-item"><a href="https://www.justonecookbook.com/tags/vegan/" data-wpel-link="internal">Vegan</a></li>
<li id="menu-item-99715" class="menu-item"><a href="https://www.justonecookbook.com/tags/vegan-adaptable/" data-wpel-link="internal">Vegan/Vegetarian Adaptable</a></li>
<li id="menu-item-74717" class="menu-item"><a href="https://www.justonecookbook.com/tags/vegetarian/" data-wpel-link="internal">Vegetarian</a></li>
</ul>
</li>
<li id="menu-item-74718" class="menu-item menu-item-has-children"><a>Ingredient</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-74720" class="menu-item"><a href="https://www.justonecookbook.com/tags/beef/" data-wpel-link="internal">Beef</a></li>
<li id="menu-item-74721" class="menu-item"><a href="https://www.justonecookbook.com/tags/chicken/" data-wpel-link="internal">Chicken</a></li>
<li id="menu-item-74924" class="menu-item"><a href="https://www.justonecookbook.com/tags/egg/" data-wpel-link="internal">Egg</a></li>
<li id="menu-item-112118" class="menu-item"><a href="https://www.justonecookbook.com/tags/fruit/" data-wpel-link="internal">Fruit</a></li>
<li id="menu-item-112075" class="menu-item"><a href="https://www.justonecookbook.com/tags/mushroom/" data-wpel-link="internal">Mushroom</a></li>
<li id="menu-item-74943" class="menu-item"><a href="https://www.justonecookbook.com/tags/pasta-noodle-dumpling/" data-wpel-link="internal">Noodle + Pasta</a></li>
<li id="menu-item-74724" class="menu-item"><a href="https://www.justonecookbook.com/tags/pork/" data-wpel-link="internal">Pork</a></li>
<li id="menu-item-74944" class="menu-item"><a href="https://www.justonecookbook.com/tags/rice-donburi/" data-wpel-link="internal">Rice</a></li>
<li id="menu-item-74726" class="menu-item"><a href="https://www.justonecookbook.com/tags/seafood/" data-wpel-link="internal">Seafood</a></li>
<li id="menu-item-74727" class="menu-item"><a href="https://www.justonecookbook.com/tags/tofu/" data-wpel-link="internal">Tofu</a></li>
<li id="menu-item-74925" class="menu-item"><a href="https://www.justonecookbook.com/tags/vegetable/" data-wpel-link="internal">Vegetable</a></li>
<li id="menu-item-170940" class="menu-item"><a href="https://www.justonecookbook.com/categories/pantry/" data-wpel-link="internal">Japanese Pantry</a></li>
</ul>
</li>
<li id="menu-item-74728" class="menu-item menu-item-has-children"><a>Category</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-161548" class="menu-item"><a href="https://www.justonecookbook.com/tags/weeknight-dinner/" data-wpel-link="internal">Nami&#8217;s 100 Weeknight Dinners</a></li>
<li id="menu-item-174100" class="menu-item"><a href="https://www.justonecookbook.com/tags/sides-under-20-min/" data-wpel-link="internal">Sides Under 20 Min</a></li>
<li id="menu-item-84585" class="menu-item"><a href="https://www.justonecookbook.com/tags/bento/" data-wpel-link="internal">Bento</a></li>
<li id="menu-item-74932" class="menu-item"><a href="https://www.justonecookbook.com/tags/easy/" data-wpel-link="internal">Easy</a></li>
<li id="menu-item-99710" class="menu-item"><a href="https://www.justonecookbook.com/tags/grilling-bbq/" data-wpel-link="internal">Grill/BBQ/Smoke</a></li>
<li id="menu-item-74933" class="menu-item"><a href="https://www.justonecookbook.com/tags/hot-pot/" data-wpel-link="internal">Hot Pot</a></li>
<li id="menu-item-180584" class="menu-item"><a href="https://www.justonecookbook.com/tags/izakaya/" data-wpel-link="internal">Izakaya</a></li>
<li id="menu-item-99717" class="menu-item"><a href="https://www.justonecookbook.com/tags/meal-prep/" data-wpel-link="internal">Meal Prep</a></li>
<li id="menu-item-74935" class="menu-item"><a href="https://www.justonecookbook.com/tags/pressure-cooker/" data-wpel-link="internal">Pressure Cooker</a></li>
<li id="menu-item-132598" class="menu-item"><a href="https://www.justonecookbook.com/tags/stir-fry/" data-wpel-link="internal">Stir-Fry</a></li>
<li id="menu-item-112064" class="menu-item"><a href="https://www.justonecookbook.com/tags/sushi-sashimi/" data-wpel-link="internal">Sushi</a></li>
<li id="menu-item-74936" class="menu-item"><a href="https://www.justonecookbook.com/tags/under-30-minutes/" data-wpel-link="internal">Under 30 Minutes</a></li>
<li id="menu-item-74937" class="menu-item"><a href="https://www.justonecookbook.com/tags/under-5-ingredients/" data-wpel-link="internal">Under 5 Ingredients</a></li>
</ul>
</li>
<li id="menu-item-74744" class="menu-item menu-item-has-children"><a>Tips</a>
<button class="sub-menu-toggle" aria-expanded="false" aria-pressed="false"><span class="screen-reader-text">Submenu</span><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button><ul class="submenu">
<li id="menu-item-170935" class="menu-item"><a href="https://www.justonecookbook.com/tags/cooking-tip/" data-wpel-link="internal">Cooking Tips</a></li>
<li id="menu-item-170934" class="menu-item"><a href="https://www.justonecookbook.com/tags/kitchen-guide/" data-wpel-link="internal">Kitchen Guide</a></li>
<li id="menu-item-170936" class="menu-item"><a href="https://www.justonecookbook.com/tags/pantry-tip/" data-wpel-link="internal">Pantry Tips</a></li>
</ul>
</li>
</ul>
<form role="search" method="get" class="search-form" action="https://www.justonecookbook.com/">
<label>
<span class="screen-reader-text">Search for</span>
<input type="search" class="search-field" placeholder="Search&hellip;" value name="s" title="Search for" />
</label>
<button type="submit" class="search-submit" aria-label="search-submit"><svg class="svg-icon" width="30" height="30" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M39.59,35.94l-7.15-7.16a12.19,12.19,0,1,0-3.65,3.65l7.15,7.16a1.41,1.41,0,0,0,2,0l1.66-1.66A1.41,1.41,0,0,0,39.59,35.94Zm-17.4-6.25a7.5,7.5,0,1,1,7.5-7.5A7.5,7.5,0,0,1,22.19,29.69Z" /></svg> <span class="screen-reader-text">Search Submit</span></button>
</form>
<ul id="secondary-menu" class="secondary-menu sm-sans"><li class="menu-item"><a href="https://www.justonecookbook.com/about/" data-wpel-link="internal">About</a></li>
<li class="menu-item"><a href="https://www.justonecookbook.com/start-here/" data-wpel-link="internal">Start Here</a></li>
<li class="menu-item"><a href="https://www.justonecookbook.com/categories/pantry/" data-wpel-link="internal">Pantry</a></li>
<li class="menu-item"><a href="https://www.justonecookbook.com/jocplus-login/" data-wpel-link="internal">Login</a></li>
</ul><ul id="menu-social-menu-1" class="social-menu"><li class="icon-font icon-facebook menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.facebook.com/justonecookbook" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Facebook</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li class="icon-font icon-instagram menu-item"><a target="_blank" rel="noopener nofollow" href="https://instagram.com/justonecookbook/" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Instagram</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li class="icon-font icon-pinterest menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.pinterest.com/justonecookbook/" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Pinterest</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li class="icon-font icon-twitter menu-item"><a target="_blank" rel="noopener nofollow" href="https://twitter.com/justonecookbook" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Twitter</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li class="icon-font icon-youtube menu-item"><a target="_blank" rel="noopener nofollow" href="https://www.youtube.com/user/justonecookbook?sub_confirmation=1" data-wpel-link="external" class="ext-link wpel-icon-right"><span>Youtube</span><span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
</ul> </div>
<button class="menu-toggle" aria-label="menu"><svg class="svg-icon open" width="30" height="30" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M10,15.62V13a1.06,1.06,0,0,1,1.07-1.07H38.93A1.06,1.06,0,0,1,40,13v2.67a1.07,1.07,0,0,1-1.07,1.08H11.07A1.07,1.07,0,0,1,10,15.62Zm0,10.72V23.66a1.07,1.07,0,0,1,1.07-1.07H38.93A1.07,1.07,0,0,1,40,23.66v2.68a1.07,1.07,0,0,1-1.07,1.07H11.07A1.07,1.07,0,0,1,10,26.34Zm0,10.71V34.38a1.07,1.07,0,0,1,1.07-1.08H38.93A1.07,1.07,0,0,1,40,34.38v2.67a1.06,1.06,0,0,1-1.07,1.07H11.07A1.06,1.06,0,0,1,10,37.05Z" /></svg></button><button class="search-toggle"><svg class="svg-icon open" width="30" height="30" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M39.59,35.94l-7.15-7.16a12.19,12.19,0,1,0-3.65,3.65l7.15,7.16a1.41,1.41,0,0,0,2,0l1.66-1.66A1.41,1.41,0,0,0,39.59,35.94Zm-17.4-6.25a7.5,7.5,0,1,1,7.5-7.5A7.5,7.5,0,0,1,22.19,29.69Z" /></svg><span class="screen-reader-text">Search</span></button><div class="header-search">
<form role="search" method="get" class="search-form" action="https://www.justonecookbook.com/">
<label>
<span class="screen-reader-text">Search for</span>
<input type="search" class="search-field" placeholder="Search&hellip;" value name="s" title="Search for" />
</label>
<button type="submit" class="search-submit" aria-label="search-submit"><svg class="svg-icon" width="30" height="30" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M39.59,35.94l-7.15-7.16a12.19,12.19,0,1,0-3.65,3.65l7.15,7.16a1.41,1.41,0,0,0,2,0l1.66-1.66A1.41,1.41,0,0,0,39.59,35.94Zm-17.4-6.25a7.5,7.5,0,1,1,7.5-7.5A7.5,7.5,0,0,1,22.19,29.69Z" /></svg> <span class="screen-reader-text">Search Submit</span></button>
</form>
</div> </nav>
</header>
<div class="site-inner">
<div class="content-sidebar-wrap">
<main id="primary" class="site-main">
<article id="post-17930" class="type-post hentry">
<header class="entry-header">
<div class="before-post-header flexbox">
<div id="breadcrumbs" class="breadcrumbs"><span><span><a href="https://www.justonecookbook.com/" data-wpel-link="internal">Home</a></span> » <span class="breadcrumb_last" aria-current="page">Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり</span></span></div> </div>
<h1 class="entry-title">Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり</h1>
<div class="entry-meta flexbox">
<div class="left"><span class="sm-sans flexbox truncated-rating"><span class="rating-average">4.67</span><style>#wprm-recipe-rating-0 .wprm-rating-star.wprm-rating-star-full svg * { fill: #343434; }#wprm-recipe-rating-0 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-rating-0-33); }#wprm-recipe-rating-0 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-rating-0-50); }#wprm-recipe-rating-0 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-rating-0-66); }linearGradient#wprm-recipe-rating-0-33 stop { stop-color: #343434; }linearGradient#wprm-recipe-rating-0-50 stop { stop-color: #343434; }linearGradient#wprm-recipe-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-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-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-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-rating-0" class="wprm-recipe-rating"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#343434" 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" 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" 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" 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" 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><span class="rating-total">(68)</span></span><div class="recipe-time sm-sans"><svg class="svg-icon" width="25" height="25" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M40,25A15,15,0,1,1,25,10,15,15,0,0,1,40,25Zm-9.19,3.33a1,1,0,0,0-.37-.76L26.94,25V16.29a1,1,0,0,0-1-1H24a1,1,0,0,0-1,1V25.7A2.45,2.45,0,0,0,24,27.59l4.05,3a1,1,0,0,0,.61.22.93.93,0,0,0,.75-.37l1.21-1.51A.9.9,0,0,0,30.81,28.33Z" /></svg><span class="screen-reader-text">Total Time: </span></i><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">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-total_time-unit wprm-recipe-total_timeunit-minutes" aria-hidden="true">minutes</span></span></div><span class="post-detail comment-count alt sm-sans"><svg class="svg-icon" width="25" height="25" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M40,13.75V30.62a3.75,3.75,0,0,1-3.75,3.75H27.81l-7.32,5.49a.7.7,0,0,1-1.11-.56V34.37H13.75A3.75,3.75,0,0,1,10,30.62V13.75A3.75,3.75,0,0,1,13.75,10h22.5A3.75,3.75,0,0,1,40,13.75Z" /></svg><a href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/#comments" class="comments-link" data-wpel-link="internal">69 Comments</a></span></div><div class="recipe-jump-group"><button id="jump-to-recipe" class="recipe-info recipe-jump"><span class="59479">Jump to Recipe<svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></span></button><span class="recipe-info recipe-jump"></span><span class="recipe-info save-recipe"></span></div> </div>
</header>
<div class="post-tax sm-caps alt"><span class="term-link"><a href="https://www.justonecookbook.com/tags/easy/" data-wpel-link="internal">Easy</a> <a href="https://www.justonecookbook.com/tags/grilling-bbq/" data-wpel-link="internal">Grill/BBQ/Smoke</a> <a href="https://www.justonecookbook.com/tags/izakaya/" data-wpel-link="internal">Izakaya</a> </span></div> <div class="sm-ser alt disclosure">This post may contain affiliate links. Please read my <a href="https://www.justonecookbook.com/privacy-policy/" data-wpel-link="internal">disclosure policy</a> for details. As an Amazon Associate, I earn from qualifying purchases.</div> <div class="entry-content ">
<p class="has-text-align-left"><em>A favorite at&nbsp;izakaya&nbsp;restaurants,&nbsp;Yaki Onigiri&nbsp;are Japanese rice balls that are pan-grilled and glazed in savory soy sauce. With a crispy crust on the outside and tender rice on the inside, these rice balls are simply irresistible and easy to make at home!</em></p>
<figure class="wp-block-image size-full"><img decoding="async" loading="lazy" width="1200" height="1800" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184262" data-pin-title="Yaki Onigiri (Grilled Rice Ball)" data-pin-description="A favorite at Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls grilled till crispy on the outside and brushed with savory soy sauce. These rice balls are simply irresistible and easy to make at home!" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II.jpg" alt="A rectangular plate containing Yaki Onigiri (Grilled Rice Balls)." class="wp-image-184262" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3065-II-400x600.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" /></figure>
<p>Have you ever tried <strong>Yaki Onigiri</strong> (焼きおにぎり)? These grilled rice balls are a beloved snack and lunchtime delight in Japan, frequently gracing the menus of BBQ parties and izakaya establishments.</p>
<p>If you have an affinity for both rice and grilled food, you would absolutely enjoy yaki onigiri. Picture these delectable rice balls gently grilling, their exteriors crisping up to a golden brown while the rice within remains warm, tender, and irresistibly soft. A light brush of a savory glaze elevates the flavors, making them a most delicious treat!</p>
<div class="wp-block-yoast-seo-table-of-contents yoast-table-of-contents"><h2>Table of Contents</h2><ul><li><a href="#h-what-s-yaki-onigiri" data-level="2">What&#8217;s Yaki Onigiri?</a></li><li><a href="#h-how-to-make-yaki-onigiri-at-home" data-level="2">How to Make Yaki Onigiri at Home</a><ul><li><a href="#h-the-ingredients-you-ll-need" data-level="3">The Ingredients You&#8217;ll Need</a></li><li><a href="#h-the-cooking-steps" data-level="3">The Cooking Steps</a></li></ul></li><li><a href="#h-filling-or-no-filling-in-yaki-onigiri" data-level="2">Filling or No Filling in Yaki Onigiri</a></li><li><a href="#h-the-glaze-variations" data-level="2">The Glaze Variations</a></li><li><a href="#h-what-to-serve-with-yaki-onigiri" data-level="2">What to Serve with Yaki Onigiri</a></li></ul></div>
<figure class="wp-block-image size-full"><img decoding="async" loading="lazy" width="1200" height="800" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184261" data-pin-title="Yaki Onigiri (Grilled Rice Ball)" data-pin-description="A favorite at Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls grilled till crispy on the outside and brushed with savory soy sauce. These rice balls are simply irresistible and easy to make at home!" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2.jpg" alt="A white fluted plate containing Yaki Onigiri (Grilled Rice Balls)." class="wp-image-184261" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2-800x534.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2-300x200.jpg 300w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2-768x512.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3091-I-2-400x267.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" /></figure>
<h2 class="wp-block-heading" id="h-what-s-yaki-onigiri">What&#8217;s Yaki Onigiri?</h2>
<p>The term &#8220;yaki&#8221; originates from the Japanese word for &#8220;grilled,&#8221; as seen in other popular dishes such as <a href="https://www.justonecookbook.com/chicken-teriyaki/" data-wpel-link="internal">Teriyaki</a>, <a href="https://www.justonecookbook.com/yakisoba/" data-wpel-link="internal">Yakisoba</a>, <a href="https://www.justonecookbook.com/yakiniku-japanese-bbq/" data-wpel-link="internal">Yakiniku</a>, and <a href="https://www.justonecookbook.com/yakitori/" data-wpel-link="internal">Yakitori</a>. On the other hand, &#8220;onigiri&#8221; translates to &#8220;rice balls.&#8221; Therefore, yaki onigiri quite literally means grilled rice balls.</p>
<p>In the traditional preparation of yaki onigiri, rice balls are grilled over charcoal until the rice attains a desirable browned and crispy texture. Subsequently, they are brushed with either soy sauce or a miso glaze, allowing the seasoning to caramelize, creating a golden crust on the exterior.</p>
<p>Nowadays, as most Japanese do not have charcoal or grill in their homes, yaki onigiri is grilled using a frying pan. You&#8217;d start by shaping cooked short-grain white rice into triangular or oval shapes, akin to the regular onigiri (my recipe <a href="https://www.justonecookbook.com/onigiri-rice-balls/" data-wpel-link="internal">here</a>), before pan-grilling them in a pan. It&#8217;s every bit as straightforward to make as it sounds!</p>
<figure class="wp-block-gallery has-nested-images columns-default is-cropped wp-block-gallery-1 is-layout-flex wp-block-gallery-is-layout-flex">
<figure class="wp-block-image size-large"><img decoding="async" loading="lazy" width="800" height="1200" data-pin-description="Stuffed with a variety of fillings and flavors, Onigiri, or Japanese Rice Balls, make an ideal quick snack and a fun alternative to sandwiches for lunch. In this recipe, you‘ll learn how to make onigiri using common ingredients for rice balls in Japan." data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=183552" data-id="183552" data-pin-title="Onigiri (Japanese Rice Balls)" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-800x1200.jpg" alt="An oval plate containing 3 pieces of Onigiri (Japanese Rice Balls) placed on a bamboo leaf." class="wp-image-183552" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2053-II.jpg 1200w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
<figure class="wp-block-image size-large"><img decoding="async" loading="lazy" width="800" height="1200" data-pin-description="Stuffed with a variety of fillings and flavors, Onigiri, or Japanese Rice Balls, make an ideal quick snack and a fun alternative to sandwiches for lunch. In this recipe, you‘ll learn how to make onigiri using common ingredients for rice balls in Japan." data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=183553" data-id="183553" data-pin-title="Onigiri (Japanese Rice Balls)" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-800x1200.jpg" alt="A plate containingn 2 onigiri (Japanese rice balls) garnished with bonito flakes and salmon on top." class="wp-image-183553" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Onigiri-Japanese-Rice-Balls-2083-III.jpg 1200w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
</figure>
<h2 class="wp-block-heading" id="h-how-to-make-yaki-onigiri-at-home">How to Make Yaki Onigiri at Home</h2>
<h3 class="wp-block-heading" id="h-the-ingredients-you-ll-need">The Ingredients You&#8217;ll Need</h3>
<ul>
<li><strong>Japanese short-grain rice</strong> (cooked)</li>
<li><em>Seasonings:</em> <strong>soy sauce</strong>, <strong>sugar</strong>, <strong>salt</strong>, and <strong>sesame oil</strong></li>
<li><em>Soy sauce glaze: </em><strong>soy sauce</strong> and <strong>sesame oil</strong></li>
</ul>
<h3 class="wp-block-heading" id="h-the-cooking-steps">The Cooking Steps</h3>
<ol>
<li>Combine the cooked rice and the seasonings. Mix it all together without making it mushy.</li>
<li>Make onigiri with seasoned rice. In this recipe, I&#8217;ll show you two ways: using an onigiri mold and plastic wrap. You can choose either method.</li>
<li>In a frying pan lined with parchment paper, place the rice balls and grill on all sides on medium-low heat until crispy and golden. </li>
<li>Brush the soy sauce glaze on the rice balls and sear the brushed surface. Be careful not to burn. </li>
<li>Transfer to a plate and enjoy while hot!</li>
</ol>
<figure class="wp-block-image"><img decoding="async" loading="lazy" width="800" height="1200" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=94267" data-pin-title="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" data-pin-description="A favorite in Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls covered in savory soy sauce. With a crispy crust on the outside and soft sticky rice on the inside, these rice balls are simply irresistible and easy to make at home! #yakionigiri #onigiri #riceball | Easy Japanese Recipes at JustOneCookbook.com" src="https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III.jpg" alt="A Japanese blue and white plate containing Yaki Onigiri - Japanese Grilled Rice Balls)." class="wp-image-94267" srcset="https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9552-III-768x1152.jpg 768w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
<h2 class="wp-block-heading" id="h-filling-or-no-filling-in-yaki-onigiri">Filling or No Filling in Yaki Onigiri</h2>
<p><span class="s1">These grilled rice balls can be made with fillings, but typically, it is prepared with plain or seasoned rice. </span>I prefer mine without filling as I find filling can sometimes distract the enjoyment. Then again, the choice is yours.</p>
<p><span class="s1">Because it’s all about simplicity, you want to start with quality Japanese short-grain rice. Forming the onigiri is not something too challenging. I’ve shared step-by-step pictures and tips on how to form the rice balls in the recipe section below, so you will master it in no time.&nbsp;Once </span>you have the rice balls shaped, you just need to place them on the grill, brush with the sauce and leave them to crisp up. </p>
<figure class="wp-block-image size-full"><img decoding="async" loading="lazy" width="1200" height="1800" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184263" data-pin-title="Yaki Onigiri (Grilled Rice Ball)" data-pin-description="A favorite at Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls grilled till crispy on the outside and brushed with savory soy sauce. These rice balls are simply irresistible and easy to make at home!" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III.jpg" alt="A white fluted plate containing Yaki Onigiri (Grilled Rice Balls)." class="wp-image-184263" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3108-III-400x600.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" /></figure>
<h2 class="wp-block-heading" id="h-the-glaze-variations">The Glaze Variations</h2>
<p>Although yaki onigiri is commonly glazed with soy sauce or miso (I have <a href="https://www.justonecookbook.com/miso-yaki-onigiri/" data-wpel-link="internal">Miso Yaki Onigiri</a> recipe), you can be creative with different flavors. Here are my suggestions!</p>
<ul>
<li><strong>Eel Sauce.</strong> I love my <a href="https://www.justonecookbook.com/homemade-unagi-sauce/" data-wpel-link="internal">Homemade Unagi Sauce</a>, and the savory aroma and taste of this caramelized sweet soy sauce blend perfectly with white rice, especially if you like it to be on the sweeter side. </li>
<li><strong>Teriyaki Sauce.</strong> Definitely make my <a href="https://www.justonecookbook.com/teriyaki-sauce/" data-wpel-link="internal">Homemade Teriyaki Sauce</a> for this!</li>
<li><strong>Negi Miso.</strong> My <a href="https://www.justonecookbook.com/negi-miso/" data-wpel-link="internal">Homemade Negi Miso</a> is so delicious. I may put it inside the onigiri, too, but you can definitely slather on the outside and sear a bit.</li>
<li><strong>All Purpose Miso Sauce.</strong> This <a href="https://www.justonecookbook.com/all-purpose-miso-sauce/" data-wpel-link="internal">Homemade All Purpose Miso Sauce</a> goes well with everything.</li>
</ul>
<figure class="wp-block-image"><img decoding="async" loading="lazy" width="800" height="1200" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=94264" data-pin-title="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" data-pin-description="A favorite in Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls covered in savory soy sauce. With a crispy crust on the outside and soft sticky rice on the inside, these rice balls are simply irresistible and easy to make at home! #yakionigiri #onigiri #riceball | Easy Japanese Recipes at JustOneCookbook.com" src="https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV.jpg" alt="A Japanese blue and white plate containing Yaki Onigiri - Japanese Grilled Rice Balls)." class="wp-image-94264" srcset="https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2020/03/Yaki-Onigiri-Grilled-Rice-Ball-9528-IV-768x1152.jpg 768w" sizes="(max-width: 800px) 100vw, 800px" /></figure>
<h2 class="wp-block-heading" id="h-what-to-serve-with-yaki-onigiri">What to Serve with Yaki Onigiri</h2>
<p>To be honest, I can just devour yaki onigiri on their own, but for a balanced meal, you can pair them with:</p>
<ul>
<li><a href="https://www.justonecookbook.com/yakitori/" data-wpel-link="internal">Yakitori</a></li>
<li><a href="https://www.justonecookbook.com/yakitori-style-grilled-vegetables/" data-wpel-link="internal">Yakitori-Style Grilled Vegetables</a></li>
<li><a href="https://www.justonecookbook.com/karaage/" data-wpel-link="internal">Karaage (Japanese Fried Chicken)</a></li>
<li><a href="https://www.justonecookbook.com/agedashi-tofu-2/" data-wpel-link="internal">Agedashi Tofu</a></li>
<li><a href="https://www.justonecookbook.com/spicy-edamame/" data-wpel-link="internal">Spicy Edamame</a></li>
<li><a href="https://www.justonecookbook.com/hamachi-crudo/" data-wpel-link="internal">Hamachi Crudo</a></li>
<li><a href="https://www.justonecookbook.com/oden/" data-wpel-link="internal">Oden (Japanese Fish Cake Stew)</a></li>
</ul>
<figure class="wp-block-image size-full"><img decoding="async" loading="lazy" width="1200" height="800" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184260" data-pin-title="Yaki Onigiri (Grilled Rice Ball)" data-pin-description="A favorite at Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls grilled till crispy on the outside and brushed with savory soy sauce. These rice balls are simply irresistible and easy to make at home!" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg" alt="A rectangular plate containing Yaki Onigiri (Grilled Rice Balls)." class="wp-image-184260" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-800x534.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-300x200.jpg 300w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-768x512.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-400x267.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" /></figure>
<p><strong>Wish to learn more about Japanese cooking?&nbsp;</strong>Sign up for our<strong>&nbsp;free&nbsp;</strong><a href="https://www.justonecookbook.com/subscribe/" rel="noopener" data-wpel-link="internal">newsletter</a>&nbsp;to receive cooking tips &amp; recipe&nbsp;updates! And&nbsp;stay in touch with me on&nbsp;<a href="https://www.facebook.com/justonecookbook" target="_blank" rel="noopener nofollow" data-wpel-link="external" class="ext-link wpel-icon-right">Facebook<span class="wpel-icon wpel-image wpel-icon-6"></span></a>,&nbsp;<a href="https://www.pinterest.com/justonecookbook/" target="_blank" rel="noopener nofollow" data-wpel-link="external" class="ext-link wpel-icon-right">Pinterest<span class="wpel-icon wpel-image wpel-icon-6"></span></a>,&nbsp;<a href="https://www.youtube.com/user/justonecookbook?sub_confirmation=1" target="_blank" rel="noopener nofollow" data-wpel-link="external" class="ext-link wpel-icon-right">YouTube<span class="wpel-icon wpel-image wpel-icon-6"></span></a>, and&nbsp;<a href="https://www.instagram.com/justonecookbook/" target="_blank" rel="noopener nofollow" data-wpel-link="external" class="ext-link wpel-icon-right">Instagram<span class="wpel-icon wpel-image wpel-icon-6"></span></a>.</p>
<div id="recipe"></div><div id="wprm-recipe-container-59479" class="wprm-recipe-container" data-recipe-id="59479" data-servings="9"><div class="wprm-recipe wprm-recipe-template-joc"><div class="wprm-inner">
<div class="wprm-container-float-right">
<div class="wprm-recipe-image wprm-block-image-rounded"><img style="border-width: 0px;border-style: solid;border-color: #666666;border-radius: 3px;" width="250" height="250" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-500x500.jpg" class="attachment-250x250 size-250x250 wp-image-184260" alt="A rectangular plate containing Yaki Onigiri (Grilled Rice Balls)." decoding="async" fetchpriority="high" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1-150x150.jpg 150w" sizes="(max-width: 250px) 100vw, 250px" data-pin-description="A favorite at Izakaya restaurants, Yaki Onigiri are Japanese grilled rice balls grilled till crispy on the outside and brushed with savory soy sauce. These rice balls are simply irresistible and easy to make at home!" data-pin-title="Yaki Onigiri (Grilled Rice Ball)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184260" /></div>
</div>
<h2 class="wprm-recipe-name wprm-block-text-bold">Yaki Onigiri (Grilled Rice Ball)</h2>
<style>#wprm-recipe-rating-1 .wprm-rating-star.wprm-rating-star-full svg * { fill: #212121; }#wprm-recipe-rating-1 .wprm-rating-star.wprm-rating-star-33 svg * { fill: url(#wprm-recipe-rating-1-33); }#wprm-recipe-rating-1 .wprm-rating-star.wprm-rating-star-50 svg * { fill: url(#wprm-recipe-rating-1-50); }#wprm-recipe-rating-1 .wprm-rating-star.wprm-rating-star-66 svg * { fill: url(#wprm-recipe-rating-1-66); }linearGradient#wprm-recipe-rating-1-33 stop { stop-color: #212121; }linearGradient#wprm-recipe-rating-1-50 stop { stop-color: #212121; }linearGradient#wprm-recipe-rating-1-66 stop { stop-color: #212121; }</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-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-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-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-rating-1" class="wprm-recipe-rating wprm-recipe-rating-inline"><span class="wprm-rating-star wprm-rating-star-1 wprm-rating-star-full" data-rating="1" data-color="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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="#212121" 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.67</span> from <span class="wprm-recipe-rating-count">68</span> votes</div></div>
<div class="wprm-recipe-summary wprm-block-text-normal"><span style="display: block;">A favorite at <em>izakaya</em> restaurants, <em>Yaki Onigiri</em> are Japanese rice balls that are pan-grilled and glazed in savory soy sauce. With a crispy crust on the outside and tender rice on the inside, these rice balls are simply irresistible and easy to make at home!</span></div>
<div class="wprm-template-chic-buttons wprm-container-columns-spaced-middle wprm-container-columns-gutter">
<a href="https://www.justonecookbook.com/wprm_print/59479" style="color: #ffffff;background-color: #212121;border-color: #212121;border-radius: 3px;padding: 10px 5px;" class="wprm-recipe-print wprm-recipe-link wprm-print-recipe-shortcode wprm-block-text-normal wprm-recipe-print-wide-button wprm-recipe-link-wide-button wprm-color-accent" data-recipe-id="59479" data-template target="_blank" rel="nofollow" data-wpel-link="internal">Print Recipe</a>
<a href="https://www.pinterest.com/pin/create/bookmarklet/?url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2F&amp;media=https%3A%2F%2Fwww.justonecookbook.com%2Fwp-content%2Fuploads%2F2023%2F09%2FYaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg&amp;description=Yaki+Onigiri+%28Grilled+Rice+Ball%29&amp;is_video=false" style="color: #ffffff;background-color: #212121;border-color: #212121;border-radius: 3px;padding: 10px 5px;" class="wprm-recipe-pin wprm-recipe-link wprm-block-text-normal wprm-recipe-pin-wide-button wprm-recipe-link-wide-button wprm-color-accent" target="_blank" rel="nofollow noopener" data-recipe="59479" data-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/" data-media="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg" data-description="Yaki Onigiri (Grilled Rice Ball)" data-repin data-wpel-link="internal">Pin Recipe</a>
</div>
<div class="wprm-recipe-meta-container wprm-recipe-times-container wprm-recipe-details-container wprm-recipe-details-container-table wprm-block-text-normal wprm-recipe-table-borders-all wprm-recipe-table-borders-inside" style="border-width: 2px;border-style: solid;border-color: #f0efef;"><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-prep-time-container" style="border-width: 2px;border-style: solid;border-color: #f0efef;"><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">15<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-prep_time-unit wprm-recipe-prep_timeunit-minutes" aria-hidden="true">mins</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-cook-time-container" style="border-width: 2px;border-style: solid;border-color: #f0efef;"><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">15<span class="sr-only screen-reader-text wprm-screen-reader-text"> minutes</span></span> <span class="wprm-recipe-details-unit wprm-recipe-details-minutes wprm-recipe-cook_time-unit wprm-recipe-cook_timeunit-minutes" aria-hidden="true">mins</span></span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-table wprm-block-text-normal wprm-recipe-time-container wprm-recipe-total-time-container" style="border-width: 2px;border-style: solid;border-color: #f0efef;"><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">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-total_time-unit wprm-recipe-total_timeunit-minutes" aria-hidden="true">mins</span></span></div></div>
<div class="details-servings">
<div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-servings-container" style><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-servings-label">Servings: </span><span class="wprm-recipe-servings-with-unit"><span class="wprm-recipe-servings wprm-recipe-details wprm-recipe-servings-59479 wprm-recipe-servings-adjustable-tooltip wprm-block-text-normal" data-initial-servings data-recipe="59479" aria-label="Adjust recipe servings">9</span> <span class="wprm-recipe-servings-unit wprm-recipe-details-unit wprm-block-text-normal">rice balls</span></span></div>
</div>
<div class="wprm-recipe-ingredients-container wprm-recipe-ingredients-no-images wprm-recipe-59479-ingredients-container wprm-block-text-normal wprm-ingredient-style-regular wprm-recipe-images-before" data-recipe="59479" data-servings="9"><h3 class="wprm-recipe-header wprm-recipe-ingredients-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line wprm-header-has-actions wprm-header-has-actions" style>Ingredients<div class="wprm-decoration-line" style="border-color: #f0efef"></div>&nbsp;<div class="wprm-unit-conversion-container wprm-unit-conversion-container-59479 wprm-unit-conversion-container-buttons wprm-block-text-normal" data-recipe-unit-system="1" style="background-color: #ffffff;border-color: #212121;color: #212121;border-radius: 3px;"><button href="#" class="wprm-unit-conversion wprmpuc-active" data-system="1" data-recipe="59479" style="background-color: #212121;color: #ffffff;" aria-label="Change unit system to US Customary">US Customary</button><button href="#" class="wprm-unit-conversion" data-system="2" data-recipe="59479" style="background-color: #212121;color: #ffffff;border-left: 1px solid #212121;" aria-label="Change unit system to Metric">Metric</button></div>&nbsp;<div class="wprm-recipe-adjustable-servings-container wprm-recipe-adjustable-servings-59479-container wprm-toggle-container wprm-block-text-normal" data-initial-servings style="background-color: #ffffff;border-color: #212121;color: #212121;border-radius: 3px;"><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle wprm-toggle-active" data-multiplier="1" data-servings="9" data-recipe="59479" style="background-color: #212121;color: #ffffff;" aria-label="Adjust servings by 1x">1x</button><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="2" data-servings="9" data-recipe="59479" style="background-color: #212121;color: #ffffff;border-left: 1px solid #212121;" aria-label="Adjust servings by 2x">2x</button><button href="#" class="wprm-recipe-adjustable-servings wprm-toggle" data-multiplier="3" data-servings="9" data-recipe="59479" style="background-color: #212121;color: #ffffff;border-left: 1px solid #212121;" aria-label="Adjust servings by 3x">3x</button></div></h3><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-normal">For the Steamed Rice</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="1"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-0" class="wprm-checkbox" aria-label="&nbsp;2¼&#032;cups&#032;uncooked Japanese short-grain white rice&#032;([adjustable]3[/adjustable] rice cooker cups, [adjustable]540[/adjustable] ml; to cook 2 rice cooker cups of rice instead, see measurements below)"><label for="wprm-checkbox-0" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">2¼</span>&#32;<span class="wprm-recipe-ingredient-unit">cups</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/premium-japanese-short-grain-rice/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">uncooked Japanese short-grain white rice</a></span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(<strong><span class="wprm-dynamic-quantity">3</span> </strong><em><strong>rice cooker</strong></em><strong> cups,</strong> <span class="wprm-dynamic-quantity">540</span> ml; to cook 2 <em>rice cooker</em> cups of rice instead, see measurements below)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="2"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-1" class="wprm-checkbox" aria-label="&nbsp;2½&#032;cups&#032;water&#032;(for 2 rice cooker cups of rice, use 1⅔ cups (400 ml) water)"><label for="wprm-checkbox-1" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">2½</span>&#32;<span class="wprm-recipe-ingredient-unit">cups</span>&#32;<span class="wprm-recipe-ingredient-name">water</span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(for 2 <em>rice cooker</em> cups of rice, use 1⅔ cups (400 ml) water)</span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-normal">For Seasoning the Rice</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="7"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-2" class="wprm-checkbox" aria-label="&nbsp;3&#032;Tbsp&#032;soy sauce&#032;(or use 2 Tbsp for 2 rice cooker cups of rice)"><label for="wprm-checkbox-2" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">3</span>&#32;<span class="wprm-recipe-ingredient-unit">Tbsp</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/soy-sauce/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">soy sauce</a></span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(or use 2 Tbsp for 2 <em>rice cooker</em> cups of rice)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="8"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-3" class="wprm-checkbox" aria-label="&nbsp;1&#032;Tbsp&#032;sugar&#032;(or 2 tsp for 2 rice cooker cups)"><label for="wprm-checkbox-3" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">1</span>&#32;<span class="wprm-recipe-ingredient-unit">Tbsp</span>&#32;<span class="wprm-recipe-ingredient-name">sugar</span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(or 2 tsp for 2 <em>rice cooker</em> cups)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="9"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-4" class="wprm-checkbox" aria-label="&nbsp;1&#032;Tbsp&#032;roasted sesame oil&#032;(or 2 tsp for 2 rice cooker cups)"><label for="wprm-checkbox-4" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">1</span>&#32;<span class="wprm-recipe-ingredient-unit">Tbsp</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/sesame-oil/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">roasted sesame oil</a></span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(or 2 tsp for 2 <em>rice cooker</em> cups)</span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="4"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-5" class="wprm-checkbox" aria-label="&nbsp;¼&#032;tsp&#032;Diamond Crystal kosher salt&#032;(or ⅛ tsp for 2 rice cooker cups)"><label for="wprm-checkbox-5" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">¼</span>&#32;<span class="wprm-recipe-ingredient-unit">tsp</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/diamond-crystal-kosher-salt/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">Diamond Crystal kosher salt</a></span>&#32;<span class="wprm-recipe-ingredient-notes wprm-recipe-ingredient-notes-normal">(or ⅛ tsp for 2 <em>rice cooker</em> cups)</span></li></ul></div><div class="wprm-recipe-ingredient-group"><h4 class="wprm-recipe-group-name wprm-recipe-ingredient-group-name wprm-block-text-normal">For the Glaze</h4><ul class="wprm-recipe-ingredients"><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="5"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-6" class="wprm-checkbox" aria-label="&nbsp;1&#032;Tbsp&#032;soy sauce"><label for="wprm-checkbox-6" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">1</span>&#32;<span class="wprm-recipe-ingredient-unit">Tbsp</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/soy-sauce/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">soy sauce</a></span></li><li class="wprm-recipe-ingredient" style="list-style-type: none;" data-uid="6"><span class="wprm-checkbox-container"><input type="checkbox" id="wprm-checkbox-7" class="wprm-checkbox" aria-label="&nbsp;1&#032;tsp&#032;roasted sesame oil"><label for="wprm-checkbox-7" class="wprm-checkbox-label"><span class="sr-only screen-reader-text wprm-screen-reader-text">&#x25a2; </span></label></span><span class="wprm-recipe-ingredient-amount">1</span>&#32;<span class="wprm-recipe-ingredient-unit">tsp</span>&#32;<span class="wprm-recipe-ingredient-name"><a href="https://www.justonecookbook.com/sesame-oil/" class="wprm-recipe-ingredient-link" data-wpel-link="internal">roasted sesame oil</a></span></li></ul></div></div>
<div class="ingredients-notes">
<b>Japanese Ingredient Substitution:</b> If you want substitutes for Japanese condiments and ingredients, click <a href="https://www.justonecookbook.com/ingredient-substitution-for-japanese-cooking/" data-wpel-link="internal">here</a>.
</div>
<div class="wprm-prevent-sleep wprm-toggle-switch-container" style="display:none;"><label id="wprm-toggle-switch-932374339" class="wprm-toggle-switch wprm-toggle-switch-rounded"><input type="checkbox" id="wprm-prevent-sleep-checkbox-932374339" class="wprm-prevent-sleep-checkbox" /><span class="wprm-toggle-switch-slider" style="width: 50px;height: 25px;margin-top: -12.5px;background-color: #cccccc;border-radius: 12.5px;"></span><span class="wprm-toggle-switch-label wprm-prevent-sleep-label wprm-block-text-bold" style="margin-left: 60px;">Cook Mode</span></label><span class="wprm-prevent-sleep-description wprm-block-text-normal">Prevent your screen from going dark</span></div>
<div class="wprm-recipe-instructions-container wprm-recipe-59479-instructions-container wprm-block-text-normal" data-recipe="59479"><h3 class="wprm-recipe-header wprm-recipe-instructions-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line wprm-header-has-actions" style>Instructions<div class="wprm-decoration-line" style="border-color: #f0efef"></div>&nbsp;<div class="wprm-recipe-media-toggle-container wprm-toggle-container wprm-block-text-normal" style="background-color: #ffffff;border-color: #212121;color: #212121;border-radius: 3px;"><button class="wprm-recipe-media-toggle wprm-toggle wprm-toggle-active" data-state="on" data-recipe="59479" style="background-color: #212121;color: #ffffff;" aria-label="Show instruction media"><span class="wprm-recipe-icon wprm-toggle-icon wprm-toggle-icon-active"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" stroke-linecap="square" stroke-linejoin="miter" stroke-width="1" transform="translate(0.5 0.5)" fill="#ffffff" stroke="#ffffff"><circle data-color="color-2" cx="12" cy="13" r="5" fill="none" stroke-miterlimit="10" /><path d="M21,22H3a2,2,0,0,1-2-2V7A2,2,0,0,1,3,5H7L9,2h6l2,3h4a2,2,0,0,1,2,2V20A2,2,0,0,1,21,22Z" fill="none" stroke="#ffffff" stroke-miterlimit="10" /><circle data-color="color-2" data-stroke="none" cx="4" cy="8" r="1" stroke="none" /></g></svg></span><span class="wprm-recipe-icon wprm-toggle-icon wprm-toggle-icon-inactive"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" stroke-linecap="square" stroke-linejoin="miter" stroke-width="1" transform="translate(0.5 0.5)" fill="#212121" stroke="#212121"><circle data-color="color-2" cx="12" cy="13" r="5" fill="none" stroke-miterlimit="10" /><path d="M21,22H3a2,2,0,0,1-2-2V7A2,2,0,0,1,3,5H7L9,2h6l2,3h4a2,2,0,0,1,2,2V20A2,2,0,0,1,21,22Z" fill="none" stroke="#212121" stroke-miterlimit="10" /><circle data-color="color-2" data-stroke="none" cx="4" cy="8" r="1" stroke="none" /></g></svg></span></button><button class="wprm-recipe-media-toggle wprm-toggle" data-state="off" data-recipe="59479" style="background-color: #212121;color: #ffffff;border-left: 1px solid #212121;" aria-label="Hide instruction media"><span class="wprm-recipe-icon wprm-toggle-icon wprm-toggle-icon-active"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" stroke-linecap="square" stroke-linejoin="miter" stroke-width="1" transform="translate(0.5 0.5)" fill="#ffffff" stroke="#ffffff"><circle data-color="color-2" cx="12" cy="12" r="4" fill="none" stroke-miterlimit="10" /><path d="M22,8v9a2,2,0,0,1-2,2H10" fill="none" stroke="#ffffff" stroke-miterlimit="10" /><path data-cap="butt" d="M2,17V8A2,2,0,0,1,4,6H7L9,3h6l2.4,3.6" fill="none" stroke="#ffffff" stroke-miterlimit="10" stroke-linecap="butt" /><line data-cap="butt" data-color="color-2" x1="23" y1="1" x2="1" y2="23" fill="none" stroke-miterlimit="10" stroke-linecap="butt" /></g></svg></span><span class="wprm-recipe-icon wprm-toggle-icon wprm-toggle-icon-inactive"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" stroke-linecap="square" stroke-linejoin="miter" stroke-width="1" transform="translate(0.5 0.5)" fill="#212121" stroke="#212121"><circle data-color="color-2" cx="12" cy="12" r="4" fill="none" stroke-miterlimit="10" /><path d="M22,8v9a2,2,0,0,1-2,2H10" fill="none" stroke="#212121" stroke-miterlimit="10" /><path data-cap="butt" d="M2,17V8A2,2,0,0,1,4,6H7L9,3h6l2.4,3.6" fill="none" stroke="#212121" stroke-miterlimit="10" stroke-linecap="butt" /><line data-cap="butt" data-color="color-2" x1="23" y1="1" x2="1" y2="23" fill="none" stroke-miterlimit="10" stroke-linecap="butt" /></g></svg></span></button></div></h3><div class="wprm-recipe-instruction-group"><h4 class="wprm-recipe-group-name wprm-recipe-instruction-group-name wprm-block-text-normal">Before You Start&#8230;</h4><ul class="wprm-recipe-instructions"><li id="wprm-recipe-59479-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;">Japanese short-grain white rice requires a <strong>soaking time of 20–30 minutes.</strong> The rice-to-water ratio is 1 to 1.1 (or 1.2) for short-grain white rice. Please note that <strong>2¼ cups (450 g, 3 </strong><em><strong>rice cooker</strong></em><strong> cups) of uncooked Japanese short-grain rice</strong> yield 6⅔ cups (990 g) of cooked white rice. This is enough for 9 onigiri rice balls (typically 110 g each). <strong>Optional:</strong> To make 5–6 rice balls, cook <strong>1½ cups (300 g, 2 </strong><em><strong>rice cooker</strong></em><strong> cups) of uncooked Japanese short-grain rice in 1⅔ cups water (400 ml)</strong> to yield 4⅓ cups (660 g) of cooked white rice.</span></div></li><li id="wprm-recipe-59479-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;">Cook the rice; see how with a <a href="https://www.justonecookbook.com/how-to-make-rice/" data-wpel-link="internal">rice cooker</a>, <a href="https://www.justonecookbook.com/how-to-cook-rice/" data-wpel-link="internal">pot over the stove</a>, <a href="https://www.justonecookbook.com/instant-pot-rice/" data-wpel-link="internal">Instant Pot</a>, or <a href="https://www.justonecookbook.com/how-to-cook-rice-in-donabe/" data-wpel-link="internal">donabe</a>. To my rice cooker, I added <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-2 wprm-block-text-bold">2½ cups water</span> to <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-1 wprm-block-text-bold">2¼ cups uncooked Japanese short-grain white rice</span>. Once the rice is cooked, gather all the ingredients.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img loading="lazy" width="1200" height="800" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients.jpg" class="attachment-large size-large wp-image-184239" alt="Yaki Onigiri (Grilled Rice Ball) Ingredients" decoding="async" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients-800x534.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients-300x200.jpg 300w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients-768x512.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-Grilled-Rice-Ball-Ingredients-400x267.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri (Grilled Rice Ball) Ingredients" data-pin-title="Yaki Onigiri (Grilled Rice Ball) Ingredients" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184239" /></div> </li></ul></div><div class="wprm-recipe-instruction-group"><h4 class="wprm-recipe-group-name wprm-recipe-instruction-group-name wprm-block-text-normal">To Season the Rice</h4><ul class="wprm-recipe-instructions"><li id="wprm-recipe-59479-step-1-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Combine <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-7 wprm-block-text-bold">3 Tbsp soy sauce</span> and <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-8 wprm-block-text-bold">1 Tbsp sugar</span> in a small bowl and microwave until the mixture is hot, about 30–60 seconds. Whisk it all together until the sugar dissolves.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img loading="lazy" width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-1.jpg" class="attachment-large size-large wp-image-184240" alt="Yaki Onigiri 1" decoding="async" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-1.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-1-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-1-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 1" data-pin-title="Yaki Onigiri 1" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184240" /></div> </li><li id="wprm-recipe-59479-step-1-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Add <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-9 wprm-block-text-bold">1 Tbsp roasted sesame oil</span> and <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-4 wprm-block-text-bold">¼ tsp Diamond Crystal kosher salt</span> and mix it all together.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-2.jpg" class="attachment-large size-large wp-image-184241" alt="Yaki Onigiri 2" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-2.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-2-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-2-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 2" data-pin-title="Yaki Onigiri 2" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184241" /></div> </li><li id="wprm-recipe-59479-step-1-2" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Transfer the hot cooked rice to a large bowl and add the seasoning mixture.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-3.jpg" class="attachment-large size-large wp-image-184242" alt="Yaki Onigiri 3" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-3.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-3-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-3-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 3" data-pin-title="Yaki Onigiri 3" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184242" /></div> </li><li id="wprm-recipe-59479-step-1-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">With a rice paddle, use a slicing motion to combine the seasoning and cooked rice well. Now, you‘re ready to shape the rice balls. <strong>Note:</strong> Be sure to let the cooked rice cool a little bit until you can hold it without burning your hands. Rice must be hot or warm when making onigiri in order to hold its shape.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-4.jpg" class="attachment-large size-large wp-image-184243" alt="Yaki Onigiri 4" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-4.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-4-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-4-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 4" data-pin-title="Yaki Onigiri 4" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184243" /></div> </li></ul></div><div class="wprm-recipe-instruction-group"><h4 class="wprm-recipe-group-name wprm-recipe-instruction-group-name wprm-block-text-normal">To Shape the Rice Balls</h4><ul class="wprm-recipe-instructions"><li id="wprm-recipe-59479-step-2-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;"><strong>With an Onigiri Mold</strong>: Prepare a small bowl filled with water. Soak the <a href="https://amzn.to/3PzhNyg" target="_blank" rel="nofollow" data-wpel-link="external" class="ext-link wpel-icon-right">onigiri mold<span class="wpel-icon wpel-image wpel-icon-6"></span></a> and lid in the water to moisten so the rice doesn‘t stick to it. Remove the mold and drain the excess water. </span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-5.jpg" class="attachment-large size-large wp-image-184244" alt="Yaki Onigiri 5" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-5.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-5-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-5-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 5" data-pin-title="Yaki Onigiri 5" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184244" /></div> </li><li id="wprm-recipe-59479-step-2-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Fill the onigiri mold with the hot seasoned rice all the way to the top edge, making sure to fill the corners. Cover with the lid and push down firmly. You should feel a slight resistance; if not, you may want to add a bit more rice.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-6.jpg" class="attachment-large size-large wp-image-184245" alt="Yaki Onigiri 6" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-6.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-6-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-6-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 6" data-pin-title="Yaki Onigiri 6" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184245" /></div> </li><li id="wprm-recipe-59479-step-2-2" 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 lid. Flip over the mold onto a baking sheet or plate lined with parchment paper. Then, push the “button” on the mold‘s bottom to release your onigiri. <strong>Tip: </strong>Always dip your fingers in water before touching the onigiri to prevent the rice from sticking to them.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-7.jpg" class="attachment-large size-large wp-image-184246" alt="Yaki Onigiri 7" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-7.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-7-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-7-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 7" data-pin-title="Yaki Onigiri 7" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184246" /></div> </li><li id="wprm-recipe-59479-step-2-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Repeat with the remaining rice.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-8.jpg" class="attachment-large size-large wp-image-184247" alt="Yaki Onigiri 8" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-8.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-8-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-8-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 8" data-pin-title="Yaki Onigiri 8" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184247" /></div> </li><li id="wprm-recipe-59479-step-2-4" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Now, <strong>firmly hand-press</strong> the rice balls to keep them from falling apart while grilling. For Yaki Onigiri, you‘ll want to press the rice ball a bit more tightly than you would a regular onigiri. First, moisten both palms with a bit of water to prevent the rice from sticking. Then, pick up a rice ball in your left (non-dominant) hand. Place your right (dominant) hand on top of the rice in a “mountain&quot; shape and gently press the triangle corner. At the same time, squeeze the fingers and heel of your bottom (left) hand to gently press the sides flat.</span><div class="wprm-spacer"></div><span style="display: block;">Now, rotate the triangle corner you just pressed <strong>toward you</strong> (clockwise, if you‘re right-handed). The tip of the second corner will now be pointing up. Repeat the above “press and rotate” steps to hand press the second triangle corner and then the third, always keeping your left hand on the bottom and your right hand on top. Press and rotate a final 2–3 more times to finish.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-9.jpg" class="attachment-large size-large wp-image-184248" alt="Yaki Onigiri 9" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-9.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-9-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-9-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 9" data-pin-title="Yaki Onigiri 9" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184248" /></div> </li><li id="wprm-recipe-59479-step-2-5" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">In the image below, the top row is hand pressed while the bottom row is not.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="800" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10.jpg" class="attachment-large size-large wp-image-184249" alt="Yaki Onigiri 10" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10-800x534.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10-300x200.jpg 300w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10-768x512.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-10-400x267.jpg 400w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 10" data-pin-title="Yaki Onigiri 10" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184249" /></div> </li><li id="wprm-recipe-59479-step-2-6" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">If you don‘t want to touch the rice with your hands, you can press the onigiri with plastic wrap. Place a piece of plastic wrap on the working surface, wet your fingers, and place the onigiri in the middle.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-11.jpg" class="attachment-large size-large wp-image-184250" alt="Yaki Onigiri 11" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-11.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-11-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-11-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 11" data-pin-title="Yaki Onigiri 11" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184250" /></div> </li><li id="wprm-recipe-59479-step-2-7" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Gather the corners of the plastic wrap and twist it a few times to tighten it around the rice. Form the rice into a triangle shape in the same manner that I described above.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-12.jpg" class="attachment-large size-large wp-image-184251" alt="Yaki Onigiri 12" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-12.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-12-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-12-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 12" data-pin-title="Yaki Onigiri 12" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184251" /></div> </li><li id="wprm-recipe-59479-step-2-8" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;"><strong>Without an Onigiri Mold:</strong> You also can use plastic wrap to shape the onigiri instead of using a mold. Place a piece of plastic film on the working surface, wet your fingers, and put the rice on top. Gather the corners of the plastic film and twist it a few times to tighten it around the rice.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-13.jpg" class="attachment-large size-large wp-image-184252" alt="Yaki Onigiri 13" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-13.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-13-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-13-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 13" data-pin-title="Yaki Onigiri 13" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184252" /></div> </li><li id="wprm-recipe-59479-step-2-9" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Form the rice into a triangle shape through the plastic in the same manner that I described above for hand-pressing the onigiri. Repeat with the remaining rice. <strong>Tip:</strong> To shape the onigiri with your hands the traditional way, see the step-by-step instructions and images in my <a href="https://www.justonecookbook.com/onigiri-rice-balls/" data-wpel-link="internal"><em>Onigiri</em> (Japanese Rice Balls)</a> post.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-14.jpg" class="attachment-large size-large wp-image-184253" alt="Yaki Onigiri 14" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-14.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-14-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-14-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 14" data-pin-title="Yaki Onigiri 14" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184253" /></div> </li></ul></div><div class="wprm-recipe-instruction-group"><h4 class="wprm-recipe-group-name wprm-recipe-instruction-group-name wprm-block-text-normal">To Pan-Grill the Onigiri</h4><ul class="wprm-recipe-instructions"><li id="wprm-recipe-59479-step-3-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Combine <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-5 wprm-block-text-bold">1 Tbsp soy sauce</span> and <span class="wprm-inline-ingredient wprm-inline-ingredient-59479-6 wprm-block-text-bold">1 tsp roasted sesame oil</span> for the glaze. Place a sheet of parchment paper on a large frying pan.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-15.jpg" class="attachment-large size-large wp-image-184254" alt="Yaki Onigiri 15" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-15.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-15-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-15-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 15" data-pin-title="Yaki Onigiri 15" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184254" /></div> </li><li id="wprm-recipe-59479-step-3-1" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Gently place the rice balls on the parchment paper and grill on medium-low heat. Grill the onigiri until all sides are crispy and lightly browned. Once browned on the bottom, turn them over (I use two silicone spatulas). Don’t flip them until browned; work on one side at a time and avoid handling them too much, which may cause the onigiri to break into pieces.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-16.jpg" class="attachment-large size-large wp-image-184255" alt="Yaki Onigiri 16" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-16.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-16-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-16-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 16" data-pin-title="Yaki Onigiri 16" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184255" /></div> </li><li id="wprm-recipe-59479-step-3-2" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Rotate the onigiri to grill all sides and make sure they become crispy.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-17.jpg" class="attachment-large size-large wp-image-184256" alt="Yaki Onigiri 17" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-17.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-17-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-17-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 17" data-pin-title="Yaki Onigiri 17" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184256" /></div> </li><li id="wprm-recipe-59479-step-3-3" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Once they are nicely toasted and lightly brown, turn the heat to low (or turn off the heat). Brush the onigiri sides with the soy sauce glaze, then turn over to grill on the sauce side. Then, brush on the other side.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-18.jpg" class="attachment-large size-large wp-image-184257" alt="Yaki Onigiri 18" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-18.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-18-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-18-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 18" data-pin-title="Yaki Onigiri 18" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184257" /></div> </li><li id="wprm-recipe-59479-step-3-4" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Be careful not to burn the onigiri after you brush it with the glaze. Optionally, you can brush them with my <a href="https://www.justonecookbook.com/unagi-sauce-2/" data-wpel-link="internal">homemade unagi sauce</a> and <a href="https://www.justonecookbook.com/teriyaki-sauce/" data-wpel-link="internal">teriyaki sauce</a>. Your <em>Yaki Onigiri</em> are now ready to enjoy.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-20.jpg" class="attachment-large size-large wp-image-184259" alt="Yaki Onigiri 20" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-20.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-20-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yaki-Onigiri-20-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 20" data-pin-title="Yaki Onigiri 20" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184259" /></div> </li></ul></div><div class="wprm-recipe-instruction-group"><h4 class="wprm-recipe-group-name wprm-recipe-instruction-group-name wprm-block-text-normal">To Store</h4><ul class="wprm-recipe-instructions"><li id="wprm-recipe-59479-step-4-0" class="wprm-recipe-instruction" style="list-style-type: decimal;"><div class="wprm-recipe-instruction-text" style="margin-bottom: 5px" ;><span style="display: block;">Rice gets hard when you refrigerate it. You can individually wrap the Yaki Onigiri in plastic wrap and cover them with a thick kitchen towel and store in the refrigerator for up to 2 days. The towel will prevent the rice from getting too cold and keep the food cool but not cold. You can also store the Yaki Onigiri that are individually plastic-wrapped in the freezer for up to a month. When you‘re ready to eat, bring it back to room temperature and reheat in a microwave or frying pan.</span></div><div class="wprm-recipe-instruction-media wprm-recipe-instruction-image" style="text-align: left;"><img width="1200" height="405" src="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-21.jpg" class="attachment-large size-large wp-image-184780" alt="Yaki Onigiri 21" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-21.jpg 1200w, https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-21-800x270.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-21-768x259.jpg 768w" sizes="(max-width: 1200px) 100vw, 1200px" data-pin-description="Yaki Onigiri 21" data-pin-title="Yaki Onigiri 21" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=184780" /></div> </li></ul></div></div>
<h3 class="wprm-recipe-header wprm-recipe-nutrition-header wprm-block-text-uppercase wprm-align-left wprm-header-decoration-line" style>Nutrition<div class="wprm-decoration-line" style="border-color: #f0efef"></div></h3><div class="wprm-nutrition-label-container wprm-nutrition-label-container-label" style="text-align: left;"><div class="wprm-nutrition-label wprm-nutrition-label-layout" style="border: 1px solid #333333;max-width: 250px;padding: 5px;font-family: Arial, Helvetica, sans-serif;font-size: 12px;line-height: 16px;color: #000000;background-color: #ffffff;">
<style type="text/css"> .wprm-nutrition-label-layout .wprmp-nutrition-label-block-line {background-color: #333333;} .wprm-nutrition-label-layout .wprmp-nutrition-label-block-nutrient {border-top-color: #333333;}</style>
<div class="wprmp-nutrition-label-block-text wprmp-nutrition-label-block-text-title">Nutrition Facts</div><div class="wprmp-nutrition-label-block-line" style="height:1px;"></div><div class="wprmp-nutrition-label-block-text wprmp-nutrition-label-block-text-regular">Yaki Onigiri (Grilled Rice Ball)</div><div class="wprmp-nutrition-label-block-line" style="height:10px;"></div><div class="wprmp-nutrition-label-block-text wprmp-nutrition-label-block-text-bold">Amount per Serving</div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-calories"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Calories</div></div><div class="wprmp-nutrition-label-block-nutrient-extra-container">147</div></div><div class="wprmp-nutrition-label-block-line" style="height:5px;"></div><div class="wprmp-nutrition-label-block-text wprmp-nutrition-label-block-text-daily">% Daily Value*</div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-main"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Fat</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">2</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-child-line"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Saturated Fat</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">6</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-child-line"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Trans Fat</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-child-line"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Polyunsaturated Fat</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-child-line"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Monounsaturated Fat</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-main"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Sodium</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">53</div><div class="wprmp-nutrition-label-block-nutrient-unit">mg</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">2</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-main"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Potassium</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">28</div><div class="wprmp-nutrition-label-block-nutrient-unit">mg</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">1</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-main"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Carbohydrates</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">31</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">10</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-main"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Protein</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">3</div><div class="wprmp-nutrition-label-block-nutrient-unit">g</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">6</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-line" style="height:10px;"></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-other"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Calcium</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">1</div><div class="wprmp-nutrition-label-block-nutrient-unit">mg</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">0</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-nutrient wprmp-nutrition-label-block-nutrient-other"><div class="wprmp-nutrition-label-block-nutrient-name-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-name">Iron</div><div class="wprmp-nutrition-label-block-nutrient-spacer">&nbsp;</div><div class="wprmp-nutrition-label-block-nutrient-value-unit-container"><div class="wprmp-nutrition-label-block-nutrient-value">2</div><div class="wprmp-nutrition-label-block-nutrient-unit">mg</div></div></div><div class="wprmp-nutrition-label-block-nutrient-daily-container"><div class="wprmp-nutrition-label-block-nutrient-daily">11</div><div class="wprmp-nutrition-label-block-nutrient-percentage">%</div></div></div><div class="wprmp-nutrition-label-block-line" style="height:5px;"></div><div class="wprmp-nutrition-label-block-text wprmp-nutrition-label-block-text-disclaimer">* Percent Daily Values are based on a 2000 calorie diet.</div></div></div>
<div class="recipe-card-details">
<div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-author-container" style><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-author-label">Author: </span><span class="wprm-recipe-details wprm-recipe-author wprm-block-text-normal">Nami</span></div>
<div class="wprm-recipe-meta-container wprm-recipe-tags-container wprm-recipe-details-container wprm-recipe-details-container-inline wprm-block-text-normal" style><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-course-container" style><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-course-label">Course: </span><span class="wprm-recipe-course wprm-block-text-normal">Side Dish</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-cuisine-container" style><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-cuisine-label">Cuisine: </span><span class="wprm-recipe-cuisine wprm-block-text-normal">Japanese</span></div><div class="wprm-recipe-block-container wprm-recipe-block-container-inline wprm-block-text-normal wprm-recipe-tag-container wprm-recipe-keyword-container" style><span class="wprm-recipe-details-label wprm-block-text-bold wprm-recipe-tag-label wprm-recipe-keyword-label">Keyword: </span><span class="wprm-recipe-keyword wprm-block-text-normal">japanese rice</span></div></div>
</div>
<div class="recipe-disclosure">
©JustOneCookbook.com Content and photographs are copyright protected. Sharing of this recipe is both encouraged and appreciated. Copying and/or pasting full recipes to any website or social media is strictly prohibited. Please view my photo use policy <a href="https://staging.justonecookbook.com/content-permissions/" data-wpel-link="internal">here</a>.
</div>
</div>
<div class="wprm-call-to-action wprm-call-to-action-simple" style="color: #212121;background-color: #f0efef;margin: 0px;padding-top: 20px;padding-bottom: 20px;"><span class="wprm-recipe-icon wprm-call-to-action-icon"><svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24"><g class="nc-icon-wrapper" fill="#212121"><path fill="#212121" d="M12,2.162c3.204,0,3.584,0.012,4.849,0.07c1.366,0.062,2.633,0.336,3.608,1.311 c0.975,0.975,1.249,2.242,1.311,3.608c0.058,1.265,0.07,1.645,0.07,4.849s-0.012,3.584-0.07,4.849 c-0.062,1.366-0.336,2.633-1.311,3.608c-0.975,0.975-2.242,1.249-3.608,1.311c-1.265,0.058-1.645,0.07-4.849,0.07 s-3.584-0.012-4.849-0.07c-1.366-0.062-2.633-0.336-3.608-1.311c-0.975-0.975-1.249-2.242-1.311-3.608 c-0.058-1.265-0.07-1.645-0.07-4.849s0.012-3.584,0.07-4.849c0.062-1.366,0.336-2.633,1.311-3.608 c0.975-0.975,2.242-1.249,3.608-1.311C8.416,2.174,8.796,2.162,12,2.162 M12,0C8.741,0,8.332,0.014,7.052,0.072 c-1.95,0.089-3.663,0.567-5.038,1.942C0.639,3.389,0.161,5.102,0.072,7.052C0.014,8.332,0,8.741,0,12 c0,3.259,0.014,3.668,0.072,4.948c0.089,1.95,0.567,3.663,1.942,5.038c1.375,1.375,3.088,1.853,5.038,1.942 C8.332,23.986,8.741,24,12,24s3.668-0.014,4.948-0.072c1.95-0.089,3.663-0.567,5.038-1.942c1.375-1.375,1.853-3.088,1.942-5.038 C23.986,15.668,24,15.259,24,12s-0.014-3.668-0.072-4.948c-0.089-1.95-0.567-3.663-1.942-5.038 c-1.375-1.375-3.088-1.853-5.038-1.942C15.668,0.014,15.259,0,12,0L12,0z"></path> <path data-color="color-2" d="M12,5.838c-3.403,0-6.162,2.759-6.162,6.162S8.597,18.162,12,18.162s6.162-2.759,6.162-6.162 S15.403,5.838,12,5.838z M12,16c-2.209,0-4-1.791-4-4s1.791-4,4-4s4,1.791,4,4S14.209,16,12,16z"></path> <circle data-color="color-2" cx="18.406" cy="5.594" r="1.44"></circle></g></svg></span> <span class="wprm-call-to-action-text-container"><span class="wprm-call-to-action-header" style="color: #212121;">Did you make this recipe?</span><span class="wprm-call-to-action-text">If you made this recipe, snap a pic and hashtag it <a href="https://www.instagram.com/explore/tags/justonecookbook" target="_blank" rel="noreferrer noopener nofollow" style="color: #d0021b" data-wpel-link="external" class="ext-link wpel-icon-right">#justonecookbook<span class="wpel-icon wpel-image wpel-icon-6"></span></a>! We love to see your creations on Instagram <a href="https://www.instagram.com/justonecookbook" target="_blank" rel="noreferrer noopener nofollow" style="color: #d0021b" data-wpel-link="external" class="ext-link wpel-icon-right">@justonecookbook<span class="wpel-icon wpel-image wpel-icon-6"></span></a>!</span></span></div></div></div>
<p><strong>Editor&#8217;s Note:</strong> This post was originally published on June 25, 2012. It&#8217;s been republished with new images, more helpful content, and a revised recipe on September 18, 2023.</p>

</div>
<div class="post-tax sm-caps alt"><span class="term-link"><a href="https://www.justonecookbook.com/categories/recipes/side/" rel="category tag" data-wpel-link="internal">Side Dish</a></span><span class="term-link"><a href="https://www.justonecookbook.com/tags/easy/" rel="tag" data-wpel-link="internal">Easy</a> <a href="https://www.justonecookbook.com/tags/grilling-bbq/" rel="tag" data-wpel-link="internal">Grill/BBQ/Smoke</a> <a href="https://www.justonecookbook.com/tags/izakaya/" rel="tag" data-wpel-link="internal">Izakaya</a> <a href="https://www.justonecookbook.com/tags/kid-friendly/" rel="tag" data-wpel-link="internal">Kid-Friendly</a> <a href="https://www.justonecookbook.com/tags/rice-donburi/" rel="tag" data-wpel-link="internal">Rice + Donburi</a> <a href="https://www.justonecookbook.com/tags/summer/" rel="tag" data-wpel-link="internal">Summer</a> <a href="https://www.justonecookbook.com/tags/under-30-minutes/" rel="tag" data-wpel-link="internal">Under 30 Minutes</a> <a href="https://www.justonecookbook.com/tags/vegan/" rel="tag" data-wpel-link="internal">Vegan</a> <a href="https://www.justonecookbook.com/tags/vegetarian/" rel="tag" data-wpel-link="internal">Vegetarian</a></span></div> <footer class="entry-footer flexbox">
<div class="post-time-detail sm-sans"><span class="entry-date post-detail"><span class="label">Published: </span> Sep 18, 2023</span></div><div class="byline sm-sans alt"><span class="label">Written by</span> <span class="author vcard post-detail"><a class="url fn n" href="https://www.justonecookbook.com/author/administrator/" data-wpel-link="internal">Nami</a></span></div> </footer>
<div class="post-share flexbox">
<script>function fbs_click() {
            u = location.href;
            t = document.title;
            window.open('http://www.facebook.com/sharer.php?u=' + encodeURIComponent(u) + '&t=' + encodeURIComponent(t), 'sharer', 'toolbar=0,status=0,width=626,height=436');
            return false;
        }</script>
<a href="https://www.facebook.com/share.php?u=https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/&amp;t=Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" onclick="return fbs_click()" target="_blank" rel="noopener" data-wpel-link="internal"><i class="icon-font icon-facebook"></i></a>
<a href="http://www.stumbleupon.com/submit?url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2F" target="_blank" rel="noopener" data-wpel-link="internal"><i class="icon-font icon-mix"></i></a>
<a id="pin-it" data-pin-custom="true" href="https://pinterest.com/pin/create/button/?url=https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/&amp;media=https%3A%2F%2Fwww.justonecookbook.com%2Fwp-content%2Fuploads%2F2023%2F09%2FYaki-Onigiri-Grilled-Rice-Ball-3074-I-1.jpg&amp;description=Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" target="_blank" rel="noopener" data-wpel-link="internal"><i class="icon-font icon-pinterest"></i></a>
<a href="https://reddit.com/submit?url=https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/&amp;title=Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" title="share on reddit" target="_blank" rel="noopener" data-wpel-link="internal"><i class="icon-font icon-reddit"></i></a>
<a href="https://twitter.com/intent/tweet?url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2F&amp;text=Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり&amp;" target="_blank" rel="noopener" data-wpel-link="internal"><i class="icon-font icon-twitter"></i></a>
<a id="email-this" href="mailto:?body=I thought you might enjoy this post: Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり, https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/" rel="noopener" target="_blank"><i class="icon-font icon-mail"></i></a>
</div>
<div class="post-author">
<div class="flexbox">
<div class="author-img"><img src="https://www.justonecookbook.com/wp-content/uploads/2021/02/joc-nami.jpg" alt="Nami of Just One Cookbook" width="150px" height="auto" /></div>
<div class="post-author-info">
<div class="sm-caps">Meet <span class="sm-ser">the</span> Author</div>
<h3 class="author-title alt"><a href="https://www.justonecookbook.com/about/" data-wpel-link="internal"> Nami </a></h3>
<div class="content-meta">I'm Nami, a Japanese home cook based in San Francisco. Have fun exploring the 1000+ classic &amp; modern Japanese recipes I share with step-by-step photos and How-To YouTube videos.</div>
</div>
</div>
</div>
<div class="subscribe post-sub"><section id="enews-ext-9" class="widget enews-widget"><div class="enews enews-2-fields"><div class="sm-caps">Subscribe Now!</div><h3>5 Secrets to Japanese Cooking: Simple Meals &amp; Authentic Flavors!</h3>
<p>Sign up to receive our FREE email series on Japanese cooking tips and weekly newsletter.</p>
<form id="subscribeenews-ext-9" class="enews-form" action="https://justonecookbook.us5.list-manage.com/subscribe/post?u=388c251f5ce688e4d5c802cce&amp;id=366dec22de" method="post" target="_blank" name="enews-ext-9">
<input type="text" id="subbox1" class="enews-subbox enews-fname" value aria-label="First Name" placeholder="First Name" name="FNAME" /> <input type="email" value id="subbox" class="enews-email" aria-label="E-Mail Address" placeholder="E-Mail Address" name="EMAIL" required="required" />
<div class="enews-group-field"><input type="radio" value="16" name="group[24]" id="mce-group[24]-24-0"><label for="mce-group[24]-24-0">All Recipes</label></div>
<div class="enews-group-field"><input type="radio" value="8" name="group[24]" id="mce-group[24]-24-1"><label for="mce-group[24]-24-1">Vegetarian</label></div> <input type="submit" value="Subscribe" id="subbutton" class="enews-submit" />
</form>
</div></section></div>
</article>
<div class="wpdiscuz_top_clearing"></div>
<div id="comments" class="comments-area"><div id="respond" style="width: 0;height: 0;clear: both;margin: 0;padding: 0;"></div> <div id="wpdcom" class="wpdiscuz_unauth wpd-default wpdiscuz_no_avatar wpd-layout-2 wpd-comments-open">
<div class="wc_social_plugin_wrapper">
</div>
<div class="wpd-form-wrap">
<div class="wpd-form-head">
<div class="wpd-sbs-toggle">
<i class="far fa-envelope"></i> <span class="wpd-sbs-title">Subscribe</span>
<i class="fas fa-caret-down"></i>
</div>
<div class="wpd-auth">
<div class="wpd-login">
</div>
</div>
</div>
<div class="wpdiscuz-subscribe-bar wpdiscuz-hidden">
<form action="https://www.justonecookbook.com/wp-admin/admin-ajax.php?action=wpdAddSubscription" method="post" id="wpdiscuz-subscribe-form">
<div class="wpdiscuz-subscribe-form-intro">Notify of </div>
<div class="wpdiscuz-subscribe-form-option" style="width:40%;">
<select class="wpdiscuz_select" name="wpdiscuzSubscriptionType">
<option value="all_comment">new replies to my comments</option>
</select>
</div>
<div class="wpdiscuz-item wpdiscuz-subscribe-form-email">
<input class="email" type="email" name="wpdiscuzSubscriptionEmail" required="required" value placeholder="Email" />
</div>
<div class="wpdiscuz-subscribe-form-button">
<input id="wpdiscuz_subscription_button" class="wpd-prim-button wpd_not_clicked" type="submit" value="›" name="wpdiscuz_subscription_button" />
</div>
<input type="hidden" id="wpdiscuz_subscribe_form_nonce" name="wpdiscuz_subscribe_form_nonce" value="40dcfb2c5f" /><input type="hidden" name="_wp_http_referer" value="/yaki-onigiri-grilled-rice-ball/" /> </form>
</div>
<div class="wpd-form wpd-form-wrapper wpd-main-form-wrapper" id="wpd-main-form-wrapper-0_0">
<form method="post" enctype="multipart/form-data" data-uploading="false" class="wpd_comm_form wpd_main_comm_form">
<div class="wpd-field-comment">
<div class="wpdiscuz-item wc-field-textarea">
<div class="wpdiscuz-textarea-wrap ">
<div id="wpd-editor-wraper-0_0" style="display: none;">
<div id="wpd-editor-char-counter-0_0" class="wpd-editor-char-counter"></div>
<label style="display: none;" for="wc-textarea-0_0">Label</label>
<textarea id="wc-textarea-0_0" name="wc_comment" class="wc_comment wpd-field"></textarea>
<div id="wpd-editor-0_0"></div>
<div id="wpd-editor-toolbar-0_0">
<div class="wpd-editor-buttons-right">
<span class="wmu-upload-wrap" wpd-tooltip="Attach an image to this comment" wpd-tooltip-position="left"><label class="wmu-add"><i class="far fa-image"></i><input style="display:none;" class="wmu-add-files" type="file" name="wmu_files[]" accept="image/*" /></label></span> </div>
</div>
</div>
</div>
</div>
</div>
<div class="wpd-form-foot" style="display:none;">
<div class="wpdiscuz-textarea-foot">
<div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-786091882">Rate This Recipe!</label> <span class="wprm-rating-stars">
<fieldset class="wprm-comment-ratings-container" data-original-rating="0" data-current-rating="0">
<legend>Rate This Recipe!</legend>
<input aria-label="Don&#039;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-786091882" style="width: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<path class="wprm-star-full" id="wprm-star-full-5" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z" />
</defs>
<use xlink:href="#wprm-star-full-5" x="4" y="4" />
<use xlink:href="#wprm-star-full-5" x="36" y="4" />
<use xlink:href="#wprm-star-full-5" x="68" y="4" />
<use xlink:href="#wprm-star-full-5" x="100" y="4" />
<use xlink:href="#wprm-star-full-5" x="132" y="4" />
</svg></span> </fieldset>
</span>
</div>
<div class="wpdiscuz-button-actions"><div class="wmu-action-wrap"><div class="wmu-tabs wmu-images-tab wmu-hide"></div></div></div>
</div>
<div class="wpd-form-row">
<div class="wpd-form-col-left">
<div class="wpdiscuz-item wc_name-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-user"></i></div>
<input id="wc_name-0_0" value required="required" aria-required="true" class="wc_name wpd-field" type="text" name="wc_name" placeholder="Name*" maxlength="50" pattern=".{3,50}" title>
<label for="wc_name-0_0" class="wpdlb">Name*</label>
</div>
<div class="wpdiscuz-item wc_email-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-at"></i></div>
<input id="wc_email-0_0" value required="required" aria-required="true" class="wc_email wpd-field" type="email" name="wc_email" placeholder="Email*" />
<label for="wc_email-0_0" class="wpdlb">Email*</label>
</div>
<div class="wpdiscuz-item wc_website-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-link"></i></div>
<input id="wc_website-0_0" value class="wc_website wpd-field" type="text" name="wc_website" placeholder="Website" />
<label for="wc_website-0_0" class="wpdlb">Website</label>
</div>
</div>
<div class="wpd-form-col-right">
<div class="wc-field-submit">
<label class="wpd_label" wpd-tooltip="Notify of new replies to this comment">
<input id="wc_notification_new_comment-0_0" class="wc_notification_new_comment-0_0 wpd_label__checkbox" value="comment" type="checkbox" name="wpdiscuz_notification_type" />
<span class="wpd_label__text">
<span class="wpd_label__check">
<i class="fas fa-bell wpdicon wpdicon-on"></i>
<i class="fas fa-bell-slash wpdicon wpdicon-off"></i>
</span>
</span>
</label>
<input id="wpd-field-submit-0_0" class="wc_comm_submit wpd_not_clicked wpd-prim-button" type="submit" name="submit" value="Post Comment" aria-label="Post Comment" />
</div>
</div>
<div class="clearfix"></div>
</div>
</div>
<input type="hidden" class="wpdiscuz_unique_id" value="0_0" name="wpdiscuz_unique_id">
</form>
</div>
<div id="wpdiscuz_hidden_secondary_form" style="display: none;">
<div class="wpd-form wpd-form-wrapper wpd-secondary-form-wrapper" id="wpd-secondary-form-wrapper-wpdiscuzuniqueid" style="display: none;">
<div class="wpd-secondary-forms-social-content"></div>
<div class="clearfix"></div>
<form method="post" enctype="multipart/form-data" data-uploading="false" class="wpd_comm_form wpd-secondary-form-wrapper">
<div class="wpd-field-comment">
<div class="wpdiscuz-item wc-field-textarea">
<div class="wpdiscuz-textarea-wrap ">
<div id="wpd-editor-wraper-wpdiscuzuniqueid" style="display: none;">
<div id="wpd-editor-char-counter-wpdiscuzuniqueid" class="wpd-editor-char-counter"></div>
<label style="display: none;" for="wc-textarea-wpdiscuzuniqueid">Label</label>
<textarea id="wc-textarea-wpdiscuzuniqueid" name="wc_comment" class="wc_comment wpd-field"></textarea>
<div id="wpd-editor-wpdiscuzuniqueid"></div>
<div id="wpd-editor-toolbar-wpdiscuzuniqueid">
<div class="wpd-editor-buttons-right">
<span class="wmu-upload-wrap" wpd-tooltip="Attach an image to this comment" wpd-tooltip-position="left"><label class="wmu-add"><i class="far fa-image"></i><input style="display:none;" class="wmu-add-files" type="file" name="wmu_files[]" accept="image/*" /></label></span> </div>
</div>
</div>
</div>
</div>
</div>
<div class="wpd-form-foot" style="display:none;">
<div class="wpdiscuz-textarea-foot">
<div class="comment-form-wprm-rating">
<label for="wprm-comment-rating-1949524464">Rate This Recipe!</label> <span class="wprm-rating-stars">
<fieldset class="wprm-comment-ratings-container" data-original-rating="0" data-current-rating="0">
<legend>Rate This Recipe!</legend>
<input aria-label="Don&#039;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-1949524464" style="width: 24px !important; height: 24px !important;"><span aria-hidden="true" style="width: 120px !important; height: 24px !important;"><svg xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px" width="106.66666666667px" height="16px" viewBox="0 0 160 32">
<defs>
<path class="wprm-star-full" id="wprm-star-full-5" fill="#343434" d="M12.712,1.942l2.969,6.015l6.638,0.965c0.651,0.095,0.911,0.895,0.44,1.354l-4.804,4.682l1.134,6.612c0.111,0.649-0.57,1.143-1.152,0.837L12,19.286l-5.938,3.122C5.48,22.714,4.799,22.219,4.91,21.57l1.134-6.612l-4.804-4.682c-0.471-0.459-0.211-1.26,0.44-1.354l6.638-0.965l2.969-6.015C11.579,1.352,12.421,1.352,12.712,1.942z" />
</defs>
<use xlink:href="#wprm-star-full-5" x="4" y="4" />
<use xlink:href="#wprm-star-full-5" x="36" y="4" />
<use xlink:href="#wprm-star-full-5" x="68" y="4" />
<use xlink:href="#wprm-star-full-5" x="100" y="4" />
<use xlink:href="#wprm-star-full-5" x="132" y="4" />
</svg></span> </fieldset>
</span>
</div>
<div class="wpdiscuz-button-actions"><div class="wmu-action-wrap"><div class="wmu-tabs wmu-images-tab wmu-hide"></div></div></div>
</div>
<div class="wpd-form-row">
<div class="wpd-form-col-left">
<div class="wpdiscuz-item wc_name-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-user"></i></div>
<input id="wc_name-wpdiscuzuniqueid" value required="required" aria-required="true" class="wc_name wpd-field" type="text" name="wc_name" placeholder="Name*" maxlength="50" pattern=".{3,50}" title>
<label for="wc_name-wpdiscuzuniqueid" class="wpdlb">Name*</label>
</div>
<div class="wpdiscuz-item wc_email-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-at"></i></div>
<input id="wc_email-wpdiscuzuniqueid" value required="required" aria-required="true" class="wc_email wpd-field" type="email" name="wc_email" placeholder="Email*" />
<label for="wc_email-wpdiscuzuniqueid" class="wpdlb">Email*</label>
</div>
<div class="wpdiscuz-item wc_website-wrapper wpd-has-icon">
<div class="wpd-field-icon"><i class="fas fa-link"></i></div>
<input id="wc_website-wpdiscuzuniqueid" value class="wc_website wpd-field" type="text" name="wc_website" placeholder="Website" />
<label for="wc_website-wpdiscuzuniqueid" class="wpdlb">Website</label>
</div>
</div>
<div class="wpd-form-col-right">
<div class="wc-field-submit">
<label class="wpd_label" wpd-tooltip="Notify of new replies to this comment">
<input id="wc_notification_new_comment-wpdiscuzuniqueid" class="wc_notification_new_comment-wpdiscuzuniqueid wpd_label__checkbox" value="comment" type="checkbox" name="wpdiscuz_notification_type" />
<span class="wpd_label__text">
<span class="wpd_label__check">
<i class="fas fa-bell wpdicon wpdicon-on"></i>
<i class="fas fa-bell-slash wpdicon wpdicon-off"></i>
</span>
</span>
</label>
<input id="wpd-field-submit-wpdiscuzuniqueid" class="wc_comm_submit wpd_not_clicked wpd-prim-button" type="submit" name="submit" value="Post Comment" aria-label="Post Comment" />
</div>
</div>
<div class="clearfix"></div>
</div>
</div>
<input type="hidden" class="wpdiscuz_unique_id" value="wpdiscuzuniqueid" name="wpdiscuz_unique_id">
</form>
</div>
</div>
</div>
<div id="wpd-threads" class="wpd-thread-wrapper">
<div class="wpd-thread-head">
<div class="wpd-thread-info " data-comments-count="69">
<span class="wpdtc" title="69">69</span> Comments </div>
<div class="wpd-space"></div>
<div class="wpd-thread-filter">
<div class="wpd-filter wpdf-reacted wpd_not_clicked" wpd-tooltip="Most reacted comment">
<i class="fas fa-bolt"></i></div>
<div class="wpd-filter wpdf-hottest wpd_not_clicked" wpd-tooltip="Hottest comment thread">
<i class="fas fa-fire"></i></div>
</div>
</div>
<div class="wpd-comment-info-bar">
<div class="wpd-current-view"><i class="fas fa-quote-left"></i> Inline Feedbacks </div>
<div class="wpd-filter-view-all">View all comments</div>
</div>
<div id="wpdiscuz-search-form">
<div class="wpdiscuz-search-box">
<i class="fas fa-search" id="wpdiscuz-search-img"></i>
<input type="text" placeholder="Comment search..." name="search-comment" class="wpdiscuz-comm-search" />
<i class="fas fa-bars" id="wpdiscuz-search-setting-img"></i>
</div>
<div class="wpdiscuz-search-setting" id="wpdiscuz-search-setting-wrap">
<span class="shearch-arrow"></span>
<span class="shearch-arrow-no-border"></span>
<p><input type="button" name="content" value="Content" /></p>
<p><input type="button" name="author" value="Author" /></p>
<p><input type="button" name="email" value="E-mail" /></p>
<p><input type="button" name="custom_fields" value="Custom Fields" /></p>
<input type="hidden" name="all" value="All" class="search-by" />
</div>
</div>
<div id="wpdiscuz-search-container" class="wc-thread-wrapper-search"></div> <div class="wpd-thread-list">
<div id="wpd-comm-496998_0" class="comment even thread-even depth-1 wpd-comment wpd_comment_level-1"><div class="wpd-comment-wrap wpd-blog-guest">
<div id="comment-496998" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Christine Dutton
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=This recipe came together beautifully for ... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-496998" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-comment-date" title="Sep 04, 2023 5:00 pm">
<i class="far fa-clock" aria-hidden="true"></i>
1 month ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-496998"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>This recipe came together beautifully for me!<img class="wprm-comment-rating" src="https://www.justonecookbook.com/wp-content/plugins/wp-recipe-maker/assets/icons/rating/stars-5.svg" alt="5 stars" width="80" height="16" /></p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
<div class="wpd-toggle wpd-hidden wpd_not_clicked" wpd-tooltip="Hide Replies">
<i class="fas fa-chevron-up"></i>
</div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-496998_0"></div><div id="wpd-comm-497016_496998" class="comment byuser comment-author-naomi odd alt depth-2 wpd-comment wpd-reply wpd_comment_level-2"><div class="wpd-comment-wrap wpd-blog-user wpd-blog-administrator">
<div id="comment-497016" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Naomi (JOC Community Manager)
</div>
<div class="wpd-comment-label" wpd-tooltip="Admin" wpd-tooltip-position="top">
<span>Admin</span>
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=Hi Christine! Thank you! Nami and all of u... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-497016" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-reply-to">
<i class="far fa-comments"></i>
Reply to&nbsp;
<a href="#comment-496998">
Christine Dutton
</a>
</div>
<div class="wpd-comment-date" title="Sep 05, 2023 2:16 am">
<i class="far fa-clock" aria-hidden="true"></i>
1 month ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-497016"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>Hi Christine! Thank you! Nami and all of us at JOC are so happy to hear you enjoyed it.<br/>
Happy Cooking!</p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-497016_496998"></div></div></div><div id="wpd-comm-470643_0" class="comment even thread-odd thread-alt depth-1 wpd-comment wpd_comment_level-1"><div class="wpd-comment-wrap wpd-blog-guest">
<div id="comment-470643" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Janice
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=My grandmother made this using miso.  It w... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-470643" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-comment-date" title="Jun 18, 2022 8:44 am">
<i class="far fa-clock" aria-hidden="true"></i>
1 year ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-470643"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>My grandmother made this using miso. It was so good!!!</p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
<div class="wpd-toggle wpd-hidden wpd_not_clicked" wpd-tooltip="Hide Replies">
<i class="fas fa-chevron-up"></i>
</div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-470643_0"></div><div id="wpd-comm-470658_470643" class="comment byuser comment-author-naomi odd alt depth-2 wpd-comment wpd-reply wpd_comment_level-2"><div class="wpd-comment-wrap wpd-blog-user wpd-blog-administrator">
<div id="comment-470658" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Naomi (JOC Community Manager)
</div>
<div class="wpd-comment-label" wpd-tooltip="Admin" wpd-tooltip-position="top">
<span>Admin</span>
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=Hi Janice! Thank you very much for reading... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-470658" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-reply-to">
<i class="far fa-comments"></i>
Reply to&nbsp;
<a href="#comment-470643">
Janice
</a>
</div>
<div class="wpd-comment-date" title="Jun 19, 2022 12:09 pm">
<i class="far fa-clock" aria-hidden="true"></i>
1 year ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-470658"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>Hi Janice! Thank you very much for reading Nami&#8217;s post!<br/>
Nami has Miso Yaki Onigiri (Grilled Rice Balls) 味噌焼きおにぎり recipe too:<a href="https://www.justonecookbook.com/miso-yaki-onigiri/" rel="ugc" data-wpel-link="internal">https://www.justonecookbook.com/miso-yaki-onigiri/</a><br/>
We hope you give it a try! Happy Cooking!</p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-470658_470643"></div></div></div><div id="wpd-comm-442396_0" class="comment even thread-even depth-1 wpd-comment wpd_comment_level-1"><div class="wpd-comment-wrap wpd-blog-guest">
<div id="comment-442396" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Irene
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=I cannot wait to try all the deliciousness... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-442396" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-comment-date" title="Oct 05, 2021 3:22 pm">
<i class="far fa-clock" aria-hidden="true"></i>
2 years ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-442396"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>I cannot wait to try all the deliciousness I&#8217;m seeing in front of me right now.</p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
<div class="wpd-toggle wpd-hidden wpd_not_clicked" wpd-tooltip="Hide Replies">
<i class="fas fa-chevron-up"></i>
</div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-442396_0"></div><div id="wpd-comm-442523_442396" class="comment byuser comment-author-naomi odd alt depth-2 wpd-comment wpd-reply wpd_comment_level-2"><div class="wpd-comment-wrap wpd-blog-user wpd-blog-administrator">
<div id="comment-442523" class="wpd-comment-right">
<div class="wpd-comment-header">
<div class="wpd-user-info">
<div class="wpd-uinfo-top">
<div class="wpd-comment-author ">
Naomi (JOC Community Manager)
</div>
<div class="wpd-comment-label" wpd-tooltip="Admin" wpd-tooltip-position="top">
<span>Admin</span>
</div>
<div class="wpd-comment-share wpd-hidden wpd-tooltip wpd-top">
<i class="fas fa-share-alt" aria-hidden="true"></i>
<div class="wpd-tooltip-content">
<a class="wc_tw" rel="noreferrer" target="_blank" href="https://twitter.com/intent/tweet?text=Hi Irene! Thank you very much for trying N... &amp;url=https%3A%2F%2Fwww.justonecookbook.com%2Fyaki-onigiri-grilled-rice-ball%2Fcomment-page-3%2F%23comment-442523" title="Share On Twitter" data-wpel-link="internal"><i class="fab fa-twitter wpf-cta" aria-hidden="true"></i></a>
</div>
</div>
<div class="wpd-space"></div>
</div>
<div class="wpd-uinfo-bottom">
<div class="wpd-reply-to">
<i class="far fa-comments"></i>
Reply to&nbsp;
<a href="#comment-442396">
Irene
</a>
</div>
<div class="wpd-comment-date" title="Oct 07, 2021 2:05 am">
<i class="far fa-clock" aria-hidden="true"></i>
2 years ago
</div>
</div>
</div>
<div class="wpd-comment-link wpd-hidden">
<span wpd-tooltip="Comment Link" wpd-tooltip-position="left"><i class="fas fa-link" aria-hidden="true" data-wpd-clipboard="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-3/#comment-442523"></i></span>
</div>
</div>
<div class="wpd-comment-text">
<p>Hi Irene! Thank you very much for trying Nami&#8217;s recipe!<br/>
We hope you enjoy Yaki Onigiri.</p>
</div>
<div class="wpd-comment-footer">
<div class="wpd-vote">
<div class="wpd-vote-up wpd_not_clicked">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0V0z" /><path d="M1 21h4V9H1v12zm22-11c0-1.1-.9-2-2-2h-6.31l.95-4.57.03-.32c0-.41-.17-.79-.44-1.06L14.17 1 7.59 7.59C7.22 7.95 7 8.45 7 9v10c0 1.1.9 2 2 2h9c.83 0 1.54-.5 1.84-1.22l3.02-7.05c.09-.23.14-.47.14-.73v-2z" /></svg>
</div>
<div class="wpd-vote-result" title="0">0</div>
<div class="wpd-vote-down wpd_not_clicked wpd-dislike-hidden">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path fill="none" d="M0 0h24v24H0z" /><path d="M15 3H6c-.83 0-1.54.5-1.84 1.22l-3.02 7.05c-.09.23-.14.47-.14.73v2c0 1.1.9 2 2 2h6.31l-.95 4.57-.03.32c0 .41.17.79.44 1.06L9.83 23l6.59-6.59c.36-.36.58-.86.58-1.41V5c0-1.1-.9-2-2-2zm4 0v12h4V3h-4z" /></svg>
</div>
</div>
<div class="wpd-reply-button">
<svg xmlns="https://www.w3.org/2000/svg" viewBox="0 0 24 24"><path d="M10 9V5l-7 7 7 7v-4.1c5 0 8.5 1.6 11 5.1-1-5-4-10-11-11z" /><path d="M0 0h24v24H0z" fill="none" /></svg>
<span>Reply</span>
</div>
<div class="wpd-space"></div>
</div>
</div>
</div><div id="wpdiscuz_form_anchor-442523_442396"></div></div></div> <div class="wpdiscuz-comment-pagination">
<a class="prev page-numbers" href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-2/#comments" data-wpel-link="internal">&laquo; Previous</a>
<a class="page-numbers" href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-1/#comments" data-wpel-link="internal">1</a>
<a class="page-numbers" href="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/comment-page-2/#comments" data-wpel-link="internal">2</a>
<span aria-current="page" class="page-numbers current">3</span> </div>
</div>
</div>
</div>
</div>
<div id="wpdiscuz-loading-bar" class="wpdiscuz-loading-bar-unauth"></div>
<div id="wpdiscuz-comment-message" class="wpdiscuz-comment-message-unauth"></div>
</main>
<aside id="secondary" class="widget-area">
<section id="lh_featured_posts_widget-2" class="widget lh_featured_posts_widget"><h3 class="widget-title">Our Favorites!</h3><div class="widget-posts">
<article id="post-1413" class="post-related alt">
<a href="https://www.justonecookbook.com/oyakodon/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-400x600.jpg" class="attachment-vertical size-vertical wp-image-152401" alt="A Japanese donburi bowl containing Oyakodon, chicken and egg rice bowl." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2022/10/Oyakodon-0595-II.jpg 1200w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Oyakodon is cooked in one pan where the onions, chicken, and egg are simmered in an umami-rich, dashi-based sauce. It is then poured over a bowl of fluffy steamed rice. Simple, delicious, and utterly comforting, this is the kind of one-bowl meal you can cook in less than 30 minutes! #oyakodon #donburi #ricebowl | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Oyakodon (Japanese Chicken and Egg Rice Bowl)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/oyakodon/?tp_image_id=152401" /> <h2 class="entry-title">Oyakodon (Chicken and Egg Rice Bowl) 親子丼</h2>
</a>
</article>
<article id="post-758" class="post-related alt">
<a href="https://www.justonecookbook.com/gyudon/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI-400x600.jpg" class="attachment-vertical size-vertical wp-image-139242" alt="A donburi rice bowl containing gyudon, simmered beef and onions over steamed rice." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2022/04/Gyudon-7446-VI.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Thinly sliced beef and tender onions simmered in savory-sweet sauce, Gyudon is synonymous with comfort. It has been a staple in Japanese cuisine for over 150 years! This is how my grandma and my mom made their Gyudon. #gyudon | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Gyudon (Beef Rice Bowls)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/gyudon/?tp_image_id=139242" /> <h2 class="entry-title">Gyudon (Japanese Beef Rice Bowl) 牛丼</h2>
</a>
</article>
<article id="post-2264" class="post-related alt">
<a href="https://www.justonecookbook.com/yakisoba/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-400x600.jpg" class="attachment-vertical size-vertical wp-image-185928" alt="A fluted plate containing Yakisoba (Japanese Stir-Fried Noodles)." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/09/Yakisoba-3464-V.jpg 1200w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Yakisoba is a classic Japanese stir-fried noodle dish that’s seasoned with a sweet and savory sauce similar to Worcestershire sauce. Use any proteins you like—pork, chicken, shrimp, or calamari. For vegetarians, just swap it with tofu or shiitake mushrooms." data-pin-title="Yakisoba (Japanese Stir-Fried Noodles)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yakisoba/?tp_image_id=185928" /> <h2 class="entry-title">Yakisoba (Japanese Stir-Fried Noodles)(Video) 焼きそば</h2>
</a>
</article>
<article id="post-134450" class="post-related alt">
<a href="https://www.justonecookbook.com/japanese-glass-noodle-soup/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II-400x600.jpg" class="attachment-vertical size-vertical wp-image-134474" alt="Black ceramic bowls containing glass noodle soup with tofu, fluffy egg, and wakame seaweed." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2022/02/Japanese-Glass-Noodle-Soup-Harusame-Soup-6535-II.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Called Harusame Soup in Japan, this is a hearty and comforting Glass Noodle Soup made with fluffy egg, tofu, and wakame seaweed. This quick recipe can be made in less than 15 minutes! #glassnoodlesoup #soup #noodlesoup | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Japanese Glass Noodle Soup (Harusame Soup)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/japanese-glass-noodle-soup/?tp_image_id=134474" /> <h2 class="entry-title">Japanese Glass Noodle Soup (Harusame Soup) 春雨スープ</h2>
</a>
</article>
</div></section><section id="lh_featured_posts_widget-3" class="widget lh_featured_posts_widget"><h3 class="widget-title">Sweeten Your Day</h3><div class="widget-posts">
<article id="post-82953" class="post-related alt">
<a href="https://www.justonecookbook.com/japanese-fruit-sandwich-fruit-sando/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II-400x600.jpg" class="attachment-vertical size-vertical wp-image-83192" alt="Japanese fruit sandwiches on a plate. Served with coffee." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2019/06/Fruit-Sandwich-5532-II.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Brighten your day with Japanese Fruit Sandwich called Fruit Sando! Juicy seasonal fresh fruits are embedded in chilled whipped cream between two slices of pillowy Japanese milk bread. These colorful sandwiches with strawberries, orange, and kiwi are perfect for breakfast and snack! #fruitsandwich #strawberry #sandwich #shokupan | Easy Japanese Recipes at JustOneCookbook.com" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/japanese-fruit-sandwich-fruit-sando/?tp_image_id=83192" /> <h2 class="entry-title">Japanese Fruit Sandwich (Fruit Sando) フルーツサンド</h2>
</a>
</article>
<article id="post-69598" class="post-related alt">
<a href="https://www.justonecookbook.com/souffle-pancake/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2-400x600.jpg" class="attachment-vertical size-vertical wp-image-111789" alt="A white plate containing fluffy Japanese souffle pancakes." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2021/02/Fluffy-Japanese-Souffle-Pancakes-1-II-2.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="These Fluffy Japanese Souffle Pancakes are like eating cottony clouds, but even better with homemade whipped cream and fresh berries! #soufflepancake #pancake #souffle | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Fluffy Japanese Souffle Pancake" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/souffle-pancake/?tp_image_id=111789" /> <h2 class="entry-title">Fluffy Japanese Soufflé Pancakes (Video) スフレパンケーキ</h2>
</a>
</article>
<article id="post-65409" class="post-related alt">
<a href="https://www.justonecookbook.com/matcha-swiss-roll/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II-400x600.jpg" class="attachment-vertical size-vertical wp-image-130176" alt="White ceramic plates containing a slice of matcha Swiss roll." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2021/12/Matcha-Swiss-Roll-5922-II.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Fluffy sponge cake rolled up with fresh matcha cream in the middle, this Matcha Swiss Roll will be an instant favorite this holiday season! #matcha #swissroll #rollcake | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Matcha Swiss Roll (Matcha Roll Cake)" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/matcha-swiss-roll/?tp_image_id=130176" /> <h2 class="entry-title">Matcha Swiss Roll (Roll Cake) 抹茶ロールケーキ</h2>
</a>
</article>
<article id="post-54817" class="post-related alt">
<a href="https://www.justonecookbook.com/souffle-japanese-cheesecake/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II-400x600.jpg" class="attachment-vertical size-vertical wp-image-89522" alt="Cheesecake being served on a blue plate." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2019/11/Japanese-Cheesecake-4675-II.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Light and fluffy, Japanese Souffle Cheesecake is a melt-in-your-mouth combination of creamy cheesecake and airy soufflé.  A second (or more) serving is a guarantee! #cheesecakerecipes #dessert #cottoncheesecake #cakerecipes #japanesecheesecake | Easy Japanese Recipes at JustOneCookbook.com" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/souffle-japanese-cheesecake/?tp_image_id=89522" /> <h2 class="entry-title">Japanese Cheesecake (Video) スフレチーズケーキ</h2>
</a>
</article>
</div></section><section id="lh_featured_posts_widget-4" class="widget lh_featured_posts_widget"><h3 class="widget-title">Explore More!</h3><div class="widget-posts">
<article id="post-102187" class="post-related alt">
<a href="https://www.justonecookbook.com/ultimate-travel-guide-to-osaka/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-400x600.jpg" class="attachment-vertical size-vertical wp-image-166589" alt="Osaka Castle in the spring" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/04/Osaka-Castle-5801.jpg 1200w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Arts, Shopping, Entertainment, Culture, History — find all of them and more in Osaka. This port city and commercial center of Japan hosts many well-known destinations. Explore everything from the grandeur of Dotonbori to the tranquility of Osaka Castle in this ultimate Osaka Travel Guide. #osaka #japan #travelguide" data-pin-title="Ultimate Osaka Travel Guide" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/ultimate-travel-guide-to-osaka/?tp_image_id=166589" /> <h2 class="entry-title">Ultimate Osaka Travel Guide 大阪</h2>
</a>
</article>
<article id="post-86940" class="post-related alt">
<a href="https://www.justonecookbook.com/ultimate-travel-guide-to-tokyo/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-400x600.jpg" class="attachment-vertical size-vertical wp-image-162205" alt="Tokyo at Night" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-800x1200.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-1024x1536.jpg 1024w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237-200x300.jpg 200w, https://www.justonecookbook.com/wp-content/uploads/2023/02/Ultimate-Travel-Guide-to-Tokyo-1-1053237.jpg 1200w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="Tokyo at Night" data-pin-title="Tokyo at Night" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/ultimate-travel-guide-to-tokyo/?tp_image_id=162205" /> <h2 class="entry-title">Ultimate Travel Guide to Tokyo 東京</h2>
</a>
</article>
<article id="post-160273" class="post-related alt">
<a href="https://www.justonecookbook.com/netflix-the-makanai-recipes/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2023/01/The-Makanai-II-400x600.jpeg" class="attachment-vertical size-vertical wp-image-160274" alt="The Makanai: Cooking for the Maiko House" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2023/01/The-Makanai-II-400x600.jpeg 400w, https://www.justonecookbook.com/wp-content/uploads/2023/01/The-Makanai-II-200x300.jpeg 200w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="The Makanai: Cooking for the Maiko House" data-pin-title="The Makanai: Cooking for the Maiko House" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/netflix-the-makanai-recipes/?tp_image_id=160274" /> <h2 class="entry-title">All the Recipes in Netflix&#8217;s The Makanai: Cooking for the Maiko House</h2>
</a>
</article>
<article id="post-88327" class="post-related alt">
<a href="https://www.justonecookbook.com/ultimate-tokyo-food-guide-top-best-foods-to-eat-in-tokyo/" rel="entry-image-link" data-wpel-link="internal">
<img width="400" height="600" src="https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan-400x600.jpg" class="attachment-vertical size-vertical wp-image-88741" alt="best foods to eat in tokyo japan, including best sushi and local street foods" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan-400x600.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan-250x375.jpg 250w, https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan-533x800.jpg 533w, https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan-768x1152.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2019/11/best-foods-to-eat-in-tokyo-japan.jpg 800w" sizes="(max-width: 400px) 100vw, 400px" data-pin-description="In this Tokyo Food Guide, you&#039;ll find our recommendations on 20 top best foods to eat in the city! From the best sushi to the latest food craze to iconic street foods, these are the unmissable foods you must try when visiting Tokyo. #tokyojapan #japanesefood #tokyojapantravel | More Japan Travel Tips at JustOneCookbook.com" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/ultimate-tokyo-food-guide-top-best-foods-to-eat-in-tokyo/?tp_image_id=88741" /> <h2 class="entry-title">Ultimate Tokyo Food Guide: Top Best Foods to Eat in Tokyo</h2>
</a>
</article>
</div></section><section id="block-7" class="widget widget_block">
<h5 class="wp-block-heading has-text-align-center"><strong>Grab a Copy of My Cookbooks</strong></h5>
</section><section id="block-4" class="widget widget_block widget_media_image">
<figure class="wp-block-image size-full"><a href="https://www.justonecookbook.com/cookbooks/" data-wpel-link="internal"><img decoding="async" loading="lazy" width="800" height="533" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=143545" src="https://www.justonecookbook.com/wp-content/uploads/2022/06/Essential-Japanese-Recipes-6146-1.jpg" alt class="wp-image-143545" srcset="https://www.justonecookbook.com/wp-content/uploads/2022/06/Essential-Japanese-Recipes-6146-1.jpg 800w, https://www.justonecookbook.com/wp-content/uploads/2022/06/Essential-Japanese-Recipes-6146-1-300x200.jpg 300w, https://www.justonecookbook.com/wp-content/uploads/2022/06/Essential-Japanese-Recipes-6146-1-768x512.jpg 768w, https://www.justonecookbook.com/wp-content/uploads/2022/06/Essential-Japanese-Recipes-6146-1-400x267.jpg 400w" sizes="(max-width: 800px) 100vw, 800px" /></a></figure>
</section></aside>
</div>
</div>
<div class="footer-cat"><div class="wrap"> <div class="icon-rainbow"></div><h2>Browse Popular Topics</h2><div class="flexbox"><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/appetizer/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-400x400.jpg" class="attachment-square size-square wp-image-61434" alt="Gyoza 餃子 | Easy Japanese Recipes at JustOneCookbook.com" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2017/07/Gyoza-II-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=61434" /><span class="sm-caps">Appetizer</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/beverage/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-400x400.jpg" class="attachment-square size-square wp-image-46186" alt="Iced Green Tea Latte | JustOneCookbook.com" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2015/10/Iced-Green-Tea-Latte-III-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=46186" /><span class="sm-caps">Beverage</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/breakfast/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-400x400.jpg" class="attachment-square size-square wp-image-69606" alt="Japanese Souffle Pancakes with berries and fresh whipped cream." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-50x50.jpg 50w, https://www.justonecookbook.com/wp-content/uploads/2018/05/Souffle-Pancake-III-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-description="The fluffiest pancakes in the world are these Japanese Souffle Pancakes! Make these for your next brunch at home and serve with fresh berries and whipped cream. #JapaneseFood #Souffle #Pancakes #SoufflePancakes #Breakfast | Easy Japanese Recipes at JustOneCookbook.com" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=69606" /><span class="sm-caps">Breakfast</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/dessert/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2016/12/Japanese-Cheesecake-400x400.jpg" class="attachment-square size-square wp-image-54822" alt="Japanese Cheesecake (スフレチーズケーキ) | Easy Japanese Recipes at JustOneCookbook.com" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2016/12/Japanese-Cheesecake-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2016/12/Japanese-Cheesecake-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2016/12/Japanese-Cheesecake-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2016/12/Japanese-Cheesecake-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=54822" /><span class="sm-caps">Dessert</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/entree/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-400x400.jpg" class="attachment-square size-square wp-image-63186" alt="Chicken Teriyaki チキン照り焼き | Easy Japanese Recipes at JusOneCookbook.com" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2017/09/Chicekn-Teriyaki-III-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=63186" /><span class="sm-caps">Entree</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/salad/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-400x400.jpg" class="attachment-square size-square wp-image-66461" alt="Harusame Salad (Japanese Glass Noodle Salad) on a blue and white plate." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2018/01/Harusame-Salad-II-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=66461" /><span class="sm-caps">Salad</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/side-dish/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-400x400.jpg" class="attachment-square size-square wp-image-68861" alt="Rice with Mountain Vegetables (Sansai Gohan) served in a green ceramic bowl." decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-50x50.jpg 50w, https://www.justonecookbook.com/wp-content/uploads/2018/04/Sansai-Gohan-II-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-description="Rice with Mountain Vegetables (Sansai Gohan 山菜ご飯) #JapaneseFood #Sansai #Gohan #Vegetarian #Vegan | Easy Japanese Recipes at JustOneCookbook.com" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=68861" /><span class="sm-caps">Side</span></a></div><div class="footer-cat-item alt"><a href=" https://www.justonecookbook.com/categories/recipes/soup-stew/" data-wpel-link="internal"><img width="150" height="150" src="https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-400x400.jpg" class="attachment-square size-square wp-image-58059" alt="Miso Soup (味噌汁) | Easy Japanese Recipes at JustOneCookbook.com" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-400x400.jpg 400w, https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-500x500.jpg 500w, https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-182x182.jpg 182w, https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-225x225.jpg 225w, https://www.justonecookbook.com/wp-content/uploads/2017/04/Miso-Soup-New-II-115x115.jpg 115w" sizes="(max-width: 150px) 100vw, 150px" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=58059" /><span class="sm-caps">Soup</span></a></div></div></div></div><div class="lead-magnet"><div class="wrap flexbox"><img width="200" height="300" src="https://www.justonecookbook.com/wp-content/uploads/2022/02/Just-One-Cookbook-Essential-Japanese-Recipes-vol-2-200x300.png" class="attachment-vertical-small size-vertical-small wp-image-133330" alt="Just One Cookbook Essential Japanese Recipes vol-2" decoding="async" loading="lazy" srcset="https://www.justonecookbook.com/wp-content/uploads/2022/02/Just-One-Cookbook-Essential-Japanese-Recipes-vol-2-200x300.png 200w, https://www.justonecookbook.com/wp-content/uploads/2022/02/Just-One-Cookbook-Essential-Japanese-Recipes-vol-2.png 400w" sizes="(max-width: 200px) 100vw, 200px" data-pin-description="Just One Cookbook Essential Japanese Recipes vol-2" data-pin-title="Just One Cookbook Essential Japanese Recipes vol-2" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=133330" /><div class="lead-magnet-info"><h2>Love Our Recipes? <br>Check out our cookbooks! </h2><div class="content-meta"><p>Whether you&#8217;re a beginner or an experienced cook, I hope my cookbooks will be a great resource and inspiration for your Japanese cooking journey!</p>
</div><a class="buy-link" href="https://www.justonecookbook.com/cookbooks/" data-wpel-link="internal"><span class="sm-caps"> Learn More!</span></a></div></div></div><footer id="colophon" class="site-footer">
<div class="site-info wrap">
<div class="footer-box flexbox"><div class="subscribe footer-sub"><section id="enews-ext-7" class="widget enews-widget"><div class="enews enews-2-fields"><div class="sm-caps">Subscribe Now</div><h3>5 Secrets to Authentic Japanese Cooking!</h3>
<p>Sign up to receive our FREE email series on Japanese cooking tips, and join the JOC community of 140,000 people.</p>
<form id="subscribeenews-ext-7" class="enews-form" action="https://justonecookbook.us5.list-manage.com/subscribe/post?u=388c251f5ce688e4d5c802cce&amp;id=366dec22de" method="post" target="_blank" name="enews-ext-7">
<input type="text" id="subbox1" class="enews-subbox enews-fname" value aria-label="First Name" placeholder="First Name" name="FNAME" /> <input type="email" value id="subbox" class="enews-email" aria-label="E-Mail Address" placeholder="E-Mail Address" name="EMAIL" required="required" />
<div class="enews-group-field"><input type="radio" value="16" name="group[24]" id="mce-group[24]-24-0"><label for="mce-group[24]-24-0">All Recipes</label></div>
<div class="enews-group-field"><input type="radio" value="8" name="group[24]" id="mce-group[24]-24-1"><label for="mce-group[24]-24-1">Vegetarian</label></div> <input type="submit" value="Subscribe" id="subbutton" class="enews-submit" />
</form>
</div></section></div><div class="footer-right"><div class="sm-caps">As Seen On </div><div class="press-inner"><img width="200" height="40" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-abc-news-australia.png" class="attachment-full size-full wp-image-151965" alt="ABC News Australia" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151965" /><img width="200" height="43" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-bon-appetit.png" class="attachment-full size-full wp-image-151966" alt="Bon Appetit" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151966" /><img width="200" height="40" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-buzzfeed.png" class="attachment-full size-full wp-image-151967" alt="BuzzFeed" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151967" /><img width="200" height="42" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-food52.png" class="attachment-full size-full wp-image-151968" alt="Food52" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151968" /><img width="200" height="33" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-huffington-post.png" class="attachment-full size-full wp-image-151969" alt="Huffington Post" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151969" /><img width="200" height="47" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-parade.png" class="attachment-full size-full wp-image-151970" alt="Parade" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151970" /><img width="200" height="80" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-readers-digest.png" class="attachment-full size-full wp-image-151971" alt="Reader&#039;s Digest" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151971" /><img width="200" height="33" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-saveur.png" class="attachment-full size-full wp-image-151972" alt="Saveur" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151972" /><img width="200" height="67" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-self.png" class="attachment-full size-full wp-image-151973" alt="Self" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151973" /><img width="200" height="33" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-the-japan-times.png" class="attachment-full size-full wp-image-151974" alt="The Japan Times" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151974" /><img width="200" height="50" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-the-kitchn.png" class="attachment-full size-full wp-image-151975" alt="The Kitchn" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151975" /><img width="200" height="33" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-the-new-yorker.png" class="attachment-full size-full wp-image-151976" alt="The New Yorker" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151976" /><img width="200" height="33" src="https://www.justonecookbook.com/wp-content/uploads/2022/10/press-the-washington-post.png" class="attachment-full size-full wp-image-151977" alt="The Washington post" decoding="async" loading="lazy" data-pin-nopin="nopin" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=151977" /><img width="600" height="250" src="https://www.justonecookbook.com/wp-content/uploads/2023/02/press-sfgate.png" class="attachment-full size-full wp-image-161730" alt="SF GATE" decoding="async" loading="lazy" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=161730" /><img width="600" height="190" src="https://www.justonecookbook.com/wp-content/uploads/2023/02/press-kqed.png" class="attachment-full size-full wp-image-161731" alt="KQED" decoding="async" loading="lazy" data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=161731" /></div><ul id="footer-menu" class="footer-menu alt sm-caps"><li id="menu-item-170611" class="menu-item menu-item-has-children"><a href="#">Quick Links</a><button class="submenu-expand" tabindex="-1"><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button>
<ul class="sub-menu">
<li id="menu-item-74964" class="menu-item"><a href="https://www.justonecookbook.com/categories/pantry/" data-wpel-link="internal">Japanese Pantry</a></li>
<li id="menu-item-112860" class="menu-item"><a href="https://www.justonecookbook.com/categories/recipes/how-to/" data-wpel-link="internal">How-Tos</a></li>
<li id="menu-item-170612" class="menu-item"><a href="https://www.justonecookbook.com/tags/cooking-tip/" data-wpel-link="internal">Cooking Tips</a></li>
<li id="menu-item-170615" class="menu-item"><a href="https://www.justonecookbook.com/tags/kitchen-guide/" data-wpel-link="internal">Kitchen Guide</a></li>
</ul>
</li>
<li id="menu-item-74959" class="menu-item menu-item-has-children"><a href="https://www.justonecookbook.com/start-here/" data-wpel-link="internal">Explore More</a><button class="submenu-expand" tabindex="-1"><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button>
<ul class="sub-menu">
<li id="menu-item-170613" class="menu-item"><a href="https://www.justonecookbook.com/categories/travel/" data-wpel-link="internal">Travel</a></li>
<li id="menu-item-170616" class="menu-item"><a href="https://www.justonecookbook.com/cookbooks/" data-wpel-link="internal">Cookbooks</a></li>
<li id="menu-item-169315" class="menu-item"><a href="https://www.amazon.com/shop/justonecookbook" data-wpel-link="external" rel="nofollow" class="ext-link wpel-icon-right">Shop<span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
<li id="menu-item-116797" class="menu-item"><a title="JOC Merch" href="https://shop.spreadshirt.com/justonecookbook/" data-wpel-link="external" rel="nofollow" class="ext-link wpel-icon-right">Merch<span class="wpel-icon wpel-image wpel-icon-6"></span></a></li>
</ul>
</li>
<li id="menu-item-112812" class="menu-item menu-item-has-children"><a href="#">Details</a><button class="submenu-expand" tabindex="-1"><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button>
<ul class="sub-menu">
<li id="menu-item-99620" class="menu-item"><a href="https://www.justonecookbook.com/website-accessibility/" data-wpel-link="internal">Accessibility</a></li>
<li id="menu-item-112815" class="menu-item"><a href="https://www.justonecookbook.com/content-permissions/" data-wpel-link="internal">Content Permissions</a></li>
<li id="menu-item-74967" class="menu-item menu-item-privacy-policy"><a rel="privacy-policy" href="https://www.justonecookbook.com/privacy-policy/" data-wpel-link="internal">Privacy Policy</a></li>
<li id="menu-item-100065" class="menu-item"><a href="https://www.justonecookbook.com/terms-and-conditions/" data-wpel-link="internal">Terms</a></li>
</ul>
</li>
<li id="menu-item-112808" class="menu-item menu-item-has-children"><a href="#">Learn More</a><button class="submenu-expand" tabindex="-1"><svg class="svg-icon" width="20" height="20" aria-hidden="true" role="img" focusable="false" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 50 50"><path d="M15.44,22.51a1.48,1.48,0,0,1,0-2.11L16.85,19A1.49,1.49,0,0,1,19,19l6,6,6-6a1.49,1.49,0,0,1,2.12,0l1.41,1.42a1.48,1.48,0,0,1,0,2.11L26.06,31a1.49,1.49,0,0,1-2.12,0Z" /></svg></button>
<ul class="sub-menu">
<li id="menu-item-74966" class="menu-item"><a href="https://www.justonecookbook.com/about/" data-wpel-link="internal">About</a></li>
<li id="menu-item-112809" class="menu-item"><a href="https://www.justonecookbook.com/collaborate/" data-wpel-link="internal">Collaborate</a></li>
<li id="menu-item-74968" class="menu-item"><a href="https://www.justonecookbook.com/faqs/" data-wpel-link="internal">FAQs</a></li>
<li id="menu-item-112810" class="menu-item"><a href="https://www.justonecookbook.com/contact/" data-wpel-link="internal">Contact</a></li>
</ul>
</li>
</ul></div> </div>
<div class="credits">
<span class="copyright sm-sans">&#169; 2023 Just One Cookbook</span>
<div class="site-designer"><span class="screen-reader-text">Site Designby Lindsay Humes</span></div>
</div>
</div>
</footer>
</div>
<div id="cover"></div>
<script>pInited=!1;
function loadPinF(){
if(pInited)return;pInited=!0;console.log('load tasty pins');
var s=document.createElement('script');s.async=true;s.defer=true;s.onload=function(){};
s.src='//assets.pinterest.com/js/pinit.js';
s.setAttribute('data-pin-hover','true');
document.head.appendChild(s)
}
document.addEventListener('mousemove',loadPinF);
document.addEventListener('resize',loadPinF);
document.addEventListener('scroll',function(){if(window.scrollY>8)loadPinF()})
</script><script data-no-optimize="1" data-cfasync="false" id="cls-insertion-b72e8f4">'use strict';(function(){function A(c,a){function b(){this.constructor=c}if("function"!==typeof a&&null!==a)throw new TypeError("Class extends value "+String(a)+" is not a constructor or null");P(c,a);c.prototype=null===a?Object.create(a):(b.prototype=a.prototype,new b)}function H(c,a,b,d){var e=arguments.length,f=3>e?a:null===d?d=Object.getOwnPropertyDescriptor(a,b):d,g;if("object"===typeof Reflect&&"function"===typeof Reflect.decorate)f=Reflect.decorate(c,a,b,d);else for(var h=c.length-1;0<=h;h--)if(g=
c[h])f=(3>e?g(f):3<e?g(a,b,f):g(a,b))||f;return 3<e&&f&&Object.defineProperty(a,b,f),f}function D(c,a){if("object"===typeof Reflect&&"function"===typeof Reflect.metadata)return Reflect.metadata(c,a)}function N(c){var a="function"===typeof Symbol&&Symbol.iterator,b=a&&c[a],d=0;if(b)return b.call(c);if(c&&"number"===typeof c.length)return{next:function(){c&&d>=c.length&&(c=void 0);return{value:c&&c[d++],done:!c}}};throw new TypeError(a?"Object is not iterable.":"Symbol.iterator is not defined.");}function u(c,
a){var b="function"===typeof Symbol&&c[Symbol.iterator];if(!b)return c;c=b.call(c);var d,e=[];try{for(;(void 0===a||0<a--)&&!(d=c.next()).done;)e.push(d.value)}catch(g){var f={error:g}}finally{try{d&&!d.done&&(b=c["return"])&&b.call(c)}finally{if(f)throw f.error;}}return e}function B(c,a,b){if(b||2===arguments.length)for(var d=0,e=a.length,f;d<e;d++)!f&&d in a||(f||(f=Array.prototype.slice.call(a,0,d)),f[d]=a[d]);return c.concat(f||Array.prototype.slice.call(a))}function Q(c,a){void 0===a&&(a={});
a=a.insertAt;if(c&&"undefined"!==typeof document){var b=document.head||document.getElementsByTagName("head")[0],d=document.createElement("style");d.type="text/css";"top"===a?b.firstChild?b.insertBefore(d,b.firstChild):b.appendChild(d):b.appendChild(d);d.styleSheet?d.styleSheet.cssText=c:d.appendChild(document.createTextNode(c))}}window.adthriveCLS.buildDate="2023-10-06";var P=function(c,a){P=Object.setPrototypeOf||{__proto__:[]}instanceof Array&&function(b,d){b.__proto__=d}||function(b,d){for(var e in d)Object.prototype.hasOwnProperty.call(d,
e)&&(b[e]=d[e])};return P(c,a)},z=function(){z=Object.assign||function(c){for(var a,b=1,d=arguments.length;b<d;b++){a=arguments[b];for(var e in a)Object.prototype.hasOwnProperty.call(a,e)&&(c[e]=a[e])}return c};return z.apply(this,arguments)},r=new (function(){function c(){}c.prototype.info=function(a,b){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];this.call.apply(this,B([console.info,a,b],u(d),!1))};c.prototype.warn=function(a,b){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];
this.call.apply(this,B([console.warn,a,b],u(d),!1))};c.prototype.error=function(a,b){for(var d=[],e=2;e<arguments.length;e++)d[e-2]=arguments[e];this.call.apply(this,B([console.error,a,b],u(d),!1));this.sendErrorLogToCommandQueue.apply(this,B([a,b],u(d),!1))};c.prototype.event=function(a,b){for(var d,e=2;e<arguments.length;e++);"debug"===(null===(d=window.adthriveCLS)||void 0===d?void 0:d.bucket)&&this.info(a,b)};c.prototype.sendErrorLogToCommandQueue=function(a,b){for(var d=[],e=2;e<arguments.length;e++)d[e-
2]=arguments[e];window.adthrive=window.adthrive||{};window.adthrive.cmd=window.adthrive.cmd||[];window.adthrive.cmd.push(function(){void 0!==window.adthrive.logError&&"function"===typeof window.adthrive.logError&&window.adthrive.logError(a,b,d)}.bind(a,b,d))};c.prototype.call=function(a,b,d){for(var e=[],f=3;f<arguments.length;f++)e[f-3]=arguments[f];f=["%c".concat(b,"::").concat(d," ")];var g=["color: #999; font-weight: bold;"];0<e.length&&"string"===typeof e[0]&&f.push(e.shift());g.push.apply(g,
B([],u(e),!1));try{Function.prototype.apply.call(a,console,B([f.join("")],u(g),!1))}catch(h){console.error(h)}};return c}()),x=function(c,a){return null==c||c!==c?a:c},oa=function(c){var a=c.clientWidth;getComputedStyle&&(c=getComputedStyle(c,null),a-=parseFloat(c.paddingLeft||"0")+parseFloat(c.paddingRight||"0"));return a},Y=function(c){var a=c.offsetHeight,b=c.offsetWidth,d=c.getBoundingClientRect(),e=document.body,f=document.documentElement;c=Math.round(d.top+(window.pageYOffset||f.scrollTop||
e.scrollTop)-(f.clientTop||e.clientTop||0));d=Math.round(d.left+(window.pageXOffset||f.scrollLeft||e.scrollLeft)-(f.clientLeft||e.clientLeft||0));return{top:c,left:d,bottom:c+a,right:d+b,width:b,height:a}},F=function(){var c=navigator.userAgent,a=/Tablet|iPad|Playbook|Nook|webOS|Kindle|Android (?!.*Mobile).*Safari|CrOS/i.test(c);return/Mobi|iP(hone|od)|Opera Mini/i.test(c)&&!a},pa=function(c){void 0===c&&(c=document);return(c===document?document.body:c).getBoundingClientRect().top},qa=function(c){return c.includes(",")?
c.split(","):[c]},ra=function(c){void 0===c&&(c=document);c=c.querySelectorAll("article");return 0===c.length?null:(c=Array.from(c).reduce(function(a,b){return b.offsetHeight>a.offsetHeight?b:a}))&&c.offsetHeight>1.5*window.innerHeight?c:null},sa=function(c,a,b){void 0===b&&(b=document);var d=ra(b),e=d?[d]:[],f=[];c.forEach(function(h){var l=Array.from(b.querySelectorAll(h.elementSelector)).slice(0,h.skip);qa(h.elementSelector).forEach(function(k){var n=b.querySelectorAll(k);k=function(q){var m=n[q];
if(a.map.some(function(v){return v.el.isEqualNode(m)}))return"continue";(q=m&&m.parentElement)&&q!==document.body?e.push(q):e.push(m);-1===l.indexOf(m)&&f.push({dynamicAd:h,element:m})};for(var p=0;p<n.length;p++)k(p)})});var g=pa(b);c=f.sort(function(h,l){return h.element.getBoundingClientRect().top-g-(l.element.getBoundingClientRect().top-g)});return[e,c]},ta=function(c,a,b){void 0===b&&(b=document);a=u(sa(c,a,b),2);c=a[0];a=a[1];if(0===c.length)throw Error("No Main Content Elements Found");return[Array.from(c).reduce(function(d,
e){return e.offsetHeight>d.offsetHeight?e:d})||document.body,a]},C;(function(c){c.amznbid="amznbid";c.amzniid="amzniid";c.amznp="amznp";c.amznsz="amznsz"})(C||(C={}));var G;(function(c){c.ThirtyThreeAcross="33across";c.AppNexus="appnexus";c.Amazon="amazon";c.Colossus="colossus";c.ColossusServer="col_ss";c.Conversant="conversant";c.Concert="concert";c.Criteo="criteo";c.GumGum="gumgum";c.ImproveDigital="improvedigital";c.ImproveDigitalServer="improve_ss";c.IndexExchange="ix";c.Kargo="kargo";c.KargoServer=
"krgo_ss";c.MediaGrid="grid";c.MediaGridVideo="gridvid";c.Nativo="nativo";c.OpenX="openx";c.Ogury="ogury";c.OpenXServer="opnx_ss";c.Pubmatic="pubmatic";c.PubmaticServer="pubm_ss";c.ResetDigital="resetdigital";c.Roundel="roundel";c.Rtbhouse="rtbhouse";c.Rubicon="rubicon";c.RubiconServer="rubi_ss";c.Sharethrough="sharethrough";c.Teads="teads";c.Triplelift="triplelift";c.TripleliftServer="tripl_ss";c.TTD="ttd";c.Undertone="undertone";c.UndertoneServer="under_ss";c.Unruly="unruly";c.YahooSSP="yahoossp";
c.YahooSSPServer="yah_ss";c.Verizon="verizon";c.Yieldmo="yieldmo"})(G||(G={}));var Z;(function(c){c.Prebid="prebid";c.GAM="gam";c.Amazon="amazon";c.Marmalade="marmalade";c.Floors="floors";c.CMP="cmp"})(Z||(Z={}));var aa;(function(c){c.cm="cm";c.fbrap="fbrap";c.rapml="rapml"})(aa||(aa={}));var ba;(function(c){c.lazy="lazy";c.raptive="raptive";c.refresh="refresh";c.session="session";c.crossDomain="crossdomain";c.highSequence="highsequence";c.lazyBidPool="lazyBidPool"})(ba||(ba={}));var ca;(function(c){c.lazy=
"l";c.raptive="rapml";c.refresh="r";c.session="s";c.crossdomain="c";c.highsequence="hs";c.lazyBidPool="lbp"})(ca||(ca={}));var da;(function(c){c.Version="Version";c.SharingNotice="SharingNotice";c.SaleOptOutNotice="SaleOptOutNotice";c.SharingOptOutNotice="SharingOptOutNotice";c.TargetedAdvertisingOptOutNotice="TargetedAdvertisingOptOutNotice";c.SensitiveDataProcessingOptOutNotice="SensitiveDataProcessingOptOutNotice";c.SensitiveDataLimitUseNotice="SensitiveDataLimitUseNotice";c.SaleOptOut="SaleOptOut";
c.SharingOptOut="SharingOptOut";c.TargetedAdvertisingOptOut="TargetedAdvertisingOptOut";c.SensitiveDataProcessing="SensitiveDataProcessing";c.KnownChildSensitiveDataConsents="KnownChildSensitiveDataConsents";c.PersonalDataConsents="PersonalDataConsents";c.MspaCoveredTransaction="MspaCoveredTransaction";c.MspaOptOutOptionMode="MspaOptOutOptionMode";c.MspaServiceProviderMode="MspaServiceProviderMode";c.SubSectionType="SubsectionType";c.Gpc="Gpc"})(da||(da={}));var ea;(function(c){c[c.NA=0]="NA";c[c.OptedOut=
1]="OptedOut";c[c.OptedIn=2]="OptedIn"})(ea||(ea={}));var E;(function(c){c.AdDensity="addensity";c.AdLayout="adlayout";c.FooterCloseButton="footerclose";c.Interstitial="interstitial";c.RemoveVideoTitleWrapper="removevideotitlewrapper";c.StickyOutstream="stickyoutstream";c.StickyOutstreamOnStickyPlayer="sospp";c.VideoAdvancePlaylistRelatedPlayer="videoadvanceplaylistrp";c.MobileStickyPlayerPosition="mspp"})(E||(E={}));var L;(function(c){c.Desktop="desktop";c.Mobile="mobile"})(L||(L={}));var K;(function(c){c.Video_Collapse_Autoplay_SoundOff=
"Video_Collapse_Autoplay_SoundOff";c.Video_Individual_Autoplay_SOff="Video_Individual_Autoplay_SOff";c.Video_Coll_SOff_Smartphone="Video_Coll_SOff_Smartphone";c.Video_In_Post_ClicktoPlay_SoundOn="Video_In-Post_ClicktoPlay_SoundOn"})(K||(K={}));var fa;(fa||(fa={})).None="none";var ua=function(c,a){var b=c.adDensityEnabled;c=c.adDensityLayout.pageOverrides.find(function(d){return!!document.querySelector(d.pageSelector)&&(d[a].onePerViewport||"number"===typeof d[a].adDensity)});return b?!c:!0};C=function(){function c(){this._timeOrigin=
0}c.prototype.resetTimeOrigin=function(){this._timeOrigin=window.performance.now()};c.prototype.now=function(){try{return Math.round(window.performance.now()-this._timeOrigin)}catch(a){return 0}};return c}();window.adthrive.windowPerformance=window.adthrive.windowPerformance||new C;C=window.adthrive.windowPerformance;var R=C.now.bind(C),va=function(c){void 0===c&&(c=window.location.search);var a=0===c.indexOf("?")?1:0;return c.slice(a).split("&").reduce(function(b,d){d=u(d.split("="),2);b.set(d[0],
d[1]);return b},new Map)},ha=function(c){try{return{valid:!0,elements:document.querySelectorAll(c)}}catch(a){return z({valid:!1},a)}},S=function(c){return""===c?{valid:!0}:ha(c)},wa=function(c){var a=c.reduce(function(b,d){return d.weight?d.weight+b:b},0);return 0<c.length&&c.every(function(b){var d=b.value;b=b.weight;return!(void 0===d||null===d||"number"===typeof d&&isNaN(d)||!b)})&&100===a},xa=["siteId","siteName","adOptions","breakpoints","adUnits"],ya=function(c){var a={},b=va().get(c);if(b)try{var d=
decodeURIComponent(b);a=JSON.parse(d);r.event("ExperimentOverridesUtil","getExperimentOverrides",c,a)}catch(e){}return a},ia=function(){function c(){this._clsGlobalData=window.adthriveCLS}Object.defineProperty(c.prototype,"enabled",{get:function(){var a;if(a=!!this._clsGlobalData&&!!this._clsGlobalData.siteAds)a:{a=this._clsGlobalData.siteAds;var b=void 0;void 0===b&&(b=xa);if(a){for(var d=0;d<b.length;d++)if(!a[b[d]]){a=!1;break a}a=!0}else a=!1}return a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,
"error",{get:function(){return!(!this._clsGlobalData||!this._clsGlobalData.error)},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"siteAds",{get:function(){return this._clsGlobalData.siteAds},set:function(a){this._clsGlobalData.siteAds=a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"disableAds",{get:function(){return this._clsGlobalData.disableAds},set:function(a){this._clsGlobalData.disableAds=a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,
"enabledLocations",{get:function(){return this._clsGlobalData.enabledLocations},set:function(a){this._clsGlobalData.enabledLocations=a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"injectedFromPlugin",{get:function(){return this._clsGlobalData.injectedFromPlugin},set:function(a){this._clsGlobalData.injectedFromPlugin=a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"injectedFromSiteAds",{get:function(){return this._clsGlobalData.injectedFromSiteAds},set:function(a){this._clsGlobalData.injectedFromSiteAds=
a},enumerable:!1,configurable:!0});c.prototype.overwriteInjectedSlots=function(a){this._clsGlobalData.injectedSlots=a};c.prototype.setInjectedSlots=function(a){this._clsGlobalData.injectedSlots=this._clsGlobalData.injectedSlots||[];this._clsGlobalData.injectedSlots.push(a)};Object.defineProperty(c.prototype,"injectedSlots",{get:function(){return this._clsGlobalData.injectedSlots},enumerable:!1,configurable:!0});c.prototype.setInjectedVideoSlots=function(a){this._clsGlobalData.injectedVideoSlots=this._clsGlobalData.injectedVideoSlots||
[];this._clsGlobalData.injectedVideoSlots.push(a)};Object.defineProperty(c.prototype,"injectedVideoSlots",{get:function(){return this._clsGlobalData.injectedVideoSlots},enumerable:!1,configurable:!0});c.prototype.setInjectedScripts=function(a){this._clsGlobalData.injectedScripts=this._clsGlobalData.injectedScripts||[];this._clsGlobalData.injectedScripts.push(a)};Object.defineProperty(c.prototype,"getInjectedScripts",{get:function(){return this._clsGlobalData.injectedScripts},enumerable:!1,configurable:!0});
c.prototype.setExperiment=function(a,b,d){void 0===d&&(d=!1);this._clsGlobalData.experiments=this._clsGlobalData.experiments||{};this._clsGlobalData.siteExperiments=this._clsGlobalData.siteExperiments||{};(d?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments)[a]=b};c.prototype.getExperiment=function(a,b){void 0===b&&(b=!1);return(b=b?this._clsGlobalData.siteExperiments:this._clsGlobalData.experiments)&&b[a]};c.prototype.setWeightedChoiceExperiment=function(a,b,d){void 0===d&&(d=!1);
this._clsGlobalData.experimentsWeightedChoice=this._clsGlobalData.experimentsWeightedChoice||{};this._clsGlobalData.siteExperimentsWeightedChoice=this._clsGlobalData.siteExperimentsWeightedChoice||{};(d?this._clsGlobalData.siteExperimentsWeightedChoice:this._clsGlobalData.experimentsWeightedChoice)[a]=b};c.prototype.getWeightedChoiceExperiment=function(a,b){var d,e;void 0===b&&(b=!1);return(b=b?null===(d=this._clsGlobalData)||void 0===d?void 0:d.siteExperimentsWeightedChoice:null===(e=this._clsGlobalData)||
void 0===e?void 0:e.experimentsWeightedChoice)&&b[a]};Object.defineProperty(c.prototype,"branch",{get:function(){return this._clsGlobalData.branch},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"bucket",{get:function(){return this._clsGlobalData.bucket},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"videoDisabledFromPlugin",{get:function(){return this._clsGlobalData.videoDisabledFromPlugin},set:function(a){this._clsGlobalData.videoDisabledFromPlugin=a},enumerable:!1,
configurable:!0});Object.defineProperty(c.prototype,"targetDensityLog",{get:function(){return this._clsGlobalData.targetDensityLog},set:function(a){this._clsGlobalData.targetDensityLog=a},enumerable:!1,configurable:!0});Object.defineProperty(c.prototype,"removeVideoTitleWrapper",{get:function(){return this._clsGlobalData.siteAds.adOptions.removeVideoTitleWrapper},enumerable:!1,configurable:!0});return c}(),za=function(){function c(){}c.getScrollTop=function(){return(window.pageYOffset||document.documentElement.scrollTop)-
(document.documentElement.clientTop||0)};c.getScrollBottom=function(){return this.getScrollTop()+(document.documentElement.clientHeight||0)};c.shufflePlaylist=function(a){for(var b=a.length,d,e;0!==b;)e=Math.floor(Math.random()*a.length),--b,d=a[b],a[b]=a[e],a[e]=d;return a};c.isMobileLandscape=function(){return window.matchMedia("(orientation: landscape) and (max-height: 480px)").matches};c.playerViewable=function(a){a=a.getBoundingClientRect();return this.isMobileLandscape()?window.innerHeight>
a.top+a.height/2&&0<a.top+a.height/2:window.innerHeight>a.top+a.height/2};c.createQueryString=function(a){return Object.keys(a).map(function(b){return"".concat(b,"=").concat(a[b])}).join("&")};c.createEncodedQueryString=function(a){return Object.keys(a).map(function(b){return"".concat(b,"=").concat(encodeURIComponent(a[b]))}).join("&")};c.setMobileLocation=function(a){a=a||"bottom-right";"top-left"===a?a="adthrive-collapse-top-left":"top-right"===a?a="adthrive-collapse-top-right":"bottom-left"===
a?a="adthrive-collapse-bottom-left":"bottom-right"===a?a="adthrive-collapse-bottom-right":"top-center"===a&&(a=F()?"adthrive-collapse-top-center":"adthrive-collapse-bottom-right");return a};c.addMaxResolutionQueryParam=function(a){var b=F()?"320":"1280";b="max_resolution=".concat(b);var d=u(String(a).split("?"),2);a=d[0];b=(d=d[1])?d+"&".concat(b):b;return"".concat(a,"?").concat(b)};return c}(),Aa=function(){return function(c){this._clsOptions=c;this.removeVideoTitleWrapper=x(this._clsOptions.siteAds.adOptions.removeVideoTitleWrapper,
!1);c=this._clsOptions.siteAds.videoPlayers;this.footerSelector=x(c&&c.footerSelector,"");this.players=x(c&&c.players.map(function(a){a.mobileLocation=za.setMobileLocation(a.mobileLocation);return a}),[]);this.contextualSettings=c&&c.contextual}}(),Ba=function(){return function(c){this.contextualPlayerAdded=this.playlistPlayerAdded=this.mobileStickyPlayerOnPage=!1;this.footerSelector="";this.removeVideoTitleWrapper=!1;this.videoAdOptions=new Aa(c);this.players=this.videoAdOptions.players;this.contextualSettings=
this.videoAdOptions.contextualSettings;this.removeVideoTitleWrapper=this.videoAdOptions.removeVideoTitleWrapper;this.footerSelector=this.videoAdOptions.footerSelector}}();G=function(){return function(){}}();var I=function(c){function a(b){var d=c.call(this)||this;d._probability=b;return d}A(a,c);a.prototype.get=function(){if(0>this._probability||1<this._probability)throw Error("Invalid probability: ".concat(this._probability));return Math.random()<this._probability};return a}(G);C=function(){function c(){this._clsOptions=
new ia;this.shouldUseCoreExperimentsConfig=!1}c.prototype.setExperimentKey=function(a){void 0===a&&(a=!1);this._clsOptions.setExperiment(this.abgroup,this.result,a)};return c}();var Ca=function(c){function a(){var b=c.call(this)||this;b._result=!1;b._choices=[{choice:!0},{choice:!1}];b.key="RemoveLargeSize";b.abgroup="smhd100";b._result=b.run();b.setExperimentKey();return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});a.prototype.run=
function(){return(new I(.1)).get()};return a}(C),ja=function(c,a,b,d,e,f){c=Math.round(f-e);a=[];e=[];a.push("(",b.map(function(){return"%o"}).join(", "),")");e.push.apply(e,B([],u(b),!1));void 0!==d&&(a.push(" => %o"),e.push(d));a.push(" %c(".concat(c,"ms)"));e.push("color: #999;")},ka=function(c,a,b){var d=void 0!==b.get?b.get:b.value;return function(){for(var e=[],f=0;f<arguments.length;f++)e[f]=arguments[f];try{var g=R(),h=d.apply(this,e);if(h instanceof Promise)return h.then(function(k){var n=
R();ja(c,a,e,k,g,n);return Promise.resolve(k)}).catch(function(k){k.logged||(r.error(c,a,k),k.logged=!0);throw k;});var l=R();ja(c,a,e,h,g,l);return h}catch(k){throw k.logged||(r.error(c,a,k),k.logged=!0),k;}}},M=function(c,a){void 0===a&&(a=!1);return function(b){var d,e=Object.getOwnPropertyNames(b.prototype).filter(function(p){return a||0!==p.indexOf("_")}).map(function(p){return[p,Object.getOwnPropertyDescriptor(b.prototype,p)]});try{for(var f=N(e),g=f.next();!g.done;g=f.next()){var h=u(g.value,
2),l=h[0],k=h[1];void 0!==k&&"function"===typeof k.value?b.prototype[l]=ka(c,l,k):void 0!==k&&void 0!==k.get&&"function"===typeof k.get&&Object.defineProperty(b.prototype,l,z(z({},k),{get:ka(c,l,k)}))}}catch(p){var n={error:p}}finally{try{g&&!g.done&&(d=f.return)&&d.call(f)}finally{if(n)throw n.error;}}}},Da=function(c){function a(){var b=c.call(this)||this;b._result=!1;b.key="MaxContent";b.abgroup="conmax99";b._choices=[{choice:!0},{choice:!1}];b.weight=.02;b._result=b.run();b.setExperimentKey();
return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});a.prototype.run=function(){return(new I(this.weight)).get()};return a=H([M("MaxContentExperiment"),D("design:paramtypes",[])],a)}(C),Ea=function(c){function a(b){var d=c.call(this)||this;d._result=!1;d.key="ParallaxAdsExperiment";d.abgroup="parallax";d._choices=[{choice:!0},{choice:!1}];d.weight=.5;F()&&b.largeFormatsMobile&&(d._result=d.run(),d.setExperimentKey());return d}
A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});a.prototype.run=function(){return(new I(this.weight)).get()};return a=H([M("ParallaxAdsExperiment"),D("design:paramtypes",[Object])],a)}(C),Fa=function(c){function a(){var b=c.call(this)||this;b._result=!1;b._choices=[{choice:!0},{choice:!1}];b.key="mrsf";b.abgroup="mrsf";F()&&(b._result=b.run(),b.setExperimentKey());return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},
enumerable:!1,configurable:!0});a.prototype.run=function(){return(new I(1)).get()};return a}(C),Ga=[[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]],Ha=[[300,600],[160,600]],Ia=new Map([["Footer",1],["Header",2],["Sidebar",3],["Content",4],["Recipe",5],["Sidebar_sticky",6],["Below Post",7]]),Ja=function(c){return Ga.filter(function(a){a=u(a,2);var b=
a[0],d=a[1];return c.some(function(e){e=u(e,2);var f=e[1];return b===e[0]&&d===f})})},Ka=function(c,a,b,d,e){a=u(a,2);var f=a[0],g=a[1],h=c.location;a=c.sequence;return"Footer"===h?!("phone"===b&&320===f&&100===g):"Header"===h?!(100<g&&d.result):"Recipe"===h?!(e.result&&"phone"===b&&(300===f&&390===g||320===f&&300===g)):"Sidebar"===h?(b=c.adSizes.some(function(l){return 300>=u(l,2)[1]}),(d=300<g)&&!b?!0:9===a?!0:a&&5>=a?d?c.sticky:!0:!d):!0},La=function(c,a){var b=c.location;c=c.sticky;if("Recipe"===
b&&a){var d=a.recipeMobile;a=a.recipeDesktop;if(F()&&(null===d||void 0===d?0:d.enabled)||!F()&&(null===a||void 0===a?0:a.enabled))return!0}return"Footer"===b||c},Ma=function(c,a){var b=a.adUnits,d=a.adTypes?(new Ea(a.adTypes)).result:!1,e=new Ca,f=new Da,g=new Fa;return b.filter(function(h){return void 0!==h.dynamic&&h.dynamic.enabled}).map(function(h){var l=h.location.replace(/\s+/g,"_"),k="Sidebar"===l?0:2;return{auctionPriority:Ia.get(l)||8,location:l,sequence:x(h.sequence,1),sizes:Ja(h.adSizes).filter(function(n){return Ka(h,
n,c,e,g)}).concat(d&&"Content"===h.location?Ha:[]),devices:h.devices,pageSelector:x(h.dynamic.pageSelector,"").trim(),elementSelector:x(h.dynamic.elementSelector,"").trim(),position:x(h.dynamic.position,"beforebegin"),max:f.result&&"Content"===h.location?99:Math.floor(x(h.dynamic.max,0)),spacing:x(h.dynamic.spacing,0),skip:Math.floor(x(h.dynamic.skip,0)),every:Math.max(Math.floor(x(h.dynamic.every,1)),1),classNames:h.dynamic.classNames||[],sticky:La(h,a.adOptions.stickyContainerConfig),stickyOverlapSelector:x(h.stickyOverlapSelector,
"").trim(),autosize:h.autosize,special:x(h.targeting,[]).filter(function(n){return"special"===n.key}).reduce(function(n,p){return n.concat.apply(n,B([],u(p.value),!1))},[]),lazy:x(h.dynamic.lazy,!1),lazyMax:x(h.dynamic.lazyMax,k),lazyMaxDefaulted:0===h.dynamic.lazyMax?!1:!h.dynamic.lazyMax}})},T=function(c,a){var b=oa(a),d=c.sticky&&"Sidebar"===c.location;return c.sizes.filter(function(e){var f=d?e[1]<=window.innerHeight-100:!0;return(c.autosize?e[0]<=b||320>=e[0]:!0)&&f})},Na=function(){return function(c){this.clsOptions=
c;this.enabledLocations=["Below_Post","Content","Recipe","Sidebar"]}}(),Oa=function(c){var a=document.body;c="adthrive-device-".concat(c);if(!a.classList.contains(c))try{a.classList.add(c)}catch(b){r.error("BodyDeviceClassComponent","init",{message:b.message}),a="classList"in document.createElement("_"),r.error("BodyDeviceClassComponent","init.support",{support:a})}},Pa=function(c){if(c&&c.length){for(var a=0,b=0;b<c.length;b++){var d=S(c[b]);if(d.valid&&d.elements&&d.elements[0]){a=Y(d.elements[0]).height;
break}}return a}},Qa=function(c){return Q('\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: "\u2014 Advertisement. Scroll down to continue. \u2014";\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:'.concat(c?
c:400,"px !important;\n    margin: 10px 0 10px 0;\n    background-color: #FAFAFA;\n    padding-bottom:0px;\n  }\n  "))},Ra=function(c,a){a=null!==a&&void 0!==a?a:5;Q("\n    .adthrive-ad.adthrive-sticky-sidebar {\n      position: relative;\n      display: flex;\n      flex-direction: column;\n      justify-content: flex-start;\n      align-items: center;\n      min-height: ".concat(null!==c&&void 0!==c?c:1200,"px !important;\n      padding-bottom: 0px;\n      margin: 10px 0 10px 0;\n    }\n    .adthrive-ad.adthrive-sticky-sidebar div {\n      flex-basis: unset;\n      position: sticky !important;\n      top: ").concat(a,
"px;\n    }\n  "))},U=function(c){return c.some(function(a){return null!==document.querySelector(a)})},Sa=function(c){function a(){var b=c.call(this)||this;b._result=!1;b.abgroup="essa";b.key="EnhancedStickySidebarAds";b._choices=[{choice:!0},{choice:!1}];b.weight=.9;b._result=b.run();b.setExperimentKey();return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});a.prototype.run=function(){return(new I(this.weight)).get()};return a=
H([M("EnhancedStickySidebarAdsExperiment"),D("design:paramtypes",[])],a)}(C),V=function(c){function a(b,d){void 0===b&&(b=[]);var e=c.call(this)||this;e._choices=b;e._default=d;return e}A(a,c);a.fromArray=function(b,d){return new a(b.map(function(e){e=u(e,2);return{choice:e[0],weight:e[1]}}),d)};a.prototype.addChoice=function(b,d){this._choices.push({choice:b,weight:d})};a.prototype.get=function(){var b,d=100*Math.random(),e=0;try{for(var f=N(this._choices),g=f.next();!g.done;g=f.next()){var h=g.value,
l=h.choice;e+=h.weight;if(e>=d)return l}}catch(n){var k={error:n}}finally{try{g&&!g.done&&(b=f.return)&&b.call(f)}finally{if(k)throw k.error;}}return this._default};Object.defineProperty(a.prototype,"totalWeight",{get:function(){return this._choices.reduce(function(b,d){return b+d.weight},0)},enumerable:!1,configurable:!0});return a}(G),Ta=function(c){for(var a=5381,b=c.length;b;)a=33*a^c.charCodeAt(--b);return a>>>0},O=new (function(){function c(){var a=this;this.name="StorageHandler";this.disable=
!1;this.removeLocalStorageValue=function(b){window.localStorage.removeItem("adthrive_".concat(b.toLowerCase()))};this.getLocalStorageValue=function(b,d,e,f,g){void 0===d&&(d=!0);void 0===e&&(e=!0);if(a.disable)return null;try{var h=window.localStorage.getItem("".concat(d?"adthrive_":"").concat(e?b.toLowerCase():b));if(h){var l=JSON.parse(h),k=void 0!==f&&Date.now()-l.created>=f;if(l&&!k)return g&&a.setLocalStorageValue(b,l.value,d),l.value}}catch(n){}return null};this.setLocalStorageValue=function(b,
d,e){void 0===e&&(e=!0);try{e=e?"adthrive_":"";var f={value:d,created:Date.now()};window.localStorage.setItem("".concat(e).concat(b.toLowerCase()),JSON.stringify(f))}catch(g){}};this.isValidABGroupLocalStorageValue=function(b){return void 0!==b&&null!==b&&!("number"===typeof b&&isNaN(b))};this.getOrSetLocalStorageValue=function(b,d,e,f,g,h,l){void 0===f&&(f=!0);void 0===g&&(g=!0);void 0===l&&(l=!0);e=a.getLocalStorageValue(b,l,f,e,g);if(null!==e)return e;d=d();a.setLocalStorageValue(b,d,l);h&&h(d);
return d};this.getOrSetABGroupLocalStorageValue=function(b,d,e,f,g){var h;void 0===f&&(f=!0);e=a.getLocalStorageValue("abgroup",!0,!0,e,f);if(null!==e&&(f=e[b],a.isValidABGroupLocalStorageValue(f)))return f;d=d();b=z(z({},e),(h={},h[b]=d,h));a.setLocalStorageValue("abgroup",b);g&&g();return d}}c.prototype.init=function(){};return c}()),la=function(){return function(c,a,b){var d=b.value;d&&(b.value=function(){for(var e=this,f=[],g=0;g<arguments.length;g++)f[g]=arguments[g];g=Array.isArray(this._choices)?
Ta(JSON.stringify(this._choices)).toString(16):null;var h=this._expConfigABGroup?this._expConfigABGroup:this.abgroup;h=h?h.toLowerCase():this.key?this.key.toLowerCase():"";g=g?"".concat(h,"_").concat(g):h;g=this.localStoragePrefix?"".concat(this.localStoragePrefix,"-").concat(g):g;h=O.getLocalStorageValue("branch");!1===(h&&h.enabled)&&O.removeLocalStorageValue(g);return O.getOrSetABGroupLocalStorageValue(g,function(){return d.apply(e,f)},864E5)})}};G=function(c){function a(){var b=null!==c&&c.apply(this,
arguments)||this;b._resultValidator=function(){return!0};return b}A(a,c);a.prototype._isValidResult=function(b){var d=this;return c.prototype._isValidResult.call(this,b,function(){return d._resultValidator(b)||"control"===b})};a.prototype.run=function(){if(!this.enabled)return r.error("CLSWeightedChoiceSiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";if(!this._mappedChoices||0===this._mappedChoices.length)return r.error("CLSWeightedChoiceSiteExperiment",
"run","() => %o","No experiment variants found. Defaulting to control."),"control";var b=(new V(this._mappedChoices)).get();if(this._isValidResult(b))return b;r.error("CLSWeightedChoiceSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control.");return"control"};return a}(function(){function c(){}Object.defineProperty(c.prototype,"enabled",{get:function(){return void 0!==this.experimentConfig},enumerable:!1,configurable:!0});c.prototype._isValidResult=function(a,
b){void 0===b&&(b=function(){return!0});return b()&&O.isValidABGroupLocalStorageValue(a)};return c}());var ma=function(){function c(a){var b=this,d,e;this.siteExperiments=[];this._clsOptions=a;this._device=F()?"mobile":"desktop";this.siteExperiments=null!==(e=null===(d=this._clsOptions.siteAds.siteExperiments)||void 0===d?void 0:d.filter(function(f){var g=f.key;var h=b._device;if(f){var l=!!f.enabled,k=null==f.dateStart||Date.now()>=f.dateStart,n=null==f.dateEnd||Date.now()<=f.dateEnd,p=null===f.selector||
""!==f.selector&&!!document.querySelector(f.selector),q="mobile"===f.platform&&"mobile"===h;h="desktop"===f.platform&&"desktop"===h;q=null===f.platform||"all"===f.platform||q||h;(h="bernoulliTrial"===f.experimentType?1===f.variants.length:wa(f.variants))||r.error("SiteTest","validateSiteExperiment","experiment presented invalid choices for key:",f.key,f.variants);f=l&&k&&n&&p&&q&&h}else f=!1;a:switch(l=b._clsOptions.siteAds,g){case E.AdDensity:var m=ua(l,b._device);break a;case E.StickyOutstream:var v,
w;m=(g=null===(w=null===(v=null===(m=l.videoPlayers)||void 0===m?void 0:m.partners)||void 0===v?void 0:v.stickyOutstream)||void 0===w?void 0:w.blockedPageSelectors)?!document.querySelector(g):!0;break a;case E.Interstitial:m=(m=l.adOptions.interstitialBlockedPageSelectors)?!document.querySelector(m):!0;break a;default:m=!0}return f&&m}))&&void 0!==e?e:[]}c.prototype.getSiteExperimentByKey=function(a){var b=this.siteExperiments.filter(function(f){return f.key.toLowerCase()===a.toLowerCase()})[0],d=
ya("at_site_features"),e=typeof((null===b||void 0===b?0:b.variants[1])?null===b||void 0===b?void 0:b.variants[1].value:null===b||void 0===b?void 0:b.variants[0].value)===typeof d[a];b&&d[a]&&e&&(b.variants=[{displayName:"test",value:d[a],weight:100,id:0}]);return b};return c}(),Ua=function(c){function a(b){var d=c.call(this)||this;d._choices=[];d._mappedChoices=[];d._result="";d._resultValidator=function(e){return"string"===typeof e};d.key=E.AdLayout;d.abgroup=E.AdLayout;d._clsSiteExperiments=new ma(b);
d.experimentConfig=d._clsSiteExperiments.getSiteExperimentByKey(d.key);d.enabled&&d.experimentConfig&&(d._choices=d.experimentConfig.variants,d._mappedChoices=d._mapChoices(),d._result=d.run(),b.setWeightedChoiceExperiment(d.abgroup,d._result,!0));return d}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});a.prototype.run=function(){if(!this.enabled)return r.error("CLSAdLayoutSiteExperiment","run","() => %o","No experiment config found. Defaulting to empty class name."),
"";var b=(new V(this._mappedChoices)).get();if(this._isValidResult(b))return b;r.error("CLSAdLayoutSiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to empty class name.");return""};a.prototype._mapChoices=function(){return this._choices.map(function(b){return{weight:b.weight,choice:b.value}})};H([la(),D("design:type",Function),D("design:paramtypes",[]),D("design:returntype",void 0)],a.prototype,"run",null);return a}(G),Va=function(c){function a(b){var d=c.call(this)||
this;d._choices=[];d._mappedChoices=[];d._result="control";d._resultValidator=function(e){return"number"===typeof e};d.key=E.AdDensity;d.abgroup=E.AdDensity;d._clsSiteExperiments=new ma(b);d.experimentConfig=d._clsSiteExperiments.getSiteExperimentByKey(d.key);d.enabled&&d.experimentConfig&&(d._choices=d.experimentConfig.variants,d._mappedChoices=d._mapChoices(),d._result=d.run(),b.setWeightedChoiceExperiment(d.abgroup,d._result,!0));return d}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},
enumerable:!1,configurable:!0});a.prototype.run=function(){if(!this.enabled)return r.error("CLSTargetAdDensitySiteExperiment","run","() => %o","No experiment config found. Defaulting to control."),"control";var b=(new V(this._mappedChoices)).get();if(this._isValidResult(b))return b;r.error("CLSTargetAdDensitySiteExperiment","run","() => %o","Invalid result from experiment choices. Defaulting to control.");return"control"};a.prototype._mapChoices=function(){return this._choices.map(function(b){var d=
b.value;return{weight:b.weight,choice:"number"===typeof d?(d||0)/100:"control"}})};H([la(),D("design:type",Function),D("design:paramtypes",[]),D("design:returntype",void 0)],a.prototype,"run",null);return a}(G),Wa=function(c){function a(){var b=c.call(this)||this;b._result=!1;b.abgroup="scae";b.key="StickyContainerAds";b._choices=[{choice:!0},{choice:!1}];b.weight=.99;b._result=b.run();b.setExperimentKey();return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},
enumerable:!1,configurable:!0});a.prototype.run=function(){return(new I(this.weight)).get()};return a=H([M("StickyContainerAdsExperiment"),D("design:paramtypes",[])],a)}(C),Xa=function(c){function a(){var b=c.call(this)||this;b._result=!1;b.abgroup="scre";b.key="StickyContainerRecipe";b._choices=[{choice:!0},{choice:!1}];b.weight=.99;b._result=b.run();b.setExperimentKey();return b}A(a,c);Object.defineProperty(a.prototype,"result",{get:function(){return this._result},enumerable:!1,configurable:!0});
a.prototype.run=function(){return(new I(this.weight)).get()};return a=H([M("StickyContainerRecipeExperiment"),D("design:paramtypes",[])],a)}(C),Za=function(){function c(a,b){this._clsOptions=a;this._adInjectionMap=b;this._mainContentHeight=this._recipeCount=0;this._mainContentDiv=null;this._totalAvailableElements=[];this._minDivHeight=250;this._densityDevice=L.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([["Recipe",5]]);this.locationToMinHeight={Below_Post:"250px",Content:"250px",Recipe:"250px",Sidebar:"250px"};b=this._clsOptions.siteAds.breakpoints;var d=b.tablet;var e=window.innerWidth;b=e>=b.desktop?"desktop":e>=d?"tablet":"phone";this._device=b;this._config=new Na(a);this._clsOptions.enabledLocations=this._config.enabledLocations;this._clsTargetAdDensitySiteExperiment=
this._clsOptions.siteAds.siteExperiments?new Va(this._clsOptions):null;this._stickyContainerAdsExperiment=new Wa;this._stickyContainerRecipeExperiment=new Xa;this._enhancedStickySidebarAdsExperiment=new Sa}c.prototype.start=function(){var a=this,b,d,e,f,g,h;try{Oa(this._device);var l=new Ua(this._clsOptions);if(l.enabled){var k=l.result.substring(1);if(/^[-_a-zA-Z]+[-_a-zA-Z0-9]*$/.test(k))try{document.body.classList.add(k)}catch(t){r.error("ClsDynamicAdsInjector","start","Uncaught CSS Class error: ".concat(t))}else r.error("ClsDynamicAdsInjector",
"start","Invalid class name: ".concat(k))}var n=this._clsOptions.siteAds.adOptions,p=null===(d=null===(b=n.sidebarConfig)||void 0===b?void 0:b.dynamicStickySidebar)||void 0===d?void 0:d.minHeight,q=n.siteAttributes,m=F()?null===q||void 0===q?void 0:q.mobileHeaderSelectors:null===q||void 0===q?void 0:q.desktopHeaderSelectors,v=Pa(m);Ra(p,v);var w=Ma(this._device,this._clsOptions.siteAds).filter(function(t){return a._locationEnabled(t)}).filter(function(t){return t.devices.includes(a._device)}).filter(function(t){return 0===
t.pageSelector.length||null!==document.querySelector(t.pageSelector)}),y=this.inject(w);(null===(f=null===(e=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||void 0===e?void 0:e.content)||void 0===f?0:f.enabled)&&this._stickyContainerAdsExperiment.result&&!U(this._clsOptions.siteAds.adOptions.stickyContainerConfig.blockedSelectors||[])&&Qa(null===(h=null===(g=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||void 0===g?void 0:g.content)||void 0===h?void 0:h.minHeight);y.forEach(function(t){return a._clsOptions.setInjectedSlots(t)})}catch(t){r.error("ClsDynamicAdsInjector",
"start",t)}};c.prototype.inject=function(a,b){void 0===b&&(b=document);this._densityDevice="desktop"===this._device?L.Desktop:L.Mobile;this._overrideDefaultAdDensitySettingsWithSiteExperiment();var d=this._clsOptions.siteAds,e=x(d.adDensityEnabled,!0),f=d.adDensityLayout&&e;d=a.filter(function(g){return f?"Content"!==g.location:g});a=a.filter(function(g){return f?"Content"===g.location:null});return B(B([],u(d.length?this._injectNonDensitySlots(d,b):[]),!1),u(a.length?this._injectDensitySlots(a,b):
[]),!1)};c.prototype._injectNonDensitySlots=function(a,b){var d,e=this,f,g,h,l,k,n,p;void 0===b&&(b=document);var q=[],m=[],v=(null===(g=null===(f=this._clsOptions.siteAds.adOptions.sidebarConfig)||void 0===f?void 0:f.dynamicStickySidebar)||void 0===g?void 0:g.enabled)&&this._enhancedStickySidebarAdsExperiment.result;this._stickyContainerRecipeExperiment.result&&a.some(function(J){return"Recipe"===J.location&&J.sticky})&&!U((null===(h=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||void 0===
h?void 0:h.blockedSelectors)||[])&&(f=this._clsOptions.siteAds.adOptions.stickyContainerConfig,f="phone"===this._device?null===(l=null===f||void 0===f?void 0:f.recipeMobile)||void 0===l?void 0:l.minHeight:null===(k=null===f||void 0===f?void 0:f.recipeDesktop)||void 0===k?void 0:k.minHeight,Q("\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:".concat(f?
f:400,"px !important;\n    margin: 10px 0 10px 0;\n    background-color: #FAFAFA;\n    padding-bottom:0px;\n  }\n  ")));try{for(var w=N(a),y=w.next();!y.done;y=w.next()){var t=y.value,W="Sidebar"===t.location&&9===t.sequence&&t.sticky,X=(null===(p=null===(n=this._clsOptions.siteAds.adOptions.sidebarConfig)||void 0===n?void 0:n.dynamicStickySidebar)||void 0===p?void 0:p.blockedSelectors)||[],Ya=U(X);v&&W?Ya?this._insertNonDensityAds(t,q,m,b):this._insertDynamicStickySidebarAds(t,q,m,b):this._insertNonDensityAds(t,
q,m,b)}}catch(J){var na={error:J}}finally{try{y&&!y.done&&(d=w.return)&&d.call(w)}finally{if(na)throw na.error;}}m.forEach(function(J){J.element.style.minHeight=e.locationToMinHeight[J.location]});return q};c.prototype._injectDensitySlots=function(a,b){void 0===b&&(b=document);try{this._calculateMainContentHeightAndAllElements(a,b)}catch(h){return[]}var d=this._getDensitySettings(a,b);a=d.onePerViewport;var e=d.targetAll,f=d.targetDensityUnits,g=d.combinedMax;d=d.numberOfUnits;this._absoluteMinimumSpacingByDevice=
a?window.innerHeight:this._absoluteMinimumSpacingByDevice;if(!d)return[];this._adInjectionMap.filterUsed();this._findElementsForAds(d,a,e,g,f,b);return this._insertAds()};c.prototype._overrideDefaultAdDensitySettingsWithSiteExperiment=function(){var a;if(null===(a=this._clsTargetAdDensitySiteExperiment)||void 0===a?0:a.enabled)a=this._clsTargetAdDensitySiteExperiment.result,"number"===typeof a&&(this._clsOptions.siteAds.adDensityEnabled=!0,this._clsOptions.siteAds.adDensityLayout[this._densityDevice].adDensity=
a)};c.prototype._getDensitySettings=function(a,b){void 0===b&&(b=document);var d=this._clsOptions.siteAds.adDensityLayout,e=this._determineOverrides(d.pageOverrides);e=e.length?e[0]:d[this._densityDevice];d=e.adDensity;e=e.onePerViewport;var f=this._shouldTargetAllEligible(d),g=this._getTargetDensityUnits(d,f);a=this._getCombinedMax(a,b);b=Math.min.apply(Math,B([],u(B([this._totalAvailableElements.length,g],u(0<a?[a]:[]),!1)),!1));this._pubLog={onePerViewport:e,targetDensity:d,targetDensityUnits:g,
combinedMax:a};return{onePerViewport:e,targetAll:f,targetDensityUnits:g,combinedMax:a,numberOfUnits:b}};c.prototype._determineOverrides=function(a){var b=this;return a.filter(function(d){var e=S(d.pageSelector);return""===d.pageSelector||e.elements&&e.elements.length}).map(function(d){return d[b._densityDevice]})};c.prototype._shouldTargetAllEligible=function(a){return a===this._densityMax};c.prototype._getTargetDensityUnits=function(a,b){return b?this._totalAvailableElements.length:Math.floor(a*
this._mainContentHeight/(1-a)/this._minDivHeight)-this._recipeCount};c.prototype._getCombinedMax=function(a,b){void 0===b&&(b=document);return x(a.filter(function(d){try{var e=b.querySelector(d.elementSelector)}catch(f){}return e}).map(function(d){return Number(d.max)+Number(d.lazyMaxDefaulted?0:d.lazyMax)}).sort(function(d,e){return e-d})[0],0)};c.prototype._elementLargerThanMainContent=function(a){return a.offsetHeight>=this._mainContentHeight&&1<this._totalAvailableElements.length};c.prototype._elementDisplayNone=
function(a){var b=window.getComputedStyle(a,null).display;return b&&"none"===b||"none"===a.style.display};c.prototype._isBelowMaxes=function(a,b){return this._adInjectionMap.map.length<a&&this._adInjectionMap.map.length<b};c.prototype._findElementsForAds=function(a,b,d,e,f,g){var h=this;void 0===g&&(g=document);this._clsOptions.targetDensityLog={onePerViewport:b,combinedMax:e,targetDensityUnits:f,targetDensityPercentage:this._pubLog.targetDensity,mainContentHeight:this._mainContentHeight,recipeCount:this._recipeCount,
numberOfEls:this._totalAvailableElements.length};var l=function(k){var n;try{for(var p=N(h._totalAvailableElements),q=p.next();!q.done;q=p.next()){var m=q.value,v=m.dynamicAd,w=m.element;h._logDensityInfo(w,v.elementSelector,k);if(!(!d&&h._elementLargerThanMainContent(w)||h._elementDisplayNone(w)))if(h._isBelowMaxes(e,f))h._checkElementSpacing({dynamicAd:v,element:w,insertEvery:k,targetAll:d,target:g});else break}}catch(t){var y={error:t}}finally{try{q&&!q.done&&(n=p.return)&&n.call(p)}finally{if(y)throw y.error;
}}!h._usedAbsoluteMinimum&&5>h._smallerIncrementAttempts&&(++h._smallerIncrementAttempts,l(h._getSmallerIncrement(k)))};a=this._getInsertEvery(a,b,f);l(a)};c.prototype._getSmallerIncrement=function(a){a*=.6;a<=this._absoluteMinimumSpacingByDevice&&(a=this._absoluteMinimumSpacingByDevice,this._usedAbsoluteMinimum=!0);return a};c.prototype._insertDynamicStickySidebarAds=function(a,b,d,e){void 0===e&&(e=document);var f=this.getElements(a.elementSelector,e).item(a.skip);if(null!==f)for(var g=this._repeatDynamicStickySidebar(a,
f).map(function(n){n.lazy=!0;return n}),h=function(n){var p=g[n],q="".concat(p.location,"_").concat(p.sequence);if(b.some(function(y){return y.name===q}))return"continue";var m=l.getDynamicElementId(p),v="adthrive-".concat(a.location.replace("_","-").toLowerCase()),w="".concat(v,"-").concat(p.sequence);n=B([n!==g.length-1?"adthrive-sticky-sidebar":"",v,w],u(a.classNames),!1);if(m=l.addAd(f,m,p.position,n))n=T(p,m),n.length&&(b.push({clsDynamicAd:a,dynamicAd:p,element:m,sizes:n,name:q,infinite:e!==
document}),d.push({location:p.location,element:m}))},l=this,k=0;k<g.length;k++)h(k)};c.prototype._insertNonDensityAds=function(a,b,d,e){void 0===e&&(e=document);var f=0,g=0,h=0;0<a.spacing&&(g=f=window.innerHeight*a.spacing);for(var l=this._repeatDynamicAds(a),k=this.getElements(a.elementSelector,e),n=function(m){if(h+1>l.length)return"break";var v=k[m];if(0<f){m=Y(v).bottom;if(m<=g)return"continue";g=m+f}m=l[h];var w="".concat(m.location,"_").concat(m.sequence);b.some(function(X){return X.name===
w})&&(h+=1);var y=p.getDynamicElementId(m),t="adthrive-".concat(a.location.replace("_","-").toLowerCase()),W="".concat(t,"-").concat(a.sequence);t=B(["Sidebar"===a.location&&a.sticky&&a.sequence&&5>=a.sequence?"adthrive-sticky-sidebar":"",p._stickyContainerRecipeExperiment.result&&"Recipe"===a.location&&a.sticky?"adthrive-recipe-sticky-container":"",t,W],u(a.classNames),!1);if(v=p.addAd(v,y,a.position,t))y=T(m,v),y.length&&(b.push({clsDynamicAd:a,dynamicAd:m,element:v,sizes:y,name:w,infinite:e!==
document}),d.push({location:m.location,element:v}),"Recipe"===a.location&&++p._recipeCount,h+=1)},p=this,q=a.skip;q<k.length&&"break"!==n(q);q+=a.every);};c.prototype._insertAds=function(){var a=this,b=[];this._adInjectionMap.filterUsed();this._adInjectionMap.map.forEach(function(d,e){var f=d.el,g=d.dynamicAd;d=d.target;e=Number(g.sequence)+e;var h=g.max;h=g.lazy&&e>h;g.sequence=e;g.lazy=h;if(f=a._addContentAd(f,g,d))g.used=!0,b.push(f)});return b};c.prototype._getInsertEvery=function(a,b,d){this._moreAvailableElementsThanUnitsToInject(d,
a)?(this._usedAbsoluteMinimum=!1,a=this._useWiderSpacing(d,a)):(this._usedAbsoluteMinimum=!0,a=this._useSmallestSpacing(b));return b&&window.innerHeight>a?window.innerHeight:a};c.prototype._useWiderSpacing=function(a,b){return this._mainContentHeight/Math.min(a,b)};c.prototype._useSmallestSpacing=function(a){return a&&window.innerHeight>this._absoluteMinimumSpacingByDevice?window.innerHeight:this._absoluteMinimumSpacingByDevice};c.prototype._moreAvailableElementsThanUnitsToInject=function(a,b){return this._totalAvailableElements.length>
a||this._totalAvailableElements.length>b};c.prototype._logDensityInfo=function(a,b,d){a=this._pubLog;a.onePerViewport;a.targetDensity;a.combinedMax};c.prototype._checkElementSpacing=function(a){var b=a.dynamicAd,d=a.element,e=a.insertEvery,f=a.targetAll;a=a.target;a=void 0===a?document:a;(this._isFirstAdInjected()||this._hasProperSpacing(d,b,f,e))&&this._markSpotForContentAd(d,z({},b),a)};c.prototype._isFirstAdInjected=function(){return!this._adInjectionMap.map.length};c.prototype._markSpotForContentAd=
function(a,b,d){void 0===d&&(d=document);this._adInjectionMap.add(a,this._getElementCoords(a,"beforebegin"===b.position||"afterbegin"===b.position),b,d);this._adInjectionMap.sort()};c.prototype._hasProperSpacing=function(a,b,d,e){var f="beforebegin"===b.position||"afterbegin"===b.position;b="beforeend"===b.position||"afterbegin"===b.position;d=d||this._isElementFarEnoughFromOtherAdElements(a,e,f);f=b||this._isElementNotInRow(a,f);a=-1===a.id.indexOf("AdThrive_".concat("Below_Post"));return d&&f&&
a};c.prototype._isElementFarEnoughFromOtherAdElements=function(a,b,d){a=this._getElementCoords(a,d);var e=!1;for(d=0;d<this._adInjectionMap.map.length&&!(e=this._adInjectionMap.map[d+1]&&this._adInjectionMap.map[d+1].coords,e=a-b>this._adInjectionMap.map[d].coords&&(!e||a+b<e));d++);return e};c.prototype._isElementNotInRow=function(a,b){var d=a.previousElementSibling,e=a.nextElementSibling;return(b=b?!d&&e||d&&a.tagName!==d.tagName?e:d:e)&&0===a.getBoundingClientRect().height?!0:b?a.getBoundingClientRect().top!==
b.getBoundingClientRect().top:!0};c.prototype._calculateMainContentHeightAndAllElements=function(a,b){void 0===b&&(b=document);a=u(ta(a,this._adInjectionMap,b),2);b=a[1];this._mainContentDiv=a[0];this._totalAvailableElements=b;a=this._mainContentDiv;b=void 0;void 0===b&&(b="div #comments, section .comments");this._mainContentHeight=(b=a.querySelector(b))?a.offsetHeight-b.offsetHeight:a.offsetHeight};c.prototype._getElementCoords=function(a,b){void 0===b&&(b=!1);a=a.getBoundingClientRect();return(b?
a.top:a.bottom)+window.scrollY};c.prototype._addContentAd=function(a,b,d){var e,f;void 0===d&&(d=document);var g=null,h="adthrive-".concat(b.location.replace("_","-").toLowerCase()),l="".concat(h,"-").concat(b.sequence),k=(null===(f=null===(e=this._clsOptions.siteAds.adOptions.stickyContainerConfig)||void 0===e?void 0:e.content)||void 0===f?0:f.enabled)&&this._stickyContainerAdsExperiment.result?"adthrive-sticky-container":"";if(a=this.addAd(a,this.getDynamicElementId(b),b.position,B([k,h,l],u(b.classNames),
!1)))e=T(b,a),e.length&&(a.style.minHeight=this.locationToMinHeight[b.location],g="".concat(b.location,"_").concat(b.sequence),g={clsDynamicAd:b,dynamicAd:b,element:a,sizes:e,name:g,infinite:d!==document});return g};c.prototype.getDynamicElementId=function(a){return"".concat("AdThrive","_").concat(a.location,"_").concat(a.sequence,"_").concat(this._device)};c.prototype.getElements=function(a,b){void 0===b&&(b=document);return b.querySelectorAll(a)};c.prototype.addAd=function(a,b,d,e){void 0===e&&
(e=[]);document.getElementById(b)||(e='<div id="'.concat(b,'" class="adthrive-ad ').concat(e.join(" "),'"></div>'),a.insertAdjacentHTML(d,e));return document.getElementById(b)};c.prototype._repeatDynamicAds=function(a){var b=[],d=a.lazy?x(this.locationMaxLazySequence.get(a.location),0):0,e=a.max,f=a.lazyMax;d=Math.max(e,0===d&&a.lazy?e+f:Math.min(Math.max(d-a.sequence+1,0),e+f));for(f=0;f<d;f++){var g=Number(a.sequence)+f,h=a.lazy&&f>=e;b.push(z(z({},a),{sequence:g,lazy:h}))}return b};c.prototype._repeatSpecificDynamicAds=
function(a,b,d){void 0===d&&(d=0);for(var e=[],f=0;f<b;f++){var g=d+f;e.push(z(z({},a),{sequence:g}))}return e};c.prototype._repeatDynamicStickySidebar=function(a,b){var d,e,f;if("Sidebar"!==a.location||9!==a.sequence||!a.sticky)return[a];if(b){var g=null===(e=null===(d=this._clsOptions.siteAds.adOptions.sidebarConfig)||void 0===d?void 0:d.dynamicStickySidebar)||void 0===e?void 0:e.minHeight;d=a.stickyOverlapSelector?(null===(f=document.querySelector(a.stickyOverlapSelector))||void 0===f?void 0:f.offsetTop)||
document.body.scrollHeight:document.body.scrollHeight;f=g;void 0===f&&(f=1200);return this._repeatSpecificDynamicAds(a,Math.min(25,Math.max(Math.floor((d-b.offsetTop)/(f+10))-2,1)),9)}return[a]};c.prototype._locationEnabled=function(a){a=this._clsOptions.enabledLocations.includes(a.location);var b=this._clsOptions.disableAds&&this._clsOptions.disableAds.all||document.body.classList.contains("adthrive-disable-all"),d=!document.body.classList.contains("adthrive-disable-content")&&!this._clsOptions.disableAds.reasons.has("content_plugin");
return a&&!b&&d};return c}(),$a=function(c){function a(b,d){var e=c.call(this,b,"ClsVideoInsertion")||this;e._videoConfig=b;e._clsOptions=d;e._IN_POST_SELECTOR=".adthrive-video-player";e._WRAPPER_BAR_HEIGHT=36;e._playersAddedFromPlugin=[];d.removeVideoTitleWrapper&&(e._WRAPPER_BAR_HEIGHT=0);return e}A(a,c);a.prototype.init=function(){this._initializePlayers()};a.prototype._wrapJWPlayerWithCLS=function(b,d,e){void 0===e&&(e=0);return b.parentNode?(d=this._createGenericCLSWrapper(.5625*b.offsetWidth,
d,e),b.parentNode.insertBefore(d,b),d.appendChild(b),d):null};a.prototype._createGenericCLSWrapper=function(b,d,e){var f=document.createElement("div");f.id="cls-video-container-".concat(d);f.className="adthrive";f.style.minHeight="".concat(b+e,"px");return f};a.prototype._getTitleHeight=function(b){b.innerText="Title";b.style.visibility="hidden";document.body.appendChild(b);var d=window.getComputedStyle(b),e=parseInt(d.height,10),f=parseInt(d.marginTop,10);d=parseInt(d.marginBottom,10);document.body.removeChild(b);
return Math.min(e+d+f,50)};a.prototype._initializePlayers=function(){var b=document.querySelectorAll(this._IN_POST_SELECTOR);b.length&&this._initializeRelatedPlayers(b);this._shouldRunAutoplayPlayers()&&this._determineAutoplayPlayers()};a.prototype._createStationaryRelatedPlayer=function(b,d){var e="mobile"===this._device?[400,225]:[640,360],f=K.Video_In_Post_ClicktoPlay_SoundOn;d&&b.mediaId&&(d=this._wrapJWPlayerWithCLS(d,b.mediaId),this._playersAddedFromPlugin.push(b.mediaId),d&&this._clsOptions.setInjectedVideoSlots({playerId:b.playerId,
playerName:f,playerSize:e,element:d,type:"stationaryRelated"}))};a.prototype._createStickyRelatedPlayer=function(b,d){var e="mobile"===this._device?[400,225]:[640,360],f=K.Video_Individual_Autoplay_SOff;this._stickyRelatedOnPage=!0;this._videoConfig.mobileStickyPlayerOnPage="mobile"===this._device;if(d&&b.position&&b.mediaId){var g=document.createElement("div");d.insertAdjacentElement(b.position,g);d=document.createElement("h3");d.style.margin="10px 0";d=this._getTitleHeight(d);d=this._wrapJWPlayerWithCLS(g,
b.mediaId,this._WRAPPER_BAR_HEIGHT+d);this._playersAddedFromPlugin.push(b.mediaId);d&&this._clsOptions.setInjectedVideoSlots({playlistId:b.playlistId,playerId:b.playerId,playerSize:e,playerName:f,element:g,type:"stickyRelated"})}};a.prototype._createPlaylistPlayer=function(b,d){var e=b.playlistId,f="mobile"===this._device?K.Video_Coll_SOff_Smartphone:K.Video_Collapse_Autoplay_SoundOff,g="mobile"===this._device?[400,225]:[640,360];this._videoConfig.mobileStickyPlayerOnPage=!0;var h=document.createElement("div");
d.insertAdjacentElement(b.position,h);d=this._wrapJWPlayerWithCLS(h,e,this._WRAPPER_BAR_HEIGHT);this._playersAddedFromPlugin.push("playlist-".concat(e));d&&this._clsOptions.setInjectedVideoSlots({playlistId:b.playlistId,playerId:b.playerId,playerSize:g,playerName:f,element:h,type:"stickyPlaylist"})};a.prototype._isVideoAllowedOnPage=function(){var b=this._clsOptions.disableAds;if(b&&b.video){var d="";b.reasons.has("video_tag")?d="video tag":b.reasons.has("video_plugin")?d="video plugin":b.reasons.has("video_page")&&
(d="command queue");r.error(d?"ClsVideoInsertionMigrated":"ClsVideoInsertion","isVideoAllowedOnPage",Error("DBP: Disabled by publisher via ".concat(d||"other")));return!1}return this._clsOptions.videoDisabledFromPlugin?!1:!0};return a}(function(c){function a(b,d){var e=c.call(this)||this;e._videoConfig=b;e._component=d;e._stickyRelatedOnPage=!1;e._contextualMediaIds=[];b=void 0;void 0===b&&(b=navigator.userAgent);b=/Windows NT|Macintosh/i.test(b);e._device=b?"desktop":"mobile";e._potentialPlayerMap=
e.setPotentialPlayersMap();return e}A(a,c);a.prototype.setPotentialPlayersMap=function(){var b=this._videoConfig.players||[],d=this._filterPlayerMap();b=b.filter(function(e){return"stationaryRelated"===e.type&&e.enabled});d.stationaryRelated=b;return this._potentialPlayerMap=d};a.prototype._filterPlayerMap=function(){var b=this,d=this._videoConfig.players,e={stickyRelated:[],stickyPlaylist:[],stationaryRelated:[]};return d&&d.length?d.filter(function(f){var g;return null===(g=f.devices)||void 0===
g?void 0:g.includes(b._device)}).reduce(function(f,g){f[g.type]||(r.event(b._component,"constructor","Unknown Video Player Type detected",g.type),f[g.type]=[]);g.enabled&&f[g.type].push(g);return f},e):e};a.prototype._checkPlayerSelectorOnPage=function(b){var d=this;b=this._potentialPlayerMap[b].map(function(e){return{player:e,playerElement:d._getPlacementElement(e)}});return b.length?b[0]:{player:null,playerElement:null}};a.prototype._getOverrideElement=function(b,d,e){b&&d?(e=document.createElement("div"),
d.insertAdjacentElement(b.position,e)):(d=this._checkPlayerSelectorOnPage("stickyPlaylist"),b=d.player,d=d.playerElement,b&&d&&(e=document.createElement("div"),d.insertAdjacentElement(b.position,e)));return e};a.prototype._shouldOverrideElement=function(b){b=b.getAttribute("override-embed");return"true"===b||"false"===b?"true"===b:this._videoConfig.contextualSettings?this._videoConfig.contextualSettings.overrideEmbedLocation:!1};a.prototype._getPlacementElement=function(b){var d,e=S(b.pageSelector),
f=ha(b.elementSelector);if(!e.valid)return r.error("VideoUtils","getPlacementElement",Error("".concat(b.pageSelector," is not a valid selector"))),null;if(b.pageSelector&&(null===(d=e.elements)||void 0===d||!d.length))return r.event("VideoUtils","getPlacementElement",Error("PSNF: ".concat(b.pageSelector," does not exist on the page"))),null;if(!f.valid)return r.error("VideoUtils","getPlacementElement",Error("".concat(b.elementSelector," is not a valid selector"))),null;if(f.elements.length>b.skip)return f.elements[b.skip];
r.event("VideoUtils","getPlacementElement",Error("ESNF: ".concat(b.elementSelector," does not exist on the page")));return null};a.prototype._getEmbeddedPlayerType=function(b){(b=b.getAttribute("data-player-type"))&&"default"!==b||(b=this._videoConfig.contextualSettings?this._videoConfig.contextualSettings.defaultPlayerType:"static");this._stickyRelatedOnPage&&(b="static");return b};a.prototype._getUnusedMediaId=function(b){return(b=b.getAttribute("data-video-id"))&&!this._contextualMediaIds.includes(b)?
(this._contextualMediaIds.push(b),b):!1};a.prototype._createRelatedPlayer=function(b,d,e){"collapse"===d?this._createCollapsePlayer(b,e):"static"===d&&this._createStaticPlayer(b,e)};a.prototype._createCollapsePlayer=function(b,d){var e=this._checkPlayerSelectorOnPage("stickyRelated"),f=e.player;e=e.playerElement;var g=f?f:this._potentialPlayerMap.stationaryRelated[0];g&&g.playerId?(this._shouldOverrideElement(d)&&(d=this._getOverrideElement(f,e,d)),d=document.querySelector("#cls-video-container-".concat(b,
" > div"))||d,this._createStickyRelatedPlayer(z(z({},g),{mediaId:b}),d)):r.error(this._component,"_createCollapsePlayer","No video player found")};a.prototype._createStaticPlayer=function(b,d){this._potentialPlayerMap.stationaryRelated.length&&this._potentialPlayerMap.stationaryRelated[0].playerId?this._createStationaryRelatedPlayer(z(z({},this._potentialPlayerMap.stationaryRelated[0]),{mediaId:b}),d):r.error(this._component,"_createStaticPlayer","No video player found")};a.prototype._shouldRunAutoplayPlayers=
function(){return this._isVideoAllowedOnPage()&&(this._potentialPlayerMap.stickyRelated.length||this._potentialPlayerMap.stickyPlaylist.length)?!0:!1};a.prototype._determineAutoplayPlayers=function(){var b=this._component,d="VideoManagerComponent"===b,e=this._config;if(this._stickyRelatedOnPage)r.event(b,"stickyRelatedOnPage",d&&{device:e&&e.context.device,isDesktop:this._device}||{});else{var f=this._checkPlayerSelectorOnPage("stickyPlaylist"),g=f.player;f=f.playerElement;g&&g.playerId&&g.playlistId&&
f?this._createPlaylistPlayer(g,f):r.event(b,"noStickyPlaylist",d&&{vendor:"none",device:e&&e.context.device,isDesktop:this._device}||{})}};a.prototype._initializeRelatedPlayers=function(b){for(var d=0;d<b.length;d++){var e=b[d],f=this._getEmbeddedPlayerType(e),g=this._getUnusedMediaId(e);g&&this._createRelatedPlayer(g,f,e)}};return a}(function(){function c(){}Object.defineProperty(c.prototype,"enabled",{get:function(){return!0},enumerable:!1,configurable:!0});return c}())),ab=function(c){function a(){return null!==
c&&c.apply(this,arguments)||this}A(a,c);return a}(function(){function c(){this._map=[]}c.prototype.add=function(a,b,d,e){void 0===e&&(e=document);this._map.push({el:a,coords:b,dynamicAd:d,target:e})};Object.defineProperty(c.prototype,"map",{get:function(){return this._map},enumerable:!1,configurable:!0});c.prototype.sort=function(){this._map.sort(function(a,b){return a.coords-b.coords})};c.prototype.filterUsed=function(){this._map=this._map.filter(function(a){return!a.dynamicAd.used})};c.prototype.reset=
function(){this._map=[]};return c}());try{(function(){var c=new ia;c&&c.enabled&&((new Za(c,new ab)).start(),(new $a(new Ba(c),c)).init())})()}catch(c){r.error("CLS","pluginsertion-iife",c),window.adthriveCLS&&(window.adthriveCLS.injectedFromPlugin=!1)}})()
</script><script data-no-optimize="1" data-cfasync="false">(function () {var clsElements = document.querySelectorAll("script[id^='cls-']"); window.adthriveCLS && clsElements && clsElements.length === 0 ? window.adthriveCLS.injectedFromPlugin = false : ""; })();</script> <script>
                jQuery(function($){


                                    });
            </script>
<div id="fb-root"></div>
<style>

            .wpdm-popover {
                transition: all ease-in-out 400ms;
                position: relative;display: inline-block;
            }

            .wpdm-popover .wpdm-hover-card {
                position: absolute;
                left: 0;
                bottom: 50px;
                width: 100%;
                transition: all ease-in-out 400ms;
                margin-bottom: 28px;
                opacity: 0;
                z-index: -999999;
            }

            .wpdm-popover:hover .wpdm-hover-card {
                transition: all ease-in-out 400ms;
                opacity: 1;
                z-index: 999999;
                bottom: 0px;
            }

            .wpdm-popover .wpdm-hover-card.hover-preview img {
                width: 104px;
                border-radius: 3px;
            }

            .wpdm-popover .card .card-footer{
                background: rgba(0,0,0,0.02);
            }

            .packinfo {
                margin-top: 10px;
                font-weight: 400;
                font-size: 14px;
            }
        </style>
<script>
            jQuery(function ($) {
                $('a[data-show-on-hover]').on('hover', function () {
                    $($(this).data('show-on-hover')).fadeIn();
                });
            });
        </script>
<div id="mm-payment-options-dialog"></div>
<div id="mm-payment-confirmation-dialog"></div>
<script>
	jQuery(document).ready(function(){
		if(jQuery.isFunction("dialog")) {
			jQuery("#mm-payment-options-dialog").dialog({autoOpen: false});
			jQuery("#mm-payment-confirmation-dialog").dialog({autoOpen: false});
		}
	});
</script>
<div class="tasty-pins-hidden-image-container" style="display:none;"><img data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=69667" data-pin-description="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり - A favorite in Izakayas, yaki onigiri are grilled Japanese rice balls covered in savory soy sauce. With a crispy crust on the outside and soft sticky rice on the inside, these rice balls are simply irresistible. #riceballrecipes #japanesefood #grilledrecipe #bbqrecipe #onigiri #yakionigirirecipe | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" class="tasty-pins-hidden-image skip-lazy a3-notlazy no-lazyload" data-no-lazy="1" src="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-12-205x135.jpg" data-pin-media="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-12.jpg"></div>
<div class="tasty-pins-hidden-image-container" style="display:none;"><img data-pin-url="https://www.justonecookbook.com/yaki-onigiri-grilled-rice-ball/?tp_image_id=83531" alt="yaki onigiri recipe" data-pin-description="Yaki Onigiri (Grilled Rice Ball) - A favorite in Izakayas, yaki onigiri are grilled Japanese rice balls covered in savory soy sauce. With a crispy crust on the outside and soft sticky rice on the inside, these rice balls are simply irresistible. #riceballs #japanesefood #grilledrecipe #bbqrecipe #picnicrecipes #bentorecipes #onigiri #yakionigirirecipe | Easy Japanese Recipes at JustOneCookbook.com" data-pin-title="Yaki Onigiri (Grilled Rice Ball) 焼きおにぎり" class="tasty-pins-hidden-image skip-lazy a3-notlazy no-lazyload" data-no-lazy="1" src="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-japanese-grilled-rice-ball-recipe-300x200.jpg" data-pin-media="https://www.justonecookbook.com/wp-content/uploads/2012/06/Yaki-Onigiri-japanese-grilled-rice-ball-recipe.jpg"></div>
<script type="text/javascript" src="//assets.pinterest.com/js/pinit.js" data-pin-hover="true"></script>
<script type="text/javascript">(function (d) {var f = d.getElementsByTagName('SCRIPT')[0],p = d.createElement('SCRIPT');p.type = 'text/javascript';p.async = true;p.src = '//assets.pinterest.com/js/pinit.js';f.parentNode.insertBefore(p, f);})(document);</script><script type="text/javascript">var wprmpuc_recipe_59479 = {"ingredients":[{"uid":1,"amount":"2\u00bc","unit":"cups","name":"uncooked Japanese short-grain white rice","notes":"(<strong>[adjustable]3[\/adjustable]\u00a0<\/strong><em><strong>rice cooker<\/strong><\/em><strong>\u00a0cups,<\/strong>\u00a0[adjustable]540[\/adjustable]\u00a0ml; to cook 2 <em>rice cooker<\/em> cups of rice instead, see measurements below)","converted":{"2":{"amount":"450","unit":"g","unit_id":52524}},"unit_id":52535,"id":943},{"uid":2,"amount":"2\u00bd","unit":"cups","name":"water","notes":"(for 2 <em>rice cooker<\/em> cups of rice, use 1\u2154\u00a0cups (400 ml) water)","converted":{"2":{"amount":"600","unit":"ml","unit_id":52526}},"unit_id":52535,"id":905},{"uid":7,"amount":"3","unit":"Tbsp","name":"soy sauce","notes":"(or use 2 Tbsp for 2 <em>rice cooker<\/em> cups of rice)","unit_id":52527,"id":1113},{"uid":8,"amount":"1","unit":"Tbsp","name":"sugar","notes":"(or 2 tsp for 2 <em>rice cooker<\/em> cups)","unit_id":52527,"id":865},{"uid":9,"amount":"1","unit":"Tbsp","name":"roasted sesame oil","notes":"(or 2 tsp for 2 <em>rice cooker<\/em> cups)","unit_id":52527,"id":1224},{"uid":4,"amount":"\u00bc","unit":"tsp","name":"Diamond Crystal kosher salt","notes":"(or \u215b tsp for 2 <em>rice cooker<\/em> cups)","unit_id":52528,"id":36275},{"uid":5,"amount":"1","unit":"Tbsp","name":"soy sauce","notes":"","unit_id":52527,"id":1113},{"uid":6,"amount":"1","unit":"tsp","name":"roasted sesame oil","notes":"","unit_id":52528,"id":1224}]};</script><script>window.wprm_recipes = {"recipe-59479":{"id":59479,"type":"food","name":"Yaki Onigiri (Grilled Rice Ball)"}}</script><div id="wpd-editor-source-code-wrapper-bg"></div><div id="wpd-editor-source-code-wrapper"><textarea id="wpd-editor-source-code"></textarea><button id="wpd-insert-source-code">Insert</button><input type="hidden" id="wpd-editor-uid" /></div><style id="core-block-supports-inline-css">
.wp-block-gallery.wp-block-gallery-1{--wp--style--unstable-gallery-gap:var( --wp--style--gallery-gap-default, var( --gallery-block--gutter-size, var( --wp--style--block-gap, 0.5em ) ) );gap:var( --wp--style--gallery-gap-default, var( --gallery-block--gutter-size, var( --wp--style--block-gap, 0.5em ) ) );}
</style>
<script id="membermouse-socialLogin-js-extra">
var socialLoginVars = {"endpointUrl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/membermouse\/endpoints\/auth.php"};
var socialLoginVars = {"endpointUrl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/membermouse\/endpoints\/auth.php"};
var socialLoginVars = {"endpointUrl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/membermouse\/endpoints\/auth.php"};
var socialLoginVars = {"endpointUrl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/membermouse\/endpoints\/auth.php"};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/js/common/mm-social_login.js" id="membermouse-socialLogin-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/membermouse/resources/js/common/jquery.blockUI.js" id="membermouse-blockUI-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/jquery.form.min.js" id="jquery-form-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/core.min.js" id="jquery-ui-core-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/accordion.min.js" id="jquery-ui-accordion-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/controlgroup.min.js" id="jquery-ui-controlgroup-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/checkboxradio.min.js" id="jquery-ui-checkboxradio-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/button.min.js" id="jquery-ui-button-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/datepicker.min.js" id="jquery-ui-datepicker-js"></script>
<script id="jquery-ui-datepicker-js-after">
jQuery(function(jQuery){jQuery.datepicker.setDefaults({"closeText":"Close","currentText":"Today","monthNames":["January","February","March","April","May","June","July","August","September","October","November","December"],"monthNamesShort":["Jan","Feb","Mar","Apr","May","Jun","Jul","Aug","Sep","Oct","Nov","Dec"],"nextText":"Next","prevText":"Previous","dayNames":["Sunday","Monday","Tuesday","Wednesday","Thursday","Friday","Saturday"],"dayNamesShort":["Sun","Mon","Tue","Wed","Thu","Fri","Sat"],"dayNamesMin":["S","M","T","W","T","F","S"],"dateFormat":"M dd, yy","firstDay":0,"isRTL":false});});
</script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/mouse.min.js" id="jquery-ui-mouse-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/resizable.min.js" id="jquery-ui-resizable-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/draggable.min.js" id="jquery-ui-draggable-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/dialog.min.js" id="jquery-ui-dialog-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/droppable.min.js" id="jquery-ui-droppable-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/progressbar.min.js" id="jquery-ui-progressbar-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/selectable.min.js" id="jquery-ui-selectable-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/jquery/ui/sortable.min.js" id="jquery-ui-sortable-js"></script>
<script id="rtrar.appLocal-js-extra">
var rtafr = {"rules":""};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/real-time-auto-find-and-replace/assets/js/rtafar.local.js" id="rtrar.appLocal-js"></script>
<script id="wpdiscuz-combo-js-js-extra">
var wpdiscuzAjaxObj = {"wc_hide_replies_text":"Hide Replies","wc_show_replies_text":"View Replies","wc_msg_required_fields":"Please fill out required fields","wc_invalid_field":"Some of field value is invalid","wc_error_empty_text":"please fill out this field to comment","wc_error_url_text":"url is invalid","wc_error_email_text":"email address is invalid","wc_invalid_captcha":"Invalid Captcha Code","wc_login_to_vote":"You Must Be Logged In To Vote","wc_deny_voting_from_same_ip":"You are not allowed to vote for this comment","wc_self_vote":"You cannot vote for your comment","wc_vote_only_one_time":"You've already voted for this comment","wc_voting_error":"Voting Error","wc_comment_edit_not_possible":"Sorry, this comment is no longer possible to edit","wc_comment_not_updated":"Sorry, the comment was not updated","wc_comment_not_edited":"You've not made any changes","wc_msg_input_min_length":"Input is too short","wc_msg_input_max_length":"Input is too long","wc_spoiler_title":"Spoiler Title","wc_cannot_rate_again":"You cannot rate again","wc_not_allowed_to_rate":"You're not allowed to rate here","wc_follow_user":"Follow this user","wc_unfollow_user":"Unfollow this user","wc_follow_success":"You started following this comment author","wc_follow_canceled":"You stopped following this comment author.","wc_follow_email_confirm":"Please check your email and confirm the user following request.","wc_follow_email_confirm_fail":"Sorry, we couldn't send confirmation email.","wc_follow_login_to_follow":"Please login to follow users.","wc_follow_impossible":"We are sorry, but you can't follow this user.","wc_follow_not_added":"Following failed. Please try again later.","is_user_logged_in":"","commentListLoadType":"0","commentListUpdateType":"0","commentListUpdateTimer":"30","liveUpdateGuests":"0","wordpressThreadCommentsDepth":"10","wordpressIsPaginate":"1","commentTextMaxLength":"0","replyTextMaxLength":"0","commentTextMinLength":"1","replyTextMinLength":"1","storeCommenterData":"100000","socialLoginAgreementCheckbox":"1","enableFbLogin":"0","fbUseOAuth2":"0","enableFbShare":"1","facebookAppID":"","facebookUseOAuth2":"0","enableGoogleLogin":"0","googleClientID":"","googleClientSecret":"","cookiehash":"5ae7d9beb7bc81036ea5a3f999cb4fed","isLoadOnlyParentComments":"0","scrollToComment":"1","commentFormView":"collapsed","enableDropAnimation":"1","isNativeAjaxEnabled":"1","enableBubble":"0","bubbleLiveUpdate":"0","bubbleHintTimeout":"45","bubbleHintHideTimeout":"10","cookieHideBubbleHint":"wpdiscuz_hide_bubble_hint","bubbleShowNewCommentMessage":"1","bubbleLocation":"content_left","firstLoadWithAjax":"1","wc_copied_to_clipboard":"Copied to clipboard!","inlineFeedbackAttractionType":"blink","loadRichEditor":"1","wpDiscuzReCaptchaSK":"6LfeZqAaAAAAAMeKRKcIO5Jb-H-VBkYnxbjuGtaw","wpDiscuzReCaptchaTheme":"light","wpDiscuzReCaptchaVersion":"2.0","wc_captcha_show_for_guest":"0","wc_captcha_show_for_members":"0","wpDiscuzIsShowOnSubscribeForm":"0","wmuEnabled":"1","wmuInput":"wmu_files","wmuMaxFileCount":"1","wmuMaxFileSize":"2097152","wmuPostMaxSize":"16777216","wmuIsLightbox":"1","wmuMimeTypes":{"jpg":"image\/jpeg","jpeg":"image\/jpeg","jpe":"image\/jpeg","gif":"image\/gif","png":"image\/png"},"wmuPhraseConfirmDelete":"Are you sure you want to delete this attachment?","wmuPhraseNotAllowedFile":"Not allowed file type","wmuPhraseMaxFileCount":"Maximum number of uploaded files is 1","wmuPhraseMaxFileSize":"Maximum upload file size is 2MB","wmuPhrasePostMaxSize":"Maximum post size is 16MB","wmuPhraseDoingUpload":"Uploading in progress! Please wait.","msgEmptyFile":"File is empty. Please upload something more substantial. This error could also be caused by uploads being disabled in your php.ini or by post_max_size being defined as smaller than upload_max_filesize in php.ini.","msgPostIdNotExists":"Post ID not exists","msgUploadingNotAllowed":"Sorry, uploading not allowed for this post","msgPermissionDenied":"You do not have sufficient permissions to perform this action","wmuKeyImages":"images","wmuSingleImageWidth":"auto","wmuSingleImageHeight":"200","version":"7.6.10","wc_post_id":"17930","isCookiesEnabled":"1","loadLastCommentId":"0","dataFilterCallbacks":[],"phraseFilters":[],"scrollSize":"32","is_email_field_required":"1","url":"https:\/\/www.justonecookbook.com\/wp-admin\/admin-ajax.php","customAjaxUrl":"https:\/\/www.justonecookbook.com\/wp-content\/plugins\/wpdiscuz\/utils\/ajax\/wpdiscuz-ajax.php","bubbleUpdateUrl":"https:\/\/www.justonecookbook.com\/wp-json\/wpdiscuz\/v1\/update","restNonce":"7beeae8dec"};
var wpdiscuzUCObj = {"msgConfirmDeleteComment":"Are you sure you want to delete this comment?","msgConfirmCancelSubscription":"Are you sure you want to cancel this subscription?","msgConfirmCancelFollow":"Are you sure you want to cancel this follow?","additionalTab":"0"};
</script>
<script id="wpdiscuz-combo-js-js-before">
var wpdiscuzEditorOptions = {
        modules: {
        toolbar: "",
        counter: {
        uniqueID: "",
        commentmaxcount : 0,
        replymaxcount : 0,
        commentmincount : 1,
        replymincount : 1,
        },
                },
        wc_be_the_first_text: "Be the First to Comment!",
        wc_comment_join_text: "Leave your comment",
        theme: 'snow',
        debug: 'error'
        };
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz/assets/js/wpdiscuz-combo.min.js" id="wpdiscuz-combo-js-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/meks-easy-maps/public/js/infoBox.js" id="mks-map-google-map-infoBox-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/meks-easy-maps/public/js/markerClusterer.js" id="mks-map-google-map-markerClusterer-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/meks-easy-maps/public/js/main.js" id="mks-map-js-js"></script>
<script src="https://www.justonecookbook.com/wp-content/themes/joc/assets/js/global.js" id="joc-global-js"></script>
<script src="https://www.justonecookbook.com/wp-content/themes/joc/assets/js/skip-link-focus-fix.js" id="joc-skip-link-focus-fix-js"></script>
<script src="https://www.justonecookbook.com/wp-includes/js/comment-reply.min.js" id="comment-reply-js"></script>
<script id="web-vitals-analytics-js-extra">
var webVitalsAnalyticsData = {"0":{"gtag_id":"UA-20813450-1","measurementVersion":"dimension1","eventMeta":"dimension2","eventDebug":"dimension3","web_vitals_tracking_ratio":"0.3"},"chance":"0.3"};
</script>
<script type="module" defer data-src="https://www.justonecookbook.com/wp-content/plugins/site-performance-tracker/js/dist/module/web-vitals-analytics.beb7721fc2332366606446e9b43c6461.js" id="web-vitals-analytics-js"></script>
<script id="web-vitals-analytics-js-after">
( function () {
	if ( 'requestIdleCallback' in window ) {
		var randNumber = Math.random();
		if ( randNumber <= parseFloat( window.webVitalsAnalyticsData.chance ) ) {
			window.addEventListener( 'load', function() {
				setTimeout( function() {
					requestIdleCallback( function() {
						webVitalsAnalyticsScript = document.querySelector( 'script[data-src*="web-vitals-analytics."]' );
						webVitalsAnalyticsScript.src = webVitalsAnalyticsScript.dataset.src;
						delete webVitalsAnalyticsScript.dataset.src;
					} );
				}, 5000 );
			});
		}
	}
} )();
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/real-time-auto-find-and-replace/assets/js/rtafar.app.min.js" id="rtrar.app-js"></script>
<script id="wpdiscuz-search-scripts-js-extra">
var search_ajax = {"url":"https:\/\/www.justonecookbook.com\/wp-admin\/admin-ajax.php","searchDefaultField":"all","searchTextMinLength":"3"};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/wpdiscuz-comment-search/assets/js/front.min.js" id="wpdiscuz-search-scripts-js"></script>
<script id="wprm-public-js-extra">
var wprm_public = {"endpoints":{"analytics":"https:\/\/www.justonecookbook.com\/wp-json\/wp-recipe-maker\/v1\/analytics"},"settings":{"features_comment_ratings":true,"template_color_comment_rating":"#8f7259","instruction_media_toggle_default":"on","video_force_ratio":false,"analytics_enabled":false,"google_analytics_enabled":false,"print_new_tab":true},"post_id":"17930","home_url":"https:\/\/www.justonecookbook.com\/","print_slug":"wprm_print","permalinks":"\/%postname%\/","ajax_url":"https:\/\/www.justonecookbook.com\/wp-admin\/admin-ajax.php","nonce":"4cdc7e60d2","api_nonce":"7beeae8dec","translations":{"Select a collection":"Select a collection","Select a column":"Select a column","Select a group":"Select a group","Shopping List":"Shopping List","Print":"Print","Print Collection":"Print Collection","Print Recipes":"Print Recipes","Hide Nutrition Facts":"Hide Nutrition Facts","Show Nutrition Facts":"Show Nutrition Facts","Are you sure you want to remove all items from this collection?":"Are you sure you want to remove all items from this collection?","Clear Items":"Clear Items","Description for this collection:":"Description for this collection:","Change Description":"Change Description","Set Description":"Set Description","Save to my Collections":"Save to my Collections","None":"None","Blue":"Blue","Red":"Red","Green":"Green","Yellow":"Yellow","Note":"Note","Color":"Color","Name":"Name","Ingredients":"Ingredients","cup":"cup","olive oil":"olive oil","Add Ingredient":"Add Ingredient","Edit Ingredients":"Edit Ingredients","Text":"Text","Nutrition Facts (per serving)":"Nutrition Facts (per serving)","Add Column":"Add Column","Edit Columns":"Edit Columns","Add Group":"Add Group","Edit Groups":"Edit Groups","Add Item":"Add Item","Remove Items":"Remove Items","Columns & Groups":"Columns & Groups","Remove All Items":"Remove All Items","Stop Removing Items":"Stop Removing Items","Actions":"Actions","Click to add:":"Click to add:","Drag and drop to add:":"Drag and drop to add:","Load more...":"Load more...","Search Recipes":"Search Recipes","Search Ingredients":"Search Ingredients","Add Custom Recipe":"Add Custom Recipe","Add Note":"Add Note","Add from Collection":"Add from Collection","Start typing to search...":"Start typing to search...","Your Collections":"Your Collections","Editing User":"Editing User","Cancel":"Cancel","Go Back":"Go Back","Edit Item":"Edit Item","Change Name":"Change Name","Move Left":"Move Left","Move Right":"Move Right","Duplicate":"Duplicate","Delete Column":"Delete Column","Are you sure you want to delete?":"Are you sure you want to delete?","Click to set name":"Click to set name","Set a new amount for this ingredient:":"Set a new amount for this ingredient:","Set the number of servings":"Set the number of servings","servings":"servings","View Recipe":"View Recipe","Edit Custom Recipe":"Edit Custom Recipe","Edit Note":"Edit Note","Duplicate Item":"Duplicate Item","Change Servings":"Change Servings","Remove Item":"Remove Item","Move Up":"Move Up","Move Down":"Move Down","Delete Group":"Delete Group","Nutrition Facts":"Nutrition Facts","Click to confirm...":"Click to confirm...","Are you sure you want to delete all items in":"Are you sure you want to delete all items in","Stop Editing":"Stop Editing","Recipe":"Recipe","Regenerate Shopping List":"Regenerate Shopping List","Print Shopping List":"Print Shopping List","The link copied to your clipboard will allow others to edit this shopping list.":"The link copied to your clipboard will allow others to edit this shopping list.","Copy this link to allow others to edit this shopping list:":"Copy this link to allow others to edit this shopping list:","Share Edit Link":"Share Edit Link","Save Shopping List":"Save Shopping List","Edit Shopping List":"Edit Shopping List","Generate Shopping List":"Generate Shopping List","Remove All":"Remove All","Shopping List Options":"Shopping List Options","Include ingredient notes":"Include ingredient notes","Preferred Unit System":"Preferred Unit System","Deselect all":"Deselect all","Select all":"Select all","Collection":"Collection","Unnamed":"Unnamed","remove":"remove","There are unsaved changes. Are you sure you want to leave this page?":"There are unsaved changes. Are you sure you want to leave this page?","Make sure to select some recipes for the shopping list first.":"Make sure to select some recipes for the shopping list first.","Are you sure you want to generate a new shopping list for this collection? You will only be able to access this shopping list again with the share link.":"Are you sure you want to generate a new shopping list for this collection? You will only be able to access this shopping list again with the share link.","The shopping list could not be saved. Try again later.":"The shopping list could not be saved. Try again later.","Are you sure you want to remove all recipes from this shopping list?":"Are you sure you want to remove all recipes from this shopping list?","Back":"Back","Make sure to save the shopping list before printing.":"Make sure to save the shopping list before printing.","No recipes have been added to the shopping list yet.":"No recipes have been added to the shopping list yet.","Click the cart icon in the top right to generate the shopping list.":"Click the cart icon in the top right to generate the shopping list.","Select recipes and click the cart icon in the top right to generate the shopping list.":"Select recipes and click the cart icon in the top right to generate the shopping list.","Click the cart icon in the top right to generate a new shopping list.":"Click the cart icon in the top right to generate a new shopping list.","Right click and copy this link to allow others to edit this shopping list.":"Right click and copy this link to allow others to edit this shopping list.","List":"List","Are you sure you want to delete this group, and all of the items in it?":"Are you sure you want to delete this group, and all of the items in it?","Your shopping list is empty.":"Your shopping list is empty.","Group":"Group","Add Collection":"Add Collection","Empty Collection":"Empty Collection","Add Pre-made Collection":"Add Pre-made Collection","Edit Collections":"Edit Collections","Select a collection to add for this user":"Select a collection to add for this user","Add Saved Collection":"Add Saved Collection","Delete":"Delete","Recipes":"Recipes","Decrease serving size by 1":"Decrease serving size by 1","Increase serving size by 1":"Increase serving size by 1","Nothing to add products to yet.":"Nothing to add products to yet.","In recipe":"In recipe","Product":"Product","Amount needed":"Amount needed","Change Product":"Change Product","A name is required for this saved nutrition ingredient.":"A name is required for this saved nutrition ingredient.","Save a new Custom Ingredient":"Save a new Custom Ingredient","Amount":"Amount","Unit":"Unit","Name (required)":"Name (required)","Save for Later & Use":"Save for Later & Use","Use":"Use","Select a saved ingredient":"Select a saved ingredient","Match this equation to get the correct amounts:":"Match this equation to get the correct amounts:","Cancel Calculation":"Cancel Calculation","Go to Next Step":"Go to Next Step","Use These Values":"Use These Values","Nutrition Calculation":"Nutrition Calculation","n\/a":"n\/a","Values of all the checked ingredients will be added together and":"Values of all the checked ingredients will be added together and","divided by":"divided by","the number of servings for this recipe.":"the number of servings for this recipe.","Values of all the checked ingredients will be added together.":"Values of all the checked ingredients will be added together.","API Ingredients":"API Ingredients","Custom Ingredients":"Custom Ingredients","Recipe Nutrition Facts Preview":"Recipe Nutrition Facts Preview","Changes to these values can be made after confirming with the blue button.":"Changes to these values can be made after confirming with the blue button.","Select or search for a saved ingredient":"Select or search for a saved ingredient","No ingredients set for this recipe.":"No ingredients set for this recipe.","Used in Recipe":"Used in Recipe","Used for Calculation":"Used for Calculation","Nutrition Source":"Nutrition Source","Match & Units":"Match & Units","API":"API","Saved\/Custom":"Saved\/Custom","no match found":"no match found","Units n\/a":"Units n\/a","Find a match for:":"Find a match for:","Search":"Search","No ingredients found for":"No ingredients found for","No ingredients found.":"No ingredients found.","Results for":"Results for","Editing Equipment Affiliate Fields":"Editing Equipment Affiliate Fields","The fields you set here will affect all recipes using this equipment.":"The fields you set here will affect all recipes using this equipment.","Regular Links":"Regular Links","Images":"Images","HTML Code":"HTML Code","Images and HTML code only show up when the Equipment block is set to the \"Images\" display style in the Template Editor.":"Images and HTML code only show up when the Equipment block is set to the \"Images\" display style in the Template Editor.","Save Changes":"Save Changes","other recipe(s) affected":"other recipe(s) affected","This can affect other recipes":"This can affect other recipes","Edit Link":"Edit Link","Remove Link":"Remove Link","Are you sure you want to delete this link?":"Are you sure you want to delete this link?","Set Affiliate Link":"Set Affiliate Link","Edit Image":"Edit Image","Remove Image":"Remove Image","Add Image":"Add Image","This feature is only available in":"This feature is only available in","You need to set up this feature on the WP Recipe Maker > Settings > Unit Conversion page first.":"You need to set up this feature on the WP Recipe Maker > Settings > Unit Conversion page first.","Original Unit System for this recipe":"Original Unit System for this recipe","Use Default":"Use Default","First Unit System":"First Unit System","Second Unit System":"Second Unit System","Conversion":"Conversion","Converted":"Converted","Original":"Original","Convert All Automatically":"Convert All Automatically","Convert":"Convert","Keep Unit":"Keep Unit","Automatically":"Automatically","Weight Units":"Weight Units","Volume Units":"Volume Units","Convert...":"Convert...","Ingredient Link Type":"Ingredient Link Type","Global: the same link will be used for every recipe with this ingredient":"Global: the same link will be used for every recipe with this ingredient","Custom: these links will only affect the recipe below":"Custom: these links will only affect the recipe below","Use Global Links":"Use Global Links","Custom Links for this Recipe only":"Custom Links for this Recipe only","Edit Global Links":"Edit Global Links","Affiliate Link":"Affiliate Link","No link set":"No link set","No equipment set for this recipe.":"No equipment set for this recipe.","Regular Link":"Regular Link","Image":"Image","Edit Affiliate Fields":"Edit Affiliate Fields","No HTML set":"No HTML set","Editing Global Ingredient Links":"Editing Global Ingredient Links","All fields are required.":"All fields are required.","Something went wrong. Make sure this key does not exist yet.":"Something went wrong. Make sure this key does not exist yet.","Are you sure you want to close without saving changes?":"Are you sure you want to close without saving changes?","Editing Custom Field":"Editing Custom Field","Creating new Custom Field":"Creating new Custom Field","Type":"Type","Key":"Key","my-custom-field":"my-custom-field","My Custom Field":"My Custom Field","Save":"Save","Editing Product":"Editing Product","Setting Product":"Setting Product","Product ID":"Product ID","No product set yet":"No product set yet","Product Name":"Product Name","Unset Product":"Unset Product","Search for products":"Search for products","No products found":"No products found","A label and key are required.":"A label and key are required.","Editing Nutrient":"Editing Nutrient","Creating new Nutrient":"Creating new Nutrient","Custom":"Custom","Calculated":"Calculated","my-custom-nutrient":"my-custom-nutrient","Label":"Label","My Custom Nutrient":"My Custom Nutrient","mg":"mg","Daily Need":"Daily Need","Calculation":"Calculation","Learn more":"Learn more","Decimal Precision":"Decimal Precision","Order":"Order","Loading...":"Loading...","Editing Nutrition Ingredient":"Editing Nutrition Ingredient","Creating new Nutrition Ingredient":"Creating new Nutrition Ingredient","Are you sure you want to overwrite the existing values?":"Are you sure you want to overwrite the existing values?","Import values from recipe":"Import values from recipe","Cancel import":"Cancel import","Use this recipe":"Use this recipe","Sort:":"Sort:","Filter:":"Filter:","Edit Recipe Submission":"Edit Recipe Submission","Approve Submission":"Approve Submission","Approve Submission & Add to new Post":"Approve Submission & Add to new Post","Delete Recipe Submission":"Delete Recipe Submission","Are you sure you want to delete":"Are you sure you want to delete","ID":"ID","Date":"Date","User":"User","Edit Nutrient":"Edit Nutrient","Delete Custom Nutrient":"Delete Custom Nutrient","Active":"Active","View and edit collections for this user":"View and edit collections for this user","User ID":"User ID","Display Name":"Display Name","Email":"Email","# Collections":"# Collections","Show All":"Show All","Has Saved Collections":"Has Saved Collections","Does not have Saved Collections":"Does not have Saved Collections","# Items in Inbox":"# Items in Inbox","# Items in Collections":"# Items in Collections","Your Custom Fields":"Your Custom Fields","Custom Field":"Custom Field","Custom Fields":"Custom Fields","Custom Nutrition Ingredient":"Custom Nutrition Ingredient","Custom Nutrition":"Custom Nutrition","Custom Nutrient":"Custom Nutrient","Custom Nutrients":"Custom Nutrients","Features":"Features","Saved Collection":"Saved Collection","Saved Collections":"Saved Collections","User Collection":"User Collection","User Collections":"User Collections","Recipe Submissions":"Recipe Submissions","Recipe Submission":"Recipe Submission","Edit Field":"Edit Field","Delete Field":"Delete Field","Edit Custom Ingredient":"Edit Custom Ingredient","Delete Custom Ingredient":"Delete Custom Ingredient","Edit Saved Collection":"Edit Saved Collection","Reload Recipes":"Reload Recipes","Duplicate Saved Collection":"Duplicate Saved Collection","Delete Saved Collection":"Delete Saved Collection","Description":"Description","Default":"Default","Enable to make this a default collection for new users. Does not affect those who have used the collections feature before.":"Enable to make this a default collection for new users. Does not affect those who have used the collections feature before.","Push to All":"Push to All","Enable to push this collection to everyone using the collections feature. Will affect both new and existing users and add this collection to their list.":"Enable to push this collection to everyone using the collections feature. Will affect both new and existing users and add this collection to their list.","Template":"Template","Enable to make this saved collection show up as an option after clicking \"Add Collection\". This would usually be an empty collection with a specific structure like \"Empty Week Plan\".":"Enable to make this saved collection show up as an option after clicking \"Add Collection\". This would usually be an empty collection with a specific structure like \"Empty Week Plan\".","Quick Add":"Quick Add","Enable to make this saved collection show up after clicking on \"Add Pre-made Collection\". Can be used to give users easy access to the meal plans you create.":"Enable to make this saved collection show up after clicking on \"Add Pre-made Collection\". Can be used to give users easy access to the meal plans you create.","What do you want the new order to be?":"What do you want the new order to be?","Save Collection Link":"Save Collection Link","# Items":"# Items"}};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/wp-recipe-maker/dist/public-modern.js" id="wprm-public-js"></script>
<script id="wprmp-public-js-extra">
var wprmp_public = {"endpoints":{"private_notes":"https:\/\/www.justonecookbook.com\/wp-json\/wp-recipe-maker\/v1\/private-notes","collections":"https:\/\/www.justonecookbook.com\/wp-json\/wp\/v2\/wprm_collection","collections_helper":"https:\/\/www.justonecookbook.com\/wp-json\/wp-recipe-maker\/v1\/recipe-collections","nutrition":"https:\/\/www.justonecookbook.com\/wp-json\/wp-recipe-maker\/v1\/nutrition"},"settings":{"recipe_template_mode":"modern","features_adjustable_servings":true,"adjustable_servings_round_to_decimals":"2","unit_conversion_remember":true,"unit_conversion_temperature":"none","unit_conversion_system_1_temperature":"F","unit_conversion_system_2_temperature":"C","unit_conversion_advanced_servings_conversion":false,"unit_conversion_system_1_length_unit":"inch","unit_conversion_system_2_length_unit":"cm","fractions_enabled":false,"fractions_use_mixed":true,"fractions_use_symbols":true,"fractions_max_denominator":"8","unit_conversion_system_1_fractions":true,"unit_conversion_system_2_fractions":true,"unit_conversion_enabled":true,"decimal_separator":"point","features_comment_ratings":true,"features_user_ratings":false,"user_ratings_thank_you_message":"Thank you for voting!","user_ratings_force_comment":"never","user_ratings_force_comment_scroll_to":"","servings_changer_display":"tooltip_slider","template_ingredient_list_style":"checkbox","template_instruction_list_style":"decimal","template_color_icon":"#1a2735","recipe_collections_scroll_to_top":true,"recipe_collections_scroll_to_top_offset":"30"},"timer":{"sound_file":"https:\/\/www.justonecookbook.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 image file is too large"}},"collections":{"default":{"inbox":{"id":0,"name":"Saved Recipes","nbrItems":0,"columns":[{"id":0,"name":"Recipes"}],"groups":[{"id":0,"name":""}],"items":{"0-0":[]}},"user":[]}},"user":"0","add_to_collection":{"access":"logged_in","behaviour":"inbox","placement":"bottom","not_logged_in":"hide","not_logged_in_redirect":"","not_logged_in_tooltip":"","collections":{"inbox":"Saved Recipes","user":[]}},"quick_access_shopping_list":{"access":"everyone"}};
</script>
<script src="https://www.justonecookbook.com/wp-content/plugins/wp-recipe-maker-premium/dist/public-elite.js" id="wprmp-public-js"></script>
<script src="https://www.justonecookbook.com/wp-content/plugins/tasty-pins/assets/js/savepin.js" id="tasty-pins-frontend-js"></script>
<script>llsInited=!1;function lazySrc(){if(llsInited)return;var e=jQuery('iframe[data-l-src]');llsInited=!e;e.each(function(){var frame=jQuery(this),vidSource=jQuery(frame).attr('data-l-src'),distance=jQuery(frame).offset().top-jQuery(window).scrollTop(),distTopBot=window.innerHeight-distance,distBotTop=distance+jQuery(frame).height();if(distTopBot>-1400&&distBotTop>-1400){jQuery(frame).attr('src',vidSource);jQuery(frame).removeAttr('data-l-src');console.log('ll iframe')}})}
//jQuery(window).scroll(lazySrc)
lazySrc();
document.addEventListener('scroll',function(){if(window.scrollY>12)lazySrc()})</script><style type="text/css">.wprm-recipe-template-joc {
    margin: 20px auto;
    background-color: #ffffff; /*wprm_background type=color*/
    font-family: -apple-system,BlinkMacSystemFont,"Segoe UI",Roboto,Oxygen-Sans,Ubuntu,Cantarell,"Helvetica Neue",sans-serif; /*wprm_main_font_family type=font*/
    font-size: 18px; /*wprm_main_font_size type=font_size*/
    line-height: 1.5em !important; /*wprm_main_line_height type=font_size*/
    color: #212121; /*wprm_main_text type=color*/
    max-width: 950px; /*wprm_max_width type=size*/
    font-size: 18px; /*wprm_main_font_size type=font_size*/
    border-style: solid; /*wprm_border_style type=border*/
    border-width: 5px; /*wprm_border_width type=size*/
    border-color: #f0efef; /*wprm_border type=color*/
    padding: 0;
    background-color: #ffffff; /*wprm_background type=color*/
    max-width: 950px; /*wprm_max_width type=size*/
}
.wprm-inner {
    padding: 10px 10px 0;
}
.wprm-recipe-template-joc a {
    color: #d0021b; /*wprm_link type=color*/
}
.wprm-recipe-template-joc p, .wprm-recipe-template-joc 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-joc li {
    margin: 0 0 10px 32px !important;
    padding: 0 !important;
}
.rtl .wprm-recipe-template-joc li {
    margin: 0 32px 0 0 !important;
}
.wprm-recipe-template-joc ol, .wprm-recipe-template-joc ul {
    margin: 0 0 20px!important;
    padding: 0 !important;
}
.wprm-recipe-template-joc br {
    display: none;
}
.wprm-recipe-template-joc .wprm-recipe-name,
.wprm-recipe-template-joc .wprm-recipe-header {
    color: #212121; /*wprm_header_text type=color*/
    line-height: 1.3em; /*wprm_header_line_height type=font_size*/
}
.wprm-recipe-template-joc h1,
.wprm-recipe-template-joc h2,
.wprm-recipe-template-joc h3,
.wprm-recipe-template-joc h4,
.wprm-recipe-template-joc h5,
.wprm-recipe-template-joc h6 {
    color: #212121; /*wprm_header_text type=color*/
    line-height: 1.3em; /*wprm_header_line_height type=font_size*/
    padding: 0;
    margin: 0;
}
.wprm-recipe-template-joc .wprm-recipe-header {
    margin: 20px 0 10px!important;
}
.wprm-recipe-template-joc h1 {
    font-size: 32px; /*wprm_h1_size type=font_size*/

}
.entry-content .wprm-recipe-template-joc h2 {
    font-size: 32px; /*wprm_h2_size type=font_size*/
    border-bottom: 0;
    margin: 0 0 10px;
    line-height: 1.3em;
    font-weight: bold;
}
.wprm-recipe-template-joc h3 {
    font-size: 20px; /*wprm_h3_size type=font_size*/
}
.wprm-recipe-template-joc h4 {
    font-size: 18px; /*wprm_h4_size type=font_size*/
    font-size: 18px;
    font-weight: 700;
    text-decoration: underline;
     margin-bottom: 10px;

}
.wprm-recipe-template-joc h5 {
    font-size: 18px; /*wprm_h5_size type=font_size*/
}
.wprm-recipe-template-joc h6 {
    font-size: 18px; /*wprm_h6_size type=font_size*/
}
.wprm-recipe-template-joc a {
    color: #d0021b; /*wprm_link type=color*/
}
.wprm-recipe-summary {
    margin: 10px 0;
    font-size: 16px;
}
.wprm-recipe-template-joc .wprm-template-chic-buttons {
	clear: both;
    text-align: center;
    font-size: 13px;
    letter-spacing: 1px;
    line-height: 1.5;
    text-transform: uppercase;
    font-weight: 700;
}
.wprm-template-chic-buttons a {
    text-transform: uppercase;
    text-decoration: none;
}
.wprm-template-chic-buttons a:hover, .wprm-template-chic-buttons a:visited:hover {
    background: #d0021b;
    border: 1px solid #d0021b;
}
.wprm-recipe-time-label {
    font-size: 13px;
    letter-spacing: 1px;
    line-height: 1.5;
    text-transform: uppercase;
    font-weight: 700;
}
.details-servings {
    padding: 10px 0;
    font-size: 14px;
    border-bottom: 1px solid #f0efef;
    margin: 0 0 10px;
    position: relative;
}
.wprm-recipe-servings {
    font-size: 20px;
    font-weight: 700;
}
.entry-content a.wprm-recipes-servings-link {
text-decoration: none!important;
}

.wprm-recipe-servings-container::after {
    content: 'Tap or hover to scale the recipe!';
    font-size: 14px;
    font-style: italic;
    line-height: 1;
    text-align: right;
    position: absolute;
    right: 0;
    top: 20px;
 }
.wprm-recipe-servings-label {
    text-transform: uppercase;
    letter-spacing: 1px;
}
.recipe-card-details {
    font-size: 13px;
    border-top: 1px solid #f0efef;
    padding: 10px 0;
    margin: 10px 0;
}
.wprm-call-to-action.wprm-call-to-action-simple {
    padding: 20px!important;
}

ul.wprm-recipe-instructions>li {
    counter-increment: list-counter;
margin: 0 0 15px 35px!important;
}
ul.wprm-recipe-instructions>li:first-of-type {
    counter-reset: list-counter;
}
ul.wprm-recipe-instructions>li::before {
    content: counter(list-counter);
    position: absolute;
    display: block;
    width: 25px;
    height: 25px;
    line-height: 25px;
    text-align: center;
    font-weight: 700;
    color: #ffffff;
    background: #1A2735;
    border-radius: 100%;
    margin-top: 3px;
    margin-left: -30px;
    font-size: 13px;
}
.wprm-recipe-video {
    position: relative;
    padding-bottom: 51%;
    overflow: hidden;
    max-width: 100%;
    height: auto;
    display: block;
    margin: 0 auto 10px;
}
.wprm-recipe-video iframe {
       position: absolute;
    top: 0;
    left: 0;
    width: 100%;
    height: 100%;
}
.wprm-recipe-ingredient-name {
font-weight: 700;
}
.wprm-recipe-ingredient-notes-normal {
    color: #535D68;
    font-size: .9em;
}
.recipe-disclosure {
    font-size: 14px;
    line-height: 1.5;
    margin: 0 auto 20px;
}
.ingredients-notes {
    color: #535D68;
    font-size: 14px;
    font-style: italic;
}
li.wprm-recipe-instruction {
list-style-type: none!important;
}
li.wprm-recipe-instruction::marker {
display: none;
}
.wprm-recipe-template-joc .wprm-rating-star svg {
    width: 20px!important;
    height: 20px!important;
}
@media screen and (max-width: 600px) {
.wprm-recipe-servings-container::after {
	display: block;
	text-align: left;
	position: relative;
	top: 0;
}
.entry-content .wprm-recipe-template-joc h2 {
	font-size: 24px;
}
}</style><script>ytInited=!1;function lazyLoadYT(){if(ytInited)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>
function b2a(a){var b,c=0,l=0,f="",g=[];if(!a)return a;do{var e=a.charCodeAt(c++);var h=a.charCodeAt(c++);var k=a.charCodeAt(c++);var d=e<<16|h<<8|k;e=63&d>>18;h=63&d>>12;k=63&d>>6;d&=63;g[l++]="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".charAt(e)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".charAt(h)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".charAt(k)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=".charAt(d)}while(c<
a.length);return f=g.join(""),b=a.length%3,(b?f.slice(0,b-3):f)+"===".slice(b||3)}function a2b(a){var b,c,l,f={},g=0,e=0,h="",k=String.fromCharCode,d=a.length;for(b=0;64>b;b++)f["ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".charAt(b)]=b;for(c=0;d>c;c++)for(b=f[a.charAt(c)],g=(g<<6)+b,e+=6;8<=e;)((l=255&g>>>(e-=8))||d-2>c)&&(h+=k(l));return h}b64e=function(a){return btoa(encodeURIComponent(a).replace(/%([0-9A-F]{2})/g,function(b,a){return String.fromCharCode("0x"+a)}))};
b64d=function(a){return decodeURIComponent(atob(a).split("").map(function(a){return"%"+("00"+a.charCodeAt(0).toString(16)).slice(-2)}).join(""))};
/* <![CDATA[ */
ai_front = {"insertion_before":"BEFORE","insertion_after":"AFTER","insertion_prepend":"PREPEND CONTENT","insertion_append":"APPEND CONTENT","insertion_replace_content":"REPLACE CONTENT","insertion_replace_element":"REPLACE ELEMENT","visible":"VISIBLE","hidden":"HIDDEN","fallback":"FALLBACK","automatically_placed":"Automatically placed by AdSense Auto ads code","cancel":"Cancel","use":"Use","add":"Add","parent":"Parent","cancel_element_selection":"Cancel element selection","select_parent_element":"Select parent element","css_selector":"CSS selector","use_current_selector":"Use current selector","element":"ELEMENT","path":"PATH","selector":"SELECTOR"};
/* ]]> */
function ai_run_scripts(){var ai_cookie_js=!0,ai_block_class_def="code-block";
/*
 JavaScript Cookie v2.2.0
 https://github.com/js-cookie/js-cookie

 Copyright 2006, 2015 Klaus Hartl & Fagner Brack
 Released under the MIT license
*/
"undefined"!==typeof ai_cookie_js&&(function(a){if("function"===typeof define&&define.amd){define(a);var c=!0}"object"===typeof exports&&(module.exports=a(),c=!0);if(!c){var d=window.Cookies,b=window.Cookies=a();b.noConflict=function(){window.Cookies=d;return b}}}(function(){function a(){for(var d=0,b={};d<arguments.length;d++){var f=arguments[d],e;for(e in f)b[e]=f[e]}return b}function c(d){function b(){}function f(h,k,g){if("undefined"!==typeof document){g=a({path:"/",sameSite:"Lax"},b.defaults,
g);"number"===typeof g.expires&&(g.expires=new Date(1*new Date+864E5*g.expires));g.expires=g.expires?g.expires.toUTCString():"";try{var l=JSON.stringify(k);/^[\{\[]/.test(l)&&(k=l)}catch(p){}k=d.write?d.write(k,h):encodeURIComponent(String(k)).replace(/%(23|24|26|2B|3A|3C|3E|3D|2F|3F|40|5B|5D|5E|60|7B|7D|7C)/g,decodeURIComponent);h=encodeURIComponent(String(h)).replace(/%(23|24|26|2B|5E|60|7C)/g,decodeURIComponent).replace(/[\(\)]/g,escape);l="";for(var n in g)g[n]&&(l+="; "+n,!0!==g[n]&&(l+="="+
g[n].split(";")[0]));return document.cookie=h+"="+k+l}}function e(h,k){if("undefined"!==typeof document){for(var g={},l=document.cookie?document.cookie.split("; "):[],n=0;n<l.length;n++){var p=l[n].split("="),m=p.slice(1).join("=");k||'"'!==m.charAt(0)||(m=m.slice(1,-1));try{var q=p[0].replace(/(%[0-9A-Z]{2})+/g,decodeURIComponent);m=(d.read||d)(m,q)||m.replace(/(%[0-9A-Z]{2})+/g,decodeURIComponent);if(k)try{m=JSON.parse(m)}catch(r){}g[q]=m;if(h===q)break}catch(r){}}return h?g[h]:g}}b.set=f;b.get=
function(h){return e(h,!1)};b.getJSON=function(h){return e(h,!0)};b.remove=function(h,k){f(h,"",a(k,{expires:-1}))};b.defaults={};b.withConverter=c;return b}return c(function(){})}),AiCookies=Cookies.noConflict(),ai_check_block=function(a){if(null==a)return!0;var c=AiCookies.getJSON("aiBLOCKS");ai_debug_cookie_status="";null==c&&(c={});"undefined"!==typeof ai_delay_showing_pageviews&&(c.hasOwnProperty(a)||(c[a]={}),c[a].hasOwnProperty("d")||(c[a].d=ai_delay_showing_pageviews));if(c.hasOwnProperty(a)){for(var d in c[a]){if("x"==
d){var b="",f=document.querySelectorAll('span[data-ai-block="'+a+'"]')[0];"aiHash"in f.dataset&&(b=f.dataset.aiHash);f="";c[a].hasOwnProperty("h")&&(f=c[a].h);var e=new Date;e=c[a][d]-Math.round(e.getTime()/1E3);if(0<e&&f==b)return ai_debug_cookie_status=a="closed for "+e+" s = "+Math.round(1E4*e/3600/24)/1E4+" days",!1;ai_set_cookie(a,"x","");c[a].hasOwnProperty("i")||c[a].hasOwnProperty("c")||ai_set_cookie(a,"h","")}else if("d"==d){if(0!=c[a][d])return ai_debug_cookie_status=a="delayed for "+c[a][d]+
" pageviews",!1}else if("i"==d){b="";f=document.querySelectorAll('span[data-ai-block="'+a+'"]')[0];"aiHash"in f.dataset&&(b=f.dataset.aiHash);f="";c[a].hasOwnProperty("h")&&(f=c[a].h);if(0==c[a][d]&&f==b)return ai_debug_cookie_status=a="max impressions reached",!1;if(0>c[a][d]&&f==b){e=new Date;e=-c[a][d]-Math.round(e.getTime()/1E3);if(0<e)return ai_debug_cookie_status=a="max imp. reached ("+Math.round(1E4*e/24/3600)/1E4+" days = "+e+" s)",!1;ai_set_cookie(a,"i","");c[a].hasOwnProperty("c")||c[a].hasOwnProperty("x")||
ai_set_cookie(a,"h","")}}if("ipt"==d&&0==c[a][d]&&(e=new Date,b=Math.round(e.getTime()/1E3),e=c[a].it-b,0<e))return ai_debug_cookie_status=a="max imp. per time reached ("+Math.round(1E4*e/24/3600)/1E4+" days = "+e+" s)",!1;if("c"==d){b="";f=document.querySelectorAll('span[data-ai-block="'+a+'"]')[0];"aiHash"in f.dataset&&(b=f.dataset.aiHash);f="";c[a].hasOwnProperty("h")&&(f=c[a].h);if(0==c[a][d]&&f==b)return ai_debug_cookie_status=a="max clicks reached",!1;if(0>c[a][d]&&f==b){e=new Date;e=-c[a][d]-
Math.round(e.getTime()/1E3);if(0<e)return ai_debug_cookie_status=a="max clicks reached ("+Math.round(1E4*e/24/3600)/1E4+" days = "+e+" s)",!1;ai_set_cookie(a,"c","");c[a].hasOwnProperty("i")||c[a].hasOwnProperty("x")||ai_set_cookie(a,"h","")}}if("cpt"==d&&0==c[a][d]&&(e=new Date,b=Math.round(e.getTime()/1E3),e=c[a].ct-b,0<e))return ai_debug_cookie_status=a="max clicks per time reached ("+Math.round(1E4*e/24/3600)/1E4+" days = "+e+" s)",!1}if(c.hasOwnProperty("G")&&c.G.hasOwnProperty("cpt")&&0==c.G.cpt&&
(e=new Date,b=Math.round(e.getTime()/1E3),e=c.G.ct-b,0<e))return ai_debug_cookie_status=a="max global clicks per time reached ("+Math.round(1E4*e/24/3600)/1E4+" days = "+e+" s)",!1}ai_debug_cookie_status="OK";return!0},ai_check_and_insert_block=function(a,c){if(null==a)return!0;var d=document.getElementsByClassName(c);if(d.length){d=d[0];var b=d.closest("."+ai_block_class_def),f=ai_check_block(a);!f&&0!=parseInt(d.getAttribute("limits-fallback"))&&d.hasAttribute("data-fallback-code")&&(d.setAttribute("data-code",
d.getAttribute("data-fallback-code")),null!=b&&b.hasAttribute("data-ai")&&d.hasAttribute("fallback-tracking")&&d.hasAttribute("fallback_level")&&b.setAttribute("data-ai-"+d.getAttribute("fallback_level"),d.getAttribute("fallback-tracking")),f=!0);d.removeAttribute("data-selector");if(f)ai_insert_code(d),b&&(f=b.querySelectorAll(".ai-debug-block"),f.length&&(b.classList.remove("ai-list-block"),b.classList.remove("ai-list-block-ip"),b.classList.remove("ai-list-block-filter"),b.style.visibility="",b.classList.contains("ai-remove-position")&&
(b.style.position="")));else{f=d.closest("div[data-ai]");if(null!=f&&"undefined"!=typeof f.getAttribute("data-ai")){var e=JSON.parse(b64d(f.getAttribute("data-ai")));"undefined"!==typeof e&&e.constructor===Array&&(e[1]="",f.setAttribute("data-ai",b64e(JSON.stringify(e))))}b&&(f=b.querySelectorAll(".ai-debug-block"),f.length&&(b.classList.remove("ai-list-block"),b.classList.remove("ai-list-block-ip"),b.classList.remove("ai-list-block-filter"),b.style.visibility="",b.classList.contains("ai-remove-position")&&
(b.style.position="")))}d.classList.remove(c)}d=document.querySelectorAll("."+c+"-dbg");b=0;for(f=d.length;b<f;b++)e=d[b],e.querySelector(".ai-status").textContent=ai_debug_cookie_status,e.querySelector(".ai-cookie-data").textContent=ai_get_cookie_text(a),e.classList.remove(c+"-dbg")},ai_load_cookie=function(){var a=AiCookies.getJSON("aiBLOCKS");null==a&&(a={});return a},ai_set_cookie=function(a,c,d){var b=ai_load_cookie();if(""===d){if(b.hasOwnProperty(a)){delete b[a][c];a:{c=b[a];for(f in c)if(c.hasOwnProperty(f)){var f=
!1;break a}f=!0}f&&delete b[a]}}else b.hasOwnProperty(a)||(b[a]={}),b[a][c]=d;0===Object.keys(b).length&&b.constructor===Object?AiCookies.remove("aiBLOCKS"):AiCookies.set("aiBLOCKS",b,{expires:365,path:"/"});return b},ai_get_cookie_text=function(a){var c=AiCookies.getJSON("aiBLOCKS");null==c&&(c={});var d="";c.hasOwnProperty("G")&&(d="G["+JSON.stringify(c.G).replace(/"/g,"").replace("{","").replace("}","")+"] ");var b="";c.hasOwnProperty(a)&&(b=JSON.stringify(c[a]).replace(/"/g,"").replace("{","").replace("}",
""));return d+b});
var ai_internal_tracking=0,ai_external_tracking=1,ai_external_tracking_category="Ad Inserter Pro",ai_external_tracking_action="[EVENT]",ai_external_tracking_label="[BLOCK_NUMBER] - [BLOCK_VERSION_NAME]",ai_external_tracking_username="",ai_track_pageviews=1,ai_advanced_click_detection=0,ai_viewport_widths=[980,768,0],ai_viewport_indexes=[1,2,3],ai_viewport_names_string="WyJEZXNrdG9wIiwiVGFibGV0IiwiUGhvbmUiXQ==",ai_data_id="10b006a7fb",
ai_ajax_url="https://www.justonecookbook.com/wp-admin/admin-ajax.php",ai_debug_tracking=0,ai_adb_attribute='ZGF0YS1kYXRhLW1hc2s=';
/*
 jQuery iframe click tracking plugin

 @license http://opensource.org/licenses/Apache-2.0
 @version 2.1.0
*/
(function(e,z){"function"===typeof define&&define.amd?define(["jquery"],function(m){return z(m)}):"object"===typeof module&&module.exports?module.exports=z(require("jquery")):z(e.jQuery)})(this,function(e){function z(m,h){return(new RegExp("^"+h.split("*").map(r=>r.replace(/([.*+?^=!:${}()|\[\]\/\\])/g,"\\$1")).join(".*")+"$")).test(m)}(function(m){m.fn.iframeTracker=function(h){"function"==typeof h&&(h={blurCallback:h});var r=this.get();if(null===h||!1===h)m.iframeTracker.untrack(r);else if("object"==
typeof h)m.iframeTracker.track(r,h);else throw Error("Wrong handler type (must be an object, or null|false to untrack)");return this};m.iframeTracker={focusRetriever:null,focusRetrieved:!1,handlersList:[],isIE8AndOlder:!1,init:function(){try{!0===m.browser.msie&&9>m.browser.version&&(this.isIE8AndOlder=!0)}catch(h){try{9>navigator.userAgent.match(RegExp("(msie) ([\\w.]+)","i"))[2]&&(this.isIE8AndOlder=!0)}catch(r){}}m(window).focus();m(window).blur(function(h){m.iframeTracker.windowLoseFocus(h)});
m("body").append('<div style="position:fixed; top:0; left:0; overflow:hidden;"><input style="position:absolute; left:-300px;" type="text" value="" id="focus_retriever" readonly="true" /><label for="focus_retriever">&nbsp;</label></div>');this.focusRetriever=m("#focus_retriever");this.focusRetrieved=!1;if(this.isIE8AndOlder){this.focusRetriever.blur(function(h){h.stopPropagation();h.preventDefault();m.iframeTracker.windowLoseFocus(h)});m("body").click(function(h){m(window).focus()});m("form").click(function(h){h.stopPropagation()});
try{m("body").on("click","form",function(h){h.stopPropagation()})}catch(h){console.log("[iframeTracker] Please update jQuery to 1.7 or newer. (exception: "+h.message+")")}}},track:function(h,r){r.target=h;m.iframeTracker.handlersList.push(r);m(h).bind("mouseover",{handler:r},m.iframeTracker.mouseoverListener).bind("mouseout",{handler:r},m.iframeTracker.mouseoutListener)},untrack:function(h){if("function"!=typeof Array.prototype.filter)console.log("Your browser doesn't support Array filter, untrack disabled");
else{m(h).each(function(b){m(this).unbind("mouseover",m.iframeTracker.mouseoverListener).unbind("mouseout",m.iframeTracker.mouseoutListener)});var r=function(b){return null===b?!1:!0},w;for(w in this.handlersList){for(var x in this.handlersList[w].target)-1!==m.inArray(this.handlersList[w].target[x],h)&&(this.handlersList[w].target[x]=null);this.handlersList[w].target=this.handlersList[w].target.filter(r);0===this.handlersList[w].target.length&&(this.handlersList[w]=null)}this.handlersList=this.handlersList.filter(r)}},
mouseoverListener:function(h){h.data.handler.over=!0;m.iframeTracker.retrieveFocus();try{h.data.handler.overCallback(this,h)}catch(r){}},mouseoutListener:function(h){h.data.handler.over=!1;m.iframeTracker.retrieveFocus();try{h.data.handler.outCallback(this,h)}catch(r){}},retrieveFocus:function(){if(document.activeElement&&"IFRAME"===document.activeElement.tagName){var h=!0;if(document.activeElement.hasAttribute("id")&&"undefined"!==typeof ai_ignore_iframe_ids&&ai_ignore_iframe_ids.constructor===Array){var r=
document.activeElement.id;ai_ignore_iframe_ids.forEach(function(x){z(r,x)&&(h=!1)})}if(h&&document.activeElement.hasAttribute("class")&&"undefined"!==typeof ai_ignore_iframe_classes&&ai_ignore_iframe_classes.constructor===Array){var w=document.activeElement.className;ai_ignore_iframe_classes.forEach(function(x){z(w,x)&&(h=!1)})}h&&(m.iframeTracker.focusRetriever.focus(),m.iframeTracker.focusRetrieved=!0)}},windowLoseFocus:function(h){for(var r in this.handlersList)if(!0===this.handlersList[r].over)try{this.handlersList[r].blurCallback(h)}catch(w){}}};
m(document).ready(function(){m.iframeTracker.init()})})(e)});ai_tracking_finished=!1;ai_viewport_names=JSON.parse(b64d(ai_viewport_names_string));
jQuery(document).ready(function(e){function z(b,k,g,a,c,n,f){b=b.replace("[EVENT]",k);b=b.replace("[BLOCK_NUMBER]",g);b=b.replace("[BLOCK_NAME]",a);b=b.replace("[BLOCK_COUNTER]",c);b=b.replace("[VERSION_NUMBER]",n);b=b.replace("[VERSION_NAME]",f);b=b.replace("[BLOCK_VERSION_NUMBER]",g+(0==n?"":" - "+n));b=b.replace("[BLOCK_VERSION_NAME]",a+(""==f?"":" - "+f));return b=b.replace("[WP_USERNAME]",ai_external_tracking_username)}function m(b,k,g,a,c,n,f){var d=z(ai_external_tracking_category,b,k,g,a,c,
n),p=z(ai_external_tracking_action,b,k,g,a,c,n),l=z(ai_external_tracking_label,b,k,g,a,c,n);if("function"!=typeof ai_external_tracking_event||0!=ai_external_tracking_event({event:b,block:k,block_name:g,block_counter:a,version:c,version_name:n},d,p,l,f))"function"==typeof window.ga&&(b="send","string"==typeof ai_ga_tracker_name?b=ai_ga_tracker_name+"."+b:(k=ga.getAll(),0!=k.length&&(k=k[0].get("name"),"t0"!=k&&(b=k+"."+b))),ga(b,"event",{eventCategory:d,eventAction:p,eventLabel:l,nonInteraction:f})),
"function"==typeof window.gtag&&gtag("event","impression",{event_category:d,event_action:p,event_label:l,non_interaction:f}),"function"==typeof window.__gaTracker&&__gaTracker("send","event",{eventCategory:d,eventAction:p,eventLabel:l,nonInteraction:f}),"object"==typeof _gaq&&_gaq.push(["_trackEvent",d,p,l,void 0,f]),"object"==typeof _paq&&_paq.push(["trackEvent",d,p,l])}function h(b,k){var g=b[0],a=b[1];if(Number.isInteger(a))if("undefined"==typeof ai_check_data&&"undefined"==typeof ai_check_data_timeout)ai_check_data_timeout=
!0,setTimeout(function(){h(b,k)},2500);else{ai_cookie=ai_load_cookie();for(var c in ai_cookie)if(parseInt(g)==parseInt(c))for(var n in ai_cookie[c])if("c"==n){var f=ai_cookie[c][n];if(0<f)if(ai_set_cookie(c,"c",f-1),1==f){f=e("span[data-ai-block="+g+"]").data("ai-cfp-time");var d=new Date;d=Math.round(d.getTime()/1E3);var p=d+604800;ai_set_cookie(c,"c",-p);setTimeout(function(){e("span[data-ai-block="+g+"]").closest("div[data-ai]").remove()},50)}else ai_set_cookie(c,"c",f-1)}else if("cpt"==n)if(f=
ai_cookie[c][n],0<f){if(ai_set_cookie(c,"cpt",f-1),1==f){f=e("span[data-ai-block="+g+"]").data("ai-cfp-time");d=new Date;d=Math.round(d.getTime()/1E3);p=ai_cookie[c].ct;ai_set_cookie(c,"x",p);var l=e("span[data-ai-block="+g+"]").closest("div[data-ai]");setTimeout(function(){l.closest("div[data-ai]").remove()},75);"undefined"!=typeof f&&(p=d+86400*f,ai_set_cookie(g,"x",p),e("span.ai-cfp").each(function(q){q=e(this).data("ai-block");var u=e(this);setTimeout(function(){u.closest("div[data-ai]").remove()},
50);ai_set_cookie(q,"x",p)}))}}else ai_check_data.hasOwnProperty(c)&&ai_check_data[c].hasOwnProperty("cpt")&&ai_check_data[c].hasOwnProperty("ct")?ai_cookie.hasOwnProperty(c)&&ai_cookie[c].hasOwnProperty("ct")&&(d=new Date,f=ai_cookie[c].ct-Math.round(d.getTime()/1E3),0>=f&&(d=Math.round(d.getTime()/1E3),ai_set_cookie(c,"cpt",ai_check_data[c].cpt-1),ai_set_cookie(c,"ct",Math.round(d+86400*ai_check_data[c].ct)))):(ai_cookie.hasOwnProperty(c)&&ai_cookie[c].hasOwnProperty("cpt")&&ai_set_cookie(c,"cpt",
""),ai_cookie.hasOwnProperty(c)&&ai_cookie[c].hasOwnProperty("ct")&&ai_set_cookie(c,"ct",""));ai_cookie.hasOwnProperty("G")&&ai_cookie.G.hasOwnProperty("cpt")&&(f=ai_cookie.G.cpt,0<f?(ai_set_cookie("G","cpt",f-1),1==f&&(f=e("span[data-ai-block="+g+"]").data("ai-cfp-time"),d=new Date,d=Math.round(d.getTime()/1E3),p=ai_cookie.G.ct,ai_set_cookie(g,"x",p),l=e("span[data-ai-block="+g+"]").closest("div[data-ai]"),setTimeout(function(){l.closest("div[data-ai]").remove()},75),"undefined"!=typeof f&&(p=d+
86400*f,ai_set_cookie(g,"x",p),e("span.ai-cfp").each(function(q){q=e(this).data("ai-block");var u=e(this);setTimeout(function(){u.closest("div[data-ai]").remove()},50);ai_set_cookie(q,"x",p)})))):ai_check_data.hasOwnProperty("G")&&ai_check_data.G.hasOwnProperty("cpt")&&ai_check_data.G.hasOwnProperty("ct")?ai_cookie.hasOwnProperty("G")&&ai_cookie.G.hasOwnProperty("ct")&&(d=new Date,f=ai_cookie.G.ct-Math.round(d.getTime()/1E3),0>=f&&(d=Math.round(d.getTime()/1E3),ai_set_cookie("G","cpt",ai_check_data.G.cpt-
1),ai_set_cookie("G","ct",Math.round(d+86400*ai_check_data.G.ct)))):(ai_cookie.hasOwnProperty("G")&&ai_cookie.G.hasOwnProperty("cpt")&&ai_set_cookie("G","cpt",""),ai_cookie.hasOwnProperty("G")&&ai_cookie.G.hasOwnProperty("ct")&&ai_set_cookie("G","ct","")));ai_internal_tracking&&"undefined"===typeof ai_internal_tracking_no_clicks&&e.ajax({url:ai_ajax_url,type:"post",data:{action:"ai_ajax",ai_check:ai_data_id,click:g,version:a,type:k},async:!0}).done(function(q){q=q.trim();""!=q&&(q=JSON.parse(q),"undefined"!=
typeof q["#"]&&q["#"]==g&&(ai_cookie=ai_load_cookie(),setTimeout(function(){e("span[data-ai-block="+g+"]").closest("div[data-ai]").remove()},50),q=Math.round((new Date).getTime()/1E3)+43200,ai_cookie.hasOwnProperty(g)&&ai_cookie[g].hasOwnProperty("x")||ai_set_cookie(g,"x",q)))});if(ai_external_tracking&&"undefined"===typeof ai_external_tracking_no_clicks){var v=b[2],t=b[3];m("click",g,v,b[4],a,t,!1)}"function"==typeof ai_click_action&&ai_click_action(g,v,a,t)}}function r(){ai_check_data={};if("undefined"==
typeof ai_iframe){ai_cookie=ai_load_cookie();e(".ai-check-block").each(function(){var a=e(this).data("ai-block"),c=e(this).data("ai-delay-pv"),n=e(this).data("ai-every-pv"),f=e(this).data("ai-hash"),d=e(this).data("ai-max-imp"),p=e(this).data("ai-limit-imp-per-time"),l=e(this).data("ai-limit-imp-time"),v=e(this).data("ai-max-clicks"),t=e(this).data("ai-limit-clicks-per-time"),q=e(this).data("ai-limit-clicks-time"),u=e(this).data("ai-global-limit-clicks-per-time"),y=e(this).data("ai-global-limit-clicks-time");
if("undefined"!=typeof c&&0<c){ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={});ai_check_data[a].d=c;var A="";ai_cookie.hasOwnProperty(a)&&ai_cookie[a].hasOwnProperty("d")&&(A=ai_cookie[a].d);""===A&&ai_set_cookie(a,"d",c-1)}"undefined"!=typeof n&&2<=n&&(ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={}),"undefined"!==typeof ai_delay_showing_pageviews||ai_cookie.hasOwnProperty(a)&&ai_cookie[a].hasOwnProperty("d")||(ai_cookie.hasOwnProperty(a)||(ai_cookie[a]={}),ai_cookie[a].d=0),ai_check_data[a].e=
n);if("undefined"!=typeof d&&0<d){if(ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={}),ai_check_data[a].i=d,ai_check_data[a].h=f,n=c="",ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("i")&&(n=ai_cookie[a].i),ai_cookie[a].hasOwnProperty("h")&&(c=ai_cookie[a].h)),""===n||c!=f)ai_set_cookie(a,"i",d),ai_set_cookie(a,"h",f)}else ai_cookie.hasOwnProperty(a)&&ai_cookie[a].hasOwnProperty("i")&&(ai_set_cookie(a,"i",""),ai_cookie[a].hasOwnProperty("c")||ai_cookie[a].hasOwnProperty("x")||ai_set_cookie(a,
"h",""));if("undefined"!=typeof p&&0<p&&"undefined"!=typeof l&&0<l){ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={});ai_check_data[a].ipt=p;ai_check_data[a].it=l;d=c="";ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("ipt")&&(c=ai_cookie[a].ipt),ai_cookie[a].hasOwnProperty("it")&&(d=ai_cookie[a].it));if(""===c||""===d)ai_set_cookie(a,"ipt",p),c=new Date,c=Math.round(c.getTime()/1E3),ai_set_cookie(a,"it",Math.round(c+86400*l));0<d&&(c=new Date,c=Math.round(c.getTime()/1E3),d<=c&&(ai_set_cookie(a,
"ipt",p),ai_set_cookie(a,"it",Math.round(c+86400*l))))}else ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("ipt")&&ai_set_cookie(a,"ipt",""),ai_cookie[a].hasOwnProperty("it")&&ai_set_cookie(a,"it",""));if("undefined"!=typeof v&&0<v){if(ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={}),ai_check_data[a].c=v,ai_check_data[a].h=f,p=c="",ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("c")&&(p=ai_cookie[a].c),ai_cookie[a].hasOwnProperty("h")&&(c=ai_cookie[a].h)),""===p||c!=f)ai_set_cookie(a,
"c",v),ai_set_cookie(a,"h",f)}else ai_cookie.hasOwnProperty(a)&&ai_cookie[a].hasOwnProperty("c")&&(ai_set_cookie(a,"c",""),ai_cookie[a].hasOwnProperty("i")||ai_cookie[a].hasOwnProperty("x")||ai_set_cookie(a,"h",""));if("undefined"!=typeof t&&0<t&&"undefined"!=typeof q&&0<q){ai_check_data.hasOwnProperty(a)||(ai_check_data[a]={});ai_check_data[a].cpt=t;ai_check_data[a].ct=q;f=v="";ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("cpt")&&(v=ai_cookie[a].cpt),ai_cookie[a].hasOwnProperty("ct")&&
(f=ai_cookie[a].ct));if(""===v||""===f)ai_set_cookie(a,"cpt",t),c=new Date,c=Math.round(c.getTime()/1E3),ai_set_cookie(a,"ct",Math.round(c+86400*q));0<f&&(c=new Date,c=Math.round(c.getTime()/1E3),f<=c&&(ai_set_cookie(a,"cpt",t),ai_set_cookie(a,"ct",Math.round(c+86400*q))))}else ai_cookie.hasOwnProperty(a)&&(ai_cookie[a].hasOwnProperty("cpt")&&ai_set_cookie(a,"cpt",""),ai_cookie[a].hasOwnProperty("ct")&&ai_set_cookie(a,"ct",""));if("undefined"!=typeof u&&0<u&&"undefined"!=typeof y&&0<y){ai_check_data.hasOwnProperty("G")||
(ai_check_data.G={});ai_check_data.G.cpt=u;ai_check_data.G.ct=y;a=t="";ai_cookie.hasOwnProperty("G")&&(ai_cookie.G.hasOwnProperty("cpt")&&(t=ai_cookie.G.cpt),ai_cookie.G.hasOwnProperty("ct")&&(a=ai_cookie.G.ct));if(""===t||""===a)ai_set_cookie("G","cpt",u),c=new Date,c=Math.round(c.getTime()/1E3),ai_set_cookie("G","ct",Math.round(c+86400*y));0<a&&(c=new Date,c=Math.round(c.getTime()/1E3),a<=c&&(ai_set_cookie("G","cpt",u),ai_set_cookie("G","ct",Math.round(c+86400*y))))}else ai_cookie.hasOwnProperty("G")&&
(ai_cookie.G.hasOwnProperty("cpt")&&ai_set_cookie("G","cpt",""),ai_cookie.G.hasOwnProperty("ct")&&ai_set_cookie("G","ct",""))});e(".ai-check-block").removeClass("ai-check-block");for(var b in ai_cookie)for(var k in ai_cookie[b])if("d"==k){var g=ai_cookie[b][k];0<g?ai_set_cookie(b,"d",g-1):ai_check_data.hasOwnProperty(b)&&ai_check_data[b].hasOwnProperty("e")?ai_set_cookie(b,"d",ai_check_data[b].e-1):ai_check_data.hasOwnProperty(b)&&ai_check_data[b].hasOwnProperty("d")||ai_set_cookie(b,"d","")}}}function w(){Array.prototype.forEach.call(document.querySelectorAll("[data-ai]"),
function(n){for(var f="",d=1;9>=d;d++)if(n.hasAttribute("data-ai-"+d))f=n.getAttribute("data-ai-"+d);else break;""!=f&&n.setAttribute("data-ai",f)});if(ai_track_pageviews){var b=document.documentElement.clientWidth,k=window.innerWidth,g=b<k?k:b,a=0;e.each(ai_viewport_widths,function(n,f){if(g>=f)return a=ai_viewport_indexes[n],!1});b=jQuery(b64d("Ym9keQ==")).attr(b64d(ai_adb_attribute));if("string"===typeof b)var c=b==b64d("bWFzaw==");"string"===typeof b&&"boolean"===typeof c&&c&&(ai_external_tracking&&
m("ad blocking",0,ai_viewport_names[a-1],0,0,"",!0),a|=128);x=[0,a]}r();ai_process_impressions();0!=x.length&&ai_internal_tracking&&e.ajax({url:ai_ajax_url,type:"post",data:{action:"ai_ajax",ai_check:ai_data_id,views:[0],versions:[a]},async:!0}).done(function(n){});ai_tracking_finished=!0}ai_debug_tracking&&(ai_ajax_url+="?ai-debug-tracking=1");Number.isInteger=Number.isInteger||function(b){return"number"===typeof b&&isFinite(b)&&Math.floor(b)===b};ai_install_standard_click_trackers=function(b){"undefined"==
typeof b&&(b=e("body"));b=e("div.ai-track[data-ai]:visible",b);var k=e();b.each(function(){0==e(this).find("div.ai-lazy, div.ai-manual, div.ai-list-manual, div.ai-manual-auto, div.ai-delayed").length&&(k=k.add(e(this)))});b=k;b.removeClass("ai-track");b=b.find("a");0!=b.length&&(ai_advanced_click_detection?b.click(function(){for(var g=e(this).closest("div[data-ai]");"undefined"!=typeof g.attr("data-ai");){var a=JSON.parse(b64d(g.attr("data-ai")));"undefined"!==typeof a&&a.constructor===Array&&Number.isInteger(a[1])&&
!g.hasClass("clicked")&&(g.addClass("clicked"),h(a,"a.click"));g=g.parent().closest("div[data-ai]")}}):b.click(function(){for(var g=e(this).closest("div[data-ai]");"undefined"!=typeof g.attr("data-ai");){var a=JSON.parse(b64d(g.attr("data-ai")));"undefined"!==typeof a&&a.constructor===Array&&Number.isInteger(a[1])&&(h(a,"a.click"),clicked=!0);g=g.parent().closest("div[data-ai]")}}))};ai_install_click_trackers=function(b){"undefined"==typeof b&&(b=e("body"));if(ai_advanced_click_detection){var k=e("div.ai-track[data-ai]:visible, div.ai-rotate[data-info]:visible div.ai-track[data-ai]",
b);"undefined"!=typeof e(b).attr("data-ai")&&e(b).hasClass("ai-track")&&e(b).is(":visible")&&(k=k.add(b));var g=e();k.each(function(){0==e(this).find("div.ai-lazy, div.ai-manual, div.ai-list-manual, div.ai-manual-auto, div.ai-delayed").length&&(g=g.add(e(this)))});k=g;0!=k.length&&k.iframeTracker({blurCallback:function(){if(null!=this.ai_data&&null!=wrapper&&!wrapper.hasClass("clicked")){wrapper.addClass("clicked");h(this.ai_data,"blurCallback");for(var a=wrapper.find("div[data-ai]:visible");"undefined"!=
typeof a.attr("data-ai");){var c=JSON.parse(b64d(a.attr("data-ai")));"undefined"!==typeof c&&c.constructor===Array&&Number.isInteger(c[1])&&h(c,"blurCallback INNER");a=a.find("div[data-ai]:visible")}}},overCallback:function(a){a=e(a).closest("div[data-ai]");if("undefined"!=typeof a.attr("data-ai")){var c=JSON.parse(b64d(a.attr("data-ai")));"undefined"!==typeof c&&c.constructor===Array&&Number.isInteger(c[1])?(wrapper=a,this.ai_data=c):(null!=wrapper&&wrapper.removeClass("clicked"),this.ai_data=wrapper=
null)}},outCallback:function(a){null!=wrapper&&wrapper.removeClass("clicked");this.ai_data=wrapper=null},focusCallback:function(a){if(null!=this.ai_data&&null!=wrapper&&!wrapper.hasClass("clicked"))for(wrapper.addClass("clicked"),h(this.ai_data,"focusCallback"),a=wrapper.find("div[data-ai]:visible");"undefined"!=typeof a.attr("data-ai");){var c=JSON.parse(b64d(a.attr("data-ai")));"undefined"!==typeof c&&c.constructor===Array&&Number.isInteger(c[1])&&h(c,"focusCallback INNER");a=a.find("div[data-ai]:visible")}},
wrapper:null,ai_data:null,block:null,version:null})}ai_install_standard_click_trackers(b)};var x=[];ai_process_impressions=function(b){"undefined"==typeof b&&(b=e("body"));var k=[],g=[],a=[],c=[],n=[];0!=x.length&&(k.push(x[0]),g.push(x[1]),a.push("Pageviews"),n.push(0),c.push(""));var f=e("div.ai-track[data-ai]:visible:not(.ai-no-pageview), div.ai-rotate[data-info]:visible div.ai-track[data-ai]:not(.ai-no-pageview)",b);"undefined"!=typeof e(b).attr("data-ai")&&e(b).hasClass("ai-track")&&e(b).is(":visible")&&
!e(b).hasClass("ai-no-pageview")&&(f=f.add(b));0!=f.length&&e(f).each(function(){if("undefined"!=typeof e(this).attr("data-ai")){var l=JSON.parse(b64d(e(this).attr("data-ai")));if("undefined"!==typeof l&&l.constructor===Array){var v=0,t=e(this).find("div.ai-rotate[data-info]");1==t.length&&(v=JSON.parse(b64d(t.data("info")))[1]);if(Number.isInteger(l[0])&&0!=l[0]&&Number.isInteger(l[1])){t=0;var q=e(this).hasClass("ai-no-tracking"),u=jQuery(b64d("Ym9keQ==")).attr(b64d(ai_adb_attribute));if("string"===
typeof u)var y=u==b64d("bWFzaw==");if("string"===typeof u&&"boolean"===typeof y){var A=e(this).outerHeight();u=e(this).find(".ai-attributes");u.length&&u.each(function(){A>=e(this).outerHeight()&&(A-=e(this).outerHeight())});u=e(this).find(".ai-code");u.length&&(A=0,u.each(function(){A+=e(this).outerHeight()}));y&&0===A&&(t=128)}0!=e(this).find("div.ai-lazy, div.ai-manual, div.ai-list-manual, div.ai-manual-auto, div.ai-delayed").length&&(q=!0);if(!q)if(0==v)k.push(l[0]),g.push(l[1]|t),a.push(l[2]),
c.push(l[3]),n.push(l[4]);else for(y=1;y<=v;y++)k.push(l[0]),g.push(y|t),a.push(l[2]),c.push(l[3]),n.push(l[4])}}}});ai_cookie=ai_load_cookie();for(var d in ai_cookie)if(k.includes(parseInt(d)))for(var p in ai_cookie[d])"i"==p?(b=ai_cookie[d][p],0<b&&(1==b?(b=new Date,b=Math.round(b.getTime()/1E3)+604800,ai_set_cookie(d,"i",-b)):ai_set_cookie(d,"i",b-1))):"ipt"==p&&(b=ai_cookie[d][p],0<b?ai_set_cookie(d,"ipt",b-1):ai_check_data.hasOwnProperty(d)&&ai_check_data[d].hasOwnProperty("ipt")&&ai_check_data[d].hasOwnProperty("it")?
ai_cookie.hasOwnProperty(d)&&ai_cookie[d].hasOwnProperty("it")&&(b=new Date,0>=ai_cookie[d].it-Math.round(b.getTime()/1E3)&&(b=Math.round(b.getTime()/1E3),ai_set_cookie(d,"ipt",ai_check_data[d].ipt),ai_set_cookie(d,"it",Math.round(b+86400*ai_check_data[d].it)))):(ai_cookie.hasOwnProperty(d)&&ai_cookie[d].hasOwnProperty("ipt")&&ai_set_cookie(d,"ipt",""),ai_cookie.hasOwnProperty(d)&&ai_cookie[d].hasOwnProperty("it")&&ai_set_cookie(d,"it","")));if(k.length&&(ai_internal_tracking&&"undefined"===typeof ai_internal_tracking_no_impressions&&
(x=[],e.ajax({url:ai_ajax_url,type:"post",data:{action:"ai_ajax",ai_check:ai_data_id,views:k,versions:g},async:!0}).done(function(l){l=l.trim();if(""!=l&&(l=JSON.parse(l),"undefined"!=typeof l["#"])){ai_cookie=ai_load_cookie();var v=Math.round((new Date).getTime()/1E3)+43200,t=[],q;for(q in l["#"])ai_cookie.hasOwnProperty(l["#"][q])&&ai_cookie[l["#"][q]].hasOwnProperty("x")||ai_set_cookie(l["#"][q],"x",v);setTimeout(function(){for(index=0;index<t.length;++index)e("span[data-ai-block="+t[index]+"]").closest("div[data-ai]").remove()},
50)}})),ai_external_tracking&&"undefined"===typeof ai_external_tracking_no_impressions))for(d=0;d<k.length;d++)0!=k[d]&&m("impression",k[d],a[d],n[d],g[d],c[d],!0)};jQuery(window).on("load",function(){"undefined"==typeof ai_delay_tracking&&(ai_delay_tracking=0);setTimeout(w,ai_delay_tracking+1400);setTimeout(ai_install_click_trackers,ai_delay_tracking+1500)})});

ai_js_code = true;}
function ai_wait_for_jquery(){function b(f,c){var a=document.createElement("script");a.src=f;var d=document.getElementsByTagName("head")[0],e=!1;a.onload=a.onreadystatechange=function(){e||this.readyState&&"loaded"!=this.readyState&&"complete"!=this.readyState||(e=!0,c&&c(),a.onload=a.onreadystatechange=null,d.removeChild(a))};d.appendChild(a)}window.jQuery&&window.jQuery.fn?ai_run_scripts():(ai_jquery_waiting_counter++,4==ai_jquery_waiting_counter&&b("https://www.justonecookbook.com/wp-includes/js/jquery/jquery.min.js?ver=1.10.2",function(){b("https://www.justonecookbook.com/wp-includes/js/jquery/jquery-migrate.min.js?ver=6.3.1",
null)}),30>ai_jquery_waiting_counter&&setTimeout(function(){ai_wait_for_jquery()},50))}ai_jquery_waiting_counter=0;ai_wait_for_jquery();

</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>!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></body>
</html>