File size: 7,043 Bytes
96808ee
 
 
71c0171
 
96808ee
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
71c0171
 
96808ee
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
cf045f1
96808ee
 
 
 
cf045f1
96808ee
 
 
cf045f1
96808ee
 
 
71c0171
 
96808ee
22872c5
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
96808ee
22872c5
 
96808ee
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
#!/usr/bin/env python
# -*- coding: UTF-8 -*-
'''
@Project : OmniTalker
@File    : app.py
@Author  : zhongjian.wzj
@Date    : 2025/4/7 19:55 
Copyright (c) 2025, Alibaba Cloud. All rights reserved.
'''
import os
import json
import time
import random
import requests
import argparse
import uuid
import gradio as gr
from pathlib import Path

local_ip = requests.get('http://myip.ipip.net', timeout=5).text
print('local_ip: ', local_ip)

url = os.getenv('OMNITALKER_URL', "http://localhost:8012")
headers = {"Content-Type": "application/json"}

script_dir = Path(__file__).parent.absolute()
static_folder = script_dir / "static"
static_folder.mkdir(parents=True, exist_ok=True)
result_folder = script_dir / "result"
result_folder.mkdir(parents=True, exist_ok=True)


def auto_remove(folder, max_files=1000):
    folder = Path(folder)
    
    if not folder.exists() or not folder.is_dir():
        return

    files = [p for p in folder.iterdir() if p.is_file()]
    
    if not files or len(files) < max_files:
        return

    files.sort(key=lambda x: x.stat().st_ctime)

    # oldest_file = min(files, key=lambda x: x.stat().st_ctime)
    for i in range(len(files) - max_files + 1):
        oldest_file = files[i]
        try:
            oldest_file.unlink()
            print(f"remove file: {oldest_file}")
        except PermissionError:
            print(f"permission denied: {oldest_file}")
        except Exception as e:
            print(f"failed: {str(e)}")


def predict(role, content, seed, speed):
    data = {
        "role": role,
        "content": content,
        "seed": seed,
        "speed": speed, 
    }

    response = requests.post(f'{url}/predict', headers=headers, data=json.dumps(data))

    gen_file_path = result_folder / f"result-{uuid.uuid4().hex}.mp4"

    auto_remove(result_folder)

    if response.status_code == 200:
        with gen_file_path.open(mode='wb') as vid:  
            vid.write(response.content)
    # else:
    #     raise gr.Error(response.status_code)

    return gen_file_path


def generate_seed():
    seed = random.randint(0, 2**32 - 1)
    return {
        "__type__": "update",
        "value": seed
    }


def update_examples():

    response = requests.get(f"{url}/get_examples")
    if response.status_code == 200:
        examples_dict = response.json()
        print(examples_dict.keys())
    else:
        examples_dict = {}

    examples = []
    for role_id, role_cfg in examples_dict.items():
        ref_video_path = static_folder / f'{role_id}.mp4'
        if not ref_video_path.is_file():
            response = requests.get(f"{url}/get_video/", params={'role': role_id})
            if response.status_code == 200:
                with ref_video_path.open(mode='wb') as vid:  
                    vid.write(response.content)
            else:
                break
        
        examples.append([role_id, ref_video_path, *list(role_cfg.values())])

    return {
        "__type__": "update",
        "samples": examples,
    }


def check_http(url, timeout=5):
    try:
        response = requests.get(url, timeout=timeout)
        if response.status_code == 200:
            print(f"Succeed: {response.status_code}")
            return True
        else:
            print(f"Faild: {response.status_code}")
            return False
    except requests.exceptions.RequestException as e:
        print(f"Error: {e}")
        return False

MAX_CONNECT_TIMES = 100
for try_loop in range(MAX_CONNECT_TIMES):
    print(f'Try: {try_loop}/{MAX_CONNECT_TIMES}')
    if check_http(url):
        break
    time.sleep(10)

with open('style.css', 'r') as f:
    custom_css = f.read()

with gr.Blocks(css=custom_css) as demo:
    gr.Markdown("# <center> OmniTalker </center>")

    gr.Markdown("### <center> &#x1F3E0; [project](https://humanaigc.github.io/omnitalker)    &#x1F680;[Paper](https://arxiv.org/abs/2504.02433v1) </center>")

    gr.Markdown('''
        ### 步骤 Steps:  

        1. 选择角色, 等待`参考视频`加载完成 (自定义角色开发中)  
        Select a character in Examples. **Waiting for `Reference Video` to load the video**. (Custom upload is currently under development.)

        2. 输入`文本` (目前只支持中英文, 限制100字左右)  
        Enter `text` (Only **Chinese** and **English** are supported by far. **100** characters limited for performance.)

        3. 生成 (受限于网络和资源推理速度可能达不到1:1, 感谢理解)。  
        Generate (Due to limitations in network speed and GPU resources, the generation speed may not achieve a real-time 1:1 ratio. Appreciate.)


        ### 技巧 Tips:

        1. 中文中数字尽量用汉字  
        The numbers in Chinese text are best written in Chinese characters.

        2. 尝试不同的`seed`来获取最好的结果 (设为-1则每次会自动更改)  
        Try different `Seed` to achieve the best generation(Use -1 for automatic seeding). God may not play dice, but AI does.

        3. 适当调整语速`Speed`, 尤其是当英语参考人物讲中文时最好调慢一些(0.9-0.95)  
        Adjust `Speed` to control the speech rate. Especially when generating Chinese speech for native English speakers, recommended setting is 0.9-0.95.
    ''')

    with gr.Group():
        with gr.Row():
            with gr.Column():
                reference_video = gr.Video(label='Reference Video', interactive=False)
            with gr.Column():
                output_video = gr.Video(label='Output Video', streaming=False, autoplay=True)

    with gr.Row(equal_height=True):
        input_text = gr.Textbox(label="Input Text", lines=8, scale=5)
        with gr.Column(scale=1):
            with gr.Row(equal_height=True):
                seed = gr.Number(value=-1, label="Seed", elem_classes="gradio-number")
                btn_seed = gr.Button(value="\U0001F3B2", elem_classes="gradio-button")
            speed = gr.Slider(0, 2, value=1, step=0.01, label="Speed", scale=2)
            btn_run = gr.Button('Submit', variant='primary')

    with gr.Row(equal_height=True):
        role = gr.Textbox(label="Role", lines=1, max_lines=1, elem_classes="gradio-textbox", interactive=False)
        btn_refresh = gr.Button(value='\U0001f504', elem_classes="gradio-button")

    examples = gr.Examples(
        examples=update_examples()['samples'],
        inputs=[role, reference_video, input_text, seed, speed],
        examples_per_page=10,
    )

    btn_seed.click(generate_seed, inputs=[], outputs=seed)
    btn_refresh.click(update_examples, outputs=[examples.dataset])
    btn_run.click(predict, inputs=[role, input_text, seed, speed], outputs=[output_video])
    


if __name__ == '__main__':
    parser = argparse.ArgumentParser()
    parser.add_argument(
        "-ip", "--server_ip", type=str, default="0.0.0.0",
    )
    parser.add_argument(
        "-p", "--server_port", type=int, default=7860,
    )
    args = parser.parse_args()

    demo.launch(server_name=args.server_ip, server_port=args.server_port, share=False)