diff --git a/src/app/app.routing.ts b/src/app/app.routing.ts
index 08d0932..894d162 100644
--- a/src/app/app.routing.ts
+++ b/src/app/app.routing.ts
@@ -331,6 +331,13 @@ export const appRoutes: Route[] = [
                 'app/modules/admin/report/daily-partner/daily-partner.module'
               ).then((m: any) => m.DailyPartnerModule),
           },
+          {
+            path: 'today-bet',
+            loadChildren: () =>
+              import(
+                'app/modules/admin/report/today-bet/today-bet.module'
+              ).then((m: any) => m.TodayBetModule),
+          },
         ],
       },
     ],
diff --git a/src/app/mock-api/apps/report/today-bet/api.ts b/src/app/mock-api/apps/report/today-bet/api.ts
new file mode 100644
index 0000000..3217c89
--- /dev/null
+++ b/src/app/mock-api/apps/report/today-bet/api.ts
@@ -0,0 +1,217 @@
+import { Injectable } from '@angular/core';
+import { assign, cloneDeep } from 'lodash-es';
+import { FuseMockApiService, FuseMockApiUtils } from '@fuse/lib/mock-api';
+import { todayBets as todayBetsData } from './data';
+
+@Injectable({
+  providedIn: 'root',
+})
+export class ReportTodayBetMockApi {
+  private _todayBets: any[] = todayBetsData;
+
+  /**
+   * Constructor
+   */
+  constructor(private _fuseMockApiService: FuseMockApiService) {
+    // Register Mock API handlers
+    this.registerHandlers();
+  }
+
+  // -----------------------------------------------------------------------------------------------------
+  // @ Public methods
+  // -----------------------------------------------------------------------------------------------------
+
+  /**
+   * Register Mock API handlers
+   */
+  registerHandlers(): void {
+    // -----------------------------------------------------------------------------------------------------
+    // @ TodayBets - GET
+    // -----------------------------------------------------------------------------------------------------
+    this._fuseMockApiService
+      .onGet('api/apps/report/today-bet/today-bets', 300)
+      .reply(({ request }) => {
+        // Get available queries
+        const search = request.params.get('search');
+        const sort = request.params.get('sort') || 'name';
+        const order = request.params.get('order') || 'asc';
+        const page = parseInt(request.params.get('page') ?? '1', 10);
+        const size = parseInt(request.params.get('size') ?? '10', 10);
+
+        // Clone the todayBets
+        let todayBets: any[] | null = cloneDeep(this._todayBets);
+
+        // Sort the todayBets
+        if (sort === 'sku' || sort === 'name' || sort === 'active') {
+          todayBets.sort((a, b) => {
+            const fieldA = a[sort].toString().toUpperCase();
+            const fieldB = b[sort].toString().toUpperCase();
+            return order === 'asc'
+              ? fieldA.localeCompare(fieldB)
+              : fieldB.localeCompare(fieldA);
+          });
+        } else {
+          todayBets.sort((a, b) =>
+            order === 'asc' ? a[sort] - b[sort] : b[sort] - a[sort]
+          );
+        }
+
+        // If search exists...
+        if (search) {
+          // Filter the todayBets
+          todayBets = todayBets.filter(
+            (contact: any) =>
+              contact.name &&
+              contact.name.toLowerCase().includes(search.toLowerCase())
+          );
+        }
+
+        // Paginate - Start
+        const todayBetsLength = todayBets.length;
+
+        // Calculate pagination details
+        const begin = page * size;
+        const end = Math.min(size * (page + 1), todayBetsLength);
+        const lastPage = Math.max(Math.ceil(todayBetsLength / size), 1);
+
+        // Prepare the pagination object
+        let pagination = {};
+
+        // If the requested page number is bigger than
+        // the last possible page number, return null for
+        // todayBets but also send the last possible page so
+        // the app can navigate to there
+        if (page > lastPage) {
+          todayBets = null;
+          pagination = {
+            lastPage,
+          };
+        } else {
+          // Paginate the results by size
+          todayBets = todayBets.slice(begin, end);
+
+          // Prepare the pagination mock-api
+          pagination = {
+            length: todayBetsLength,
+            size: size,
+            page: page,
+            lastPage: lastPage,
+            startIndex: begin,
+            endIndex: end - 1,
+          };
+        }
+
+        // Return the response
+        return [
+          200,
+          {
+            todayBets,
+            pagination,
+          },
+        ];
+      });
+
+    // -----------------------------------------------------------------------------------------------------
+    // @ TodayBet - GET
+    // -----------------------------------------------------------------------------------------------------
+    this._fuseMockApiService
+      .onGet('api/apps/report/today-bet/today-bet')
+      .reply(({ request }) => {
+        // Get the id from the params
+        const id = request.params.get('id');
+
+        // Clone the todayBets
+        const todayBets = cloneDeep(this._todayBets);
+
+        // Find the todayBet
+        const todayBet = todayBets.find((item: any) => item.id === id);
+
+        // Return the response
+        return [200, todayBet];
+      });
+
+    // -----------------------------------------------------------------------------------------------------
+    // @ TodayBet - POST
+    // -----------------------------------------------------------------------------------------------------
+    this._fuseMockApiService
+      .onPost('api/apps/report/today-bet/today-bet')
+      .reply(() => {
+        // Generate a new todayBet
+        const newTodayBet = {
+          id: FuseMockApiUtils.guid(),
+          category: '',
+          name: 'A New User',
+          description: '',
+          tags: [],
+          sku: '',
+          barcode: '',
+          brand: '',
+          vendor: '',
+          stock: '',
+          reserved: '',
+          cost: '',
+          basePrice: '',
+          taxPercent: '',
+          price: '',
+          weight: '',
+          thumbnail: '',
+          images: [],
+          active: false,
+        };
+
+        // Unshift the new todayBet
+        this._todayBets.unshift(newTodayBet);
+
+        // Return the response
+        return [200, newTodayBet];
+      });
+
+    // -----------------------------------------------------------------------------------------------------
+    // @ TodayBet - PATCH
+    // -----------------------------------------------------------------------------------------------------
+    this._fuseMockApiService
+      .onPatch('api/apps/report/today-bet/today-bet')
+      .reply(({ request }) => {
+        // Get the id and todayBet
+        const id = request.body.id;
+        const todayBet = cloneDeep(request.body.todayBet);
+
+        // Prepare the updated todayBet
+        let updatedTodayBet = null;
+
+        // Find the todayBet and update it
+        this._todayBets.forEach((item, index, todayBets) => {
+          if (item.id === id) {
+            // Update the todayBet
+            todayBets[index] = assign({}, todayBets[index], todayBet);
+
+            // Store the updated todayBet
+            updatedTodayBet = todayBets[index];
+          }
+        });
+
+        // Return the response
+        return [200, updatedTodayBet];
+      });
+
+    // -----------------------------------------------------------------------------------------------------
+    // @ TodayBet - DELETE
+    // -----------------------------------------------------------------------------------------------------
+    this._fuseMockApiService
+      .onDelete('api/apps/report/today-bet/today-bet')
+      .reply(({ request }) => {
+        // Get the id
+        const id = request.params.get('id');
+
+        // Find the todayBet and delete it
+        this._todayBets.forEach((item, index) => {
+          if (item.id === id) {
+            this._todayBets.splice(index, 1);
+          }
+        });
+
+        // Return the response
+        return [200, true];
+      });
+  }
+}
diff --git a/src/app/mock-api/apps/report/today-bet/data.ts b/src/app/mock-api/apps/report/today-bet/data.ts
new file mode 100644
index 0000000..5a838b8
--- /dev/null
+++ b/src/app/mock-api/apps/report/today-bet/data.ts
@@ -0,0 +1,33 @@
+/* eslint-disable */
+
+export const todayBets = [
+  {
+    id: 'on00',
+    totalPartnerCount: '5',
+    totalHoldingMoney: 303675,
+    totalComp: 108933,
+    total: 412608,
+    branchCount: 1,
+    divisionCount: 1,
+    officeCount: 1,
+    storeCount: 1,
+    memberCount: 1,
+    nickname: 'on00',
+    accountHolder: '11',
+    phoneNumber: '010-1111-1111',
+    calculateType: '롤링',
+    ownCash: 50000,
+    ownComp: 1711,
+    ownCoupon: 50000,
+    gameMoney: 0,
+    todayComp: 0,
+    totalDeposit: 0,
+    totalWithdraw: 0,
+    balance: 0,
+    registDate: '2022-06-12 15:38',
+    finalSigninDate: '',
+    ip: '',
+    state: '정상',
+    note: '',
+  },
+];
diff --git a/src/app/mock-api/common/navigation/data.ts b/src/app/mock-api/common/navigation/data.ts
index 744ea30..0836bfa 100644
--- a/src/app/mock-api/common/navigation/data.ts
+++ b/src/app/mock-api/common/navigation/data.ts
@@ -243,6 +243,13 @@ export const defaultNavigation: FuseNavigationItem[] = [
         icon: 'heroicons_outline:academic-cap',
         link: '/report/daily-partner',
       },
+      {
+        id: 'report.today-bet',
+        title: 'Today Bet',
+        type: 'basic',
+        icon: 'heroicons_outline:academic-cap',
+        link: '/report/today-bet',
+      },
     ],
   },
 ];
diff --git a/src/app/mock-api/index.ts b/src/app/mock-api/index.ts
index 3f7a3c4..adfc87d 100644
--- a/src/app/mock-api/index.ts
+++ b/src/app/mock-api/index.ts
@@ -44,6 +44,7 @@ import { BasicSettingMockApi } from './apps/settings/basic/api';
 import { ReportDailyMockApi } from './apps/report/daily/api';
 import { ReportMonthlyMockApi } from './apps/report/monthly/api';
 import { ReportDailyPartnerMockApi } from './apps/report/daily-partner/api';
+import { ReportTodayBetMockApi } from './apps/report/today-bet/api';
 
 export const mockApiServices = [
   AcademyMockApi,
@@ -92,4 +93,5 @@ export const mockApiServices = [
   ReportDailyMockApi,
   ReportMonthlyMockApi,
   ReportDailyPartnerMockApi,
+  ReportTodayBetMockApi,
 ];
diff --git a/src/app/modules/admin/report/today-bet/components/index.ts b/src/app/modules/admin/report/today-bet/components/index.ts
new file mode 100644
index 0000000..04759eb
--- /dev/null
+++ b/src/app/modules/admin/report/today-bet/components/index.ts
@@ -0,0 +1,3 @@
+import { ListComponent } from './list.component';
+
+export const COMPONENTS = [ListComponent];
diff --git a/src/app/modules/admin/report/today-bet/components/list.component.html b/src/app/modules/admin/report/today-bet/components/list.component.html
new file mode 100644
index 0000000..fd7e2ff
--- /dev/null
+++ b/src/app/modules/admin/report/today-bet/components/list.component.html
@@ -0,0 +1,355 @@
+
+  
+  
+    
+    
+      
+    
+    
+    
+    
+    
+      
+      
+
+      
+      
+        
+          40
+          60
+          80
+          100
+        
+      
+      
+        
+          LV.1
+          LV.2
+          LV.3
+          LV.4
+        
+      
+      
+        
+          정상
+          대기
+          탈퇴
+          휴면
+          블랙
+          정지
+        
+      
+      
+        
+          카지노제한
+          슬롯제한
+        
+      
+      
+        
+          계좌입금
+        
+      
+      
+        
+          카지노콤프
+          슬롯콤프
+          배팅콤프
+          첫충콤프
+        
+      
+      
+      
+      
+        
+        
+      
+      
+      
+      
+      
+    
+  
+
+  
+  
+    
+    
+      
+         0; else noTodayBet">
+          
+            
+            
+              
+              
요율
+              
상부트리
+              
관리
+              
매장수
+              
회원수
+              
아이디
+              
닉네임
+              
예금주
+              
연락처
+              
정산
+              
보유금
+              
게임중머니
+              
카지노->캐쉬
+              
금일콤프
+              
총입출
+              
로그
+              
상태
+              
회원수
+              
비고
+            
+            
+            
+              
+                
+                  
+                    
+                  
+                  
+                  
+                    
+                    
+                      
+                      
+                    
+                  
+                  
+                  
+                    
+                    
+                    
+                    
+                  
+                  
+                  
+                    
+                  
+                  
+                  
+                    
+                      
+                        {{ todayBet.id }}
+                      
+                    
+                  
+                  
+                  
+                    {{ todayBet.nickname }}
+                  
+                  
+                  
+                    {{ todayBet.accountHolder }}
+                  
+                  
+                  
+                    {{ todayBet.phoneNumber }}
+                  
+                  
+                  
+                    {{ todayBet.calculateType }}
+                  
+                  
+                  
+                    캐쉬{{ todayBet.ownCash }} 콤프{{ todayBet.ownComp }} 쿠폰{{
+                      todayBet.ownCoupon
+                    }}
+                  
+                  
+                  
+                    {{ todayBet.gameMoney }}
+                  
+                  
+                  
+                    
+                    
+                  
+                  
+                  
+                    {{ todayBet.todayComp }}P
+                  
+                  
+                  
+                    입금{{ todayBet.totalDeposit }} 출금{{
+                      todayBet.totalWithdraw
+                    }}
+                    차익{{ todayBet.balance }}
+                  
+                  
+                  
+                    가입{{ todayBet.registDate }} 최종{{
+                      todayBet.finalSigninDate
+                    }}
+                    IP{{ todayBet.ip }}
+                  
+                  
+                  
+                    {{ todayBet.state }}
+                  
+                  
+                  
+                    {{ todayBet.memberCount }}
+                  
+                  
+                  
+                    
+                  
+                
+          
+
+      
+        
+          There are no today Bets!
+        
+      
+    
+  
+