Skip to content

Commit d997916

Browse files
authored
[feat](AI) add several AI related features (#901)
- [x] user can input `=== {question}` to chat with AI - [x] find standby using AI if standby is not found - [x] add a config - [x] user can input `==> {title} - {artists_name}` in search bar to play a song - [x] user can create a playlist based on plain text
1 parent cd4404c commit d997916

22 files changed

+943
-163
lines changed

.github/workflows/build.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -57,7 +57,7 @@ jobs:
5757
pip install --upgrade pip
5858
pip install pyqt5
5959
pip install "pytest<7.2"
60-
pip install -e .[dev,cookies,webserver,ytdl]
60+
pip install -e .[dev,cookies,webserver,ytdl,ai]
6161
6262
- name: Install Python(macOS) Dependencies
6363
if: startsWith(matrix.os, 'macos')

.github/workflows/macos-release.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -28,7 +28,7 @@ jobs:
2828
python -m pip install --upgrade pip
2929
pip install pyqt5
3030
pip install pyinstaller
31-
pip install -e .[macos,battery,cookies,ytdl]
31+
pip install -e .[macos,battery,cookies,ytdl,ai]
3232
- name: Install libmpv
3333
run: |
3434
brew install mpv

.github/workflows/win-release.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -22,7 +22,7 @@ jobs:
2222
pip install pyqt5
2323
pip install pyinstaller
2424
pip install pyinstaller-versionfile
25-
pip install -e .[win32,battery,cookies,ytdl]
25+
pip install -e .[win32,battery,cookies,ytdl,ai]
2626
- name: Download mpv-1.dll
2727
run: |
2828
choco install curl

feeluown/ai.py

+37
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,37 @@
1+
import asyncio
2+
import socket
3+
4+
from openai import AsyncOpenAI
5+
6+
from feeluown.utils.aio import run_afn
7+
8+
9+
async def a_handle_stream(stream):
10+
rsock, wsock = socket.socketpair()
11+
rr, rw = await asyncio.open_connection(sock=rsock)
12+
_, ww = await asyncio.open_connection(sock=wsock)
13+
14+
async def write_task():
15+
async for chunk in stream:
16+
content = chunk.choices[0].delta.content or ''
17+
ww.write(content.encode('utf-8'))
18+
ww.write_eof()
19+
await ww.drain()
20+
ww.close()
21+
await ww.wait_closed()
22+
23+
task = run_afn(write_task)
24+
return rr, rw, task
25+
26+
27+
class AI:
28+
def __init__(self, base_url, api_key, model):
29+
self.base_url = base_url
30+
self.api_key = api_key
31+
self.model = model
32+
33+
def get_async_client(self):
34+
return AsyncOpenAI(
35+
base_url=self.base_url,
36+
api_key=self.api_key,
37+
)

feeluown/app/app.py

+22-3
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,6 @@
2121

2222
from .mode import AppMode
2323

24-
2524
logger = logging.getLogger(__name__)
2625

2726

@@ -51,9 +50,29 @@ def __init__(self, args, config, **kwargs):
5150
self.request = Request() # TODO: rename request to http
5251
self.version_mgr = VersionManager(self)
5352
self.task_mgr = TaskManager(self)
54-
5553
# Library.
56-
self.library = Library(config.PROVIDERS_STANDBY)
54+
self.library = Library(
55+
config.PROVIDERS_STANDBY,
56+
config.ENABLE_AI_STANDBY_MATCHER
57+
)
58+
self.ai = None
59+
try:
60+
from feeluown.ai import AI
61+
except ImportError as e:
62+
logger.warning(f"AI is not available, err: {e}")
63+
else:
64+
if (config.OPENAI_API_BASEURL and
65+
config.OPENAI_API_KEY and
66+
config.OPENAI_MODEL):
67+
self.ai = AI(
68+
config.OPENAI_API_BASEURL,
69+
config.OPENAI_API_KEY,
70+
config.OPENAI_MODEL,
71+
)
72+
self.library.setup_ai(self.ai)
73+
else:
74+
logger.warning("AI is not available, no valid settings")
75+
5776
if config.ENABLE_YTDL_AS_MEDIA_PROVIDER:
5877
try:
5978
self.library.setup_ytdl(rules=config.YTDL_RULES)

feeluown/app/config.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -86,6 +86,7 @@ def create_config() -> Config:
8686
)
8787
config.deffield('OPENAI_API_KEY', type_=str, default='', desc='OpenAI API key')
8888
config.deffield('OPENAI_MODEL', type_=str, default='', desc='OpenAI model name')
89+
config.deffield('ENABLE_AI_STANDBY_MATCHER', type_=bool, default=True, desc='')
8990
config.deffield(
9091
'AI_RADIO_PROMPT',
9192
type_=str,
@@ -96,7 +97,7 @@ def create_config() -> Config:
9697
1. 不要推荐与用户播放列表中一模一样的歌曲。不要推荐用户不喜欢的歌曲。不要重复推荐。
9798
2. 你返回的内容只应该有 JSON,其它信息都不需要。也不要用 markdown 格式返回。
9899
3. 你推荐的歌曲需要使用类似这样的 JSON 格式
99-
[{"title": "xxx", "artists_name": "yyy", "description": "推荐理由"}]
100+
[{"title": "xxx", "artists": ["yyy", "zzz"], "description": "推荐理由"}]
100101
''',
101102
desc='AI 电台功能的提示词'
102103
)

feeluown/gui/drawers.py

+90-19
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,17 @@
11
import math
2+
import random
23
from typing import Optional
34

4-
from PyQt5.QtCore import Qt, QRect, QPoint, QPointF
5+
from PyQt5.QtCore import Qt, QRect, QPoint, QPointF, QRectF
56
from PyQt5.QtGui import (
67
QPainter, QBrush, QPixmap, QImage, QColor, QPolygonF, QPalette,
78
QPainterPath, QGuiApplication,
89
)
910
from PyQt5.QtWidgets import QWidget
1011

11-
from feeluown.gui.helpers import random_solarized_color, painter_save, IS_MACOS
12+
from feeluown.gui.helpers import (
13+
random_solarized_color, painter_save, IS_MACOS, SOLARIZED_COLORS,
14+
)
1215

1316

1417
class SizedPixmapDrawer:
@@ -18,6 +21,7 @@ class SizedPixmapDrawer:
1821
Note that if device_pixel_ratio is not properly set, the drawed image
1922
quality may be poor.
2023
"""
24+
2125
def __init__(self, img: Optional[QImage], rect: QRect, radius: int = 0):
2226
self._rect = rect
2327
self._img_old_width = rect.width()
@@ -103,6 +107,7 @@ class PixmapDrawer(SizedPixmapDrawer):
103107
104108
TODO: rename this drawer to WidgetPixmapDrawer?
105109
"""
110+
106111
def __init__(self, img, widget: QWidget, radius: int = 0):
107112
"""
108113
:param widget: a object which has width() and height() method.
@@ -147,16 +152,16 @@ def draw(self, painter: QPainter):
147152
# Draw body.
148153
x, y = self._padding, self._length // 2
149154
width, height = self._length // 2, self._length // 2
150-
painter.drawArc(x, y, width, height, 0, 60*16)
151-
painter.drawArc(x, y, width, height, 120*16, 60*16)
155+
painter.drawArc(x, y, width, height, 0, 60 * 16)
156+
painter.drawArc(x, y, width, height, 120 * 16, 60 * 16)
152157

153158

154159
class PlusIconDrawer:
155160
def __init__(self, length, padding):
156-
self.top = QPoint(length//2, padding)
157-
self.bottom = QPoint(length//2, length - padding)
158-
self.left = QPoint(padding, length//2)
159-
self.right = QPoint(length-padding, length//2)
161+
self.top = QPoint(length // 2, padding)
162+
self.bottom = QPoint(length // 2, length - padding)
163+
self.left = QPoint(padding, length // 2)
164+
self.right = QPoint(length - padding, length // 2)
160165

161166
def draw(self, painter):
162167
pen = painter.pen()
@@ -208,7 +213,7 @@ def set_direction(self, direction):
208213
right = QPointF(real_padding + diameter, half)
209214

210215
d60 = diameter / 2 * 0.87 # sin60
211-
d30 = diameter / 2 / 2 # sin30
216+
d30 = diameter / 2 / 2 # sin30
212217

213218
if direction in ('left', 'right'):
214219
left_x = half - d30
@@ -247,14 +252,81 @@ def draw(self, painter):
247252
painter.drawPolygon(self.triangle)
248253

249254

255+
class AIIconDrawer:
256+
def __init__(self, length, padding, colorful=False):
257+
258+
sr = length / 12 # small circle radius
259+
sd = sr * 2
260+
261+
half = length / 2
262+
diameter = length - 2 * padding - sd
263+
real_padding = (length - diameter) / 2
264+
d60 = diameter / 2 * 0.87 # sin60
265+
d30 = diameter / 2 / 2 # sin30
266+
left_x = half - d60
267+
bottom_y = half + d30
268+
right_x = half + d60
269+
270+
self._center_rect = QRectF(real_padding, real_padding, diameter, diameter)
271+
self._top_circle = QRectF(half - sr, padding, sd, sd)
272+
self._left_circle = QRectF(left_x - sr, bottom_y - sr, sd, sd)
273+
self._right_circle = QRectF(right_x - sr, bottom_y - sr, sd, sd)
274+
275+
self.colorful = colorful
276+
self._colors = [QColor(e) for e in SOLARIZED_COLORS.values()]
277+
self._colors_count = len(self._colors)
278+
279+
def draw(self, painter, palette):
280+
if self.colorful:
281+
self._draw_colorful(painter, palette)
282+
else:
283+
self._draw_bw(painter, palette)
284+
285+
def _draw_bw(self, painter, palette):
286+
pen = painter.pen()
287+
pen.setWidthF(1.5)
288+
painter.setPen(pen)
289+
with painter_save(painter):
290+
painter.drawEllipse(self._center_rect)
291+
painter.setBrush(palette.color(QPalette.Window))
292+
painter.drawEllipse(self._top_circle)
293+
painter.drawEllipse(self._left_circle)
294+
painter.drawEllipse(self._right_circle)
295+
296+
def _draw_colorful(self, painter, palette):
297+
pen = painter.pen()
298+
pen.setWidthF(1.5)
299+
pen.setColor(self._colors[random.randint(0, self._colors_count - 1)])
300+
painter.setPen(pen)
301+
with painter_save(painter):
302+
start_alen = 120 * 16
303+
pen.setColor(self._colors[5])
304+
painter.setPen(pen)
305+
painter.drawArc(self._center_rect, 0, start_alen)
306+
pen.setColor(self._colors[1])
307+
painter.setPen(pen)
308+
painter.drawArc(self._center_rect, start_alen, start_alen)
309+
pen.setColor(self._colors[4])
310+
painter.setPen(pen)
311+
painter.drawArc(self._center_rect, start_alen * 2, start_alen)
312+
313+
painter.setPen(Qt.NoPen)
314+
painter.setBrush(self._colors[5])
315+
painter.drawEllipse(self._top_circle)
316+
painter.setBrush(self._colors[1])
317+
painter.drawEllipse(self._left_circle)
318+
painter.setBrush(self._colors[4])
319+
painter.drawEllipse(self._right_circle)
320+
321+
250322
class HomeIconDrawer:
251323
def __init__(self, length, padding):
252324
icon_length = length
253325
diff = 1 # root/body width diff
254326
h_padding = v_padding = padding
255327

256-
body_left_x = h_padding + diff*2
257-
body_right_x = icon_length - h_padding - diff*2
328+
body_left_x = h_padding + diff * 2
329+
body_right_x = icon_length - h_padding - diff * 2
258330
body_top_x = icon_length // 2
259331

260332
self._roof = QPoint(icon_length // 2, v_padding)
@@ -296,7 +368,7 @@ def paint(self, painter: QPainter):
296368

297369
class RankIconDrawer:
298370
def __init__(self, length, padding):
299-
body = length - 2*padding
371+
body = length - 2 * padding
300372
body_2 = body // 2
301373
body_8 = body // 8
302374
body_3 = body // 3
@@ -324,8 +396,7 @@ def paint(self, painter: QPainter):
324396

325397
class StarIconDrawer:
326398
def __init__(self, length, padding):
327-
328-
radius_outer = (length - 2*padding)//2
399+
radius_outer = (length - 2 * padding) // 2
329400
length_half = length // 2
330401
radius_inner = radius_outer // 2
331402
center = QPointF(length_half, length_half)
@@ -339,8 +410,8 @@ def __init__(self, length, padding):
339410
)
340411
self._star_polygon.append(outer_point)
341412
inner_point = center + QPointF(
342-
radius_inner * math.cos(angle + math.pi/5),
343-
-radius_inner * math.sin(angle + math.pi/5)
413+
radius_inner * math.cos(angle + math.pi / 5),
414+
-radius_inner * math.sin(angle + math.pi / 5)
344415
)
345416
self._star_polygon.append(inner_point)
346417
angle += 2 * math.pi / 5
@@ -407,9 +478,9 @@ def draw(self, painter: QPainter, palette: QPalette):
407478
disabled_lines = ()
408479
elif self._volume >= 33:
409480
lines = (self._line2, self._line3)
410-
disabled_lines = (self._line1, )
481+
disabled_lines = (self._line1,)
411482
elif self._volume > 0:
412-
lines = (self._line3, )
483+
lines = (self._line3,)
413484
disabled_lines = (self._line1, self._line2)
414485
else:
415486
lines = ()
@@ -493,6 +564,6 @@ def paint(self, painter: QPainter):
493564
font.setPixelSize(width - 4)
494565
else:
495566
# -1 works well on KDE when length is in range(30, 200)
496-
font.setPixelSize(width - (self._length//20))
567+
font.setPixelSize(width - (self._length // 20))
497568
painter.setFont(font)
498569
painter.drawText(0, 0, width, width, Qt.AlignHCenter | Qt.AlignVCenter, self._emoji)

feeluown/gui/ui.py

+10-2
Original file line numberDiff line numberDiff line change
@@ -27,8 +27,18 @@ def __init__(self, app):
2727
self._splitter = QSplitter(app)
2828

2929
# Create widgets that don't rely on other widgets first.
30+
try:
31+
from feeluown.gui.uimain.ai_chat import AIChatOverlay
32+
except ImportError as e:
33+
logger.warning(f'AIChatOverlay is not available: {e}')
34+
self.ai_chat_overlay = None
35+
else:
36+
self.ai_chat_overlay = AIChatOverlay(app, parent=app)
37+
self.ai_chat_overlay.hide()
3038
self.lyric_window = LyricWindow(self._app)
3139
self.lyric_window.hide()
40+
self.playlist_overlay = PlaylistOverlay(app, parent=app)
41+
self.nowplaying_overlay = NowplayingOverlay(app, parent=app)
3242

3343
# NOTE: 以位置命名的部件应该只用来组织界面布局,不要
3444
# 给其添加任何功能性的函数
@@ -39,8 +49,6 @@ def __init__(self, app):
3949
self.page_view = self.right_panel = RightPanel(self._app, self._splitter)
4050
self.toolbar = self.bottom_panel = self.right_panel.bottom_panel
4151
self.mpv_widget = MpvOpenGLWidget(self._app)
42-
self.playlist_overlay = PlaylistOverlay(app, parent=app)
43-
self.nowplaying_overlay = NowplayingOverlay(app, parent=app)
4452

4553
# alias
4654
self.magicbox = self.bottom_panel.magicbox

0 commit comments

Comments
 (0)