• Как использовать eel без Chrome?

    @NeZuSS Автор вопроса
    А можете тогда обьяснить по какому стим работает?
    Мне просто самое главное мтобы не нужно было скачивать доп. Браузер
  • Quart_discord Почему ошибка в discord.create_session()?

    @NeZuSS
    Я конечно не эксперт но вроде нужно как-то так

    @bot.command("/login")
    async def login(ctx):
        try:
            if (какой копонент допустим member) == None #отвер если компонент вылелю его скобками
                await ctx.send(description = 'Ошибка')
    
            else: #ответ если все правильно
                await discord.create_session()
                return
    
        except Exception as e:
            print(e)
  • Поможете исправить код?

    @NeZuSS Автор вопроса
    class Music(commands.Cog):
        def __init__(self, bot: commands.Bot):
            self.bot = bot
            self.voice_states = {}
    
        def get_voice_state(self, ctx: commands.Context):
            state = self.voice_states.get(ctx.guild.id)
            if not state:
                state = VoiceState(self.bot, ctx)
                self.voice_states[ctx.guild.id] = state
    
            return state
    
        def cog_unload(self):
            for state in self.voice_states.values():
                self.bot.loop.create_task(state.stop())
    
        def cog_check(self, ctx: commands.Context):
            if not ctx.guild:
                raise commands.NoPrivateMessage('```Эта команда не используется в ЛС (Личные сообщения)```')
    
            return True
    
        async def cog_before_invoke(self, ctx: commands.Context):
            ctx.voice_state = self.get_voice_state(ctx)
    
        async def cog_command_error(self, ctx: commands.Context, error: commands.CommandError):
            await ctx.send('```Меня это пугает. Произошла какая-то ошибка: {}```'.format(str(error)))
    
        @commands.command(name='join', invoke_without_subcommand=True)
        async def _join(self, ctx: commands.Context):
    
            destination = ctx.author.voice.channel
            if ctx.voice_state.voice:
                await ctx.voice_state.voice.move_to(destination)
                return
    
            ctx.voice_state.voice = await destination.connect()
    
        @commands.command(name='summon')
        @commands.has_permissions(manage_guild=True)
        async def _summon(self, ctx: commands.Context, *, channel: discord.VoiceChannel = None):
    
            if not channel and not ctx.author.voice:
                raise VoiceError('```Вы не подключены к голосовому каналу. И не указали куда подключаться.```')
    
            destination = channel or ctx.author.voice.channel
            if ctx.voice_state.voice:
                await ctx.voice_state.voice.move_to(destination)
                return
    
            ctx.voice_state.voice = await destination.connect()
    
        @commands.command(name='leave', aliases=['disconnect'])
        @commands.has_permissions(manage_guild=True)
        async def _leave(self, ctx: commands.Context):
    
            if not ctx.voice_state.voice:
                return await ctx.send('```Бот и так не подключен. Зачем его кикать?```')
    
            await ctx.voice_state.stop()
            del self.voice_states[ctx.guild.id]
    
        @commands.command(name='volume')
        async def _volume(self, ctx: commands.Context, *, volume: int):
    
            if not ctx.voice_state.is_playing:
                return await ctx.send('```Сейчас музыка не играет. Можете включить.```')
    
            if 0 > volume > 100:
                return await ctx.send('```Volume must be between 0 and 100```')
    
            ctx.voice_state.volume = volume / 100
            await ctx.send('```Громкость изменена на {}%```'.format(volume))
    
        @commands.command(name='now', aliases=['current', 'playing'])
        async def _now(self, ctx: commands.Context):
    
            await ctx.send(embed=ctx.voice_state.current.create_embed())
    
        @commands.command(name='pause')
        @commands.has_permissions(manage_guild=True)
        async def _pause(self, ctx: commands.Context):
    
            if not ctx.voice_state.is_playing and ctx.voice_state.voice.is_playing():
                ctx.voice_state.voice.pause()
                await ctx.message.add_reaction('⏯')
    
        @commands.command(name='resume')
        @commands.has_permissions(manage_guild=True)
        async def _resume(self, ctx: commands.Context):
    
            if not ctx.voice_state.is_playing and ctx.voice_state.voice.is_paused():
                ctx.voice_state.voice.resume()
                await ctx.message.add_reaction('⏯')
    
        @commands.command(name='stop')
        @commands.has_permissions(manage_guild=True)
        async def _stop(self, ctx: commands.Context):
    
            ctx.voice_state.songs.clear()
    
            if not ctx.voice_state.is_playing:
                ctx.voice_state.voice.stop()
                await ctx.message.add_reaction('⏹')
    
        @commands.command(name='skip')
        async def _skip(self, ctx: commands.Context):
    
            if not ctx.voice_state.is_playing:
                return await ctx.send('```Сейчас музыка не играет,зачем её пропускать? Можете включить.```')
    
            voter = ctx.message.author
            if voter == ctx.voice_state.current.requester:
                await ctx.message.add_reaction('⏭')
                ctx.voice_state.skip()
    
            elif voter.id not in ctx.voice_state.skip_votes:
                ctx.voice_state.skip_votes.add(voter.id)
                total_votes = len(ctx.voice_state.skip_votes)
    
                if total_votes >= 2:
                    await ctx.message.add_reaction('⏭')
                    ctx.voice_state.skip()
                else:
                    await ctx.send('```Голосование за пропуск добавлено. Проголосовали: **{}/2**```'.format(total_votes))
    
            else:
                await ctx.send('```Вы уже голосовали за пропуск этого трека.```')
    
        @commands.command(name='queue')
        async def _queue(self, ctx: commands.Context, *, page: int = 1):
            if len(ctx.voice_state.songs) == 0:
                return await ctx.send('```В очереди нет треков. Можете добавить.```')
    
            items_per_page = 10
            pages = math.ceil(len(ctx.voice_state.songs) / items_per_page)
    
            start = (page - 1) * items_per_page
            end = start + items_per_page
    
            queue = ''
            for i, song in enumerate(ctx.voice_state.songs[start:end], start=start):
                queue += '`{0}.` [**{1.source.title}**]({1.source.url})\n'.format(i + 1, song)
    
            embed = (discord.Embed(description='```**{} tracks:**\n\n{}```'.format(len(ctx.voice_state.songs), queue))
                     .set_footer(text='```Viewing page {}/{}```'.format(page, pages)))
            await ctx.send(embed=embed)
    
        @commands.command(name='shuffle')
        async def _shuffle(self, ctx: commands.Context):
    
            if len(ctx.voice_state.songs) == 0:
                return await ctx.send('```В очереди нет треков. Можете добавить.```')
    
            ctx.voice_state.songs.shuffle()
            await ctx.message.add_reaction('✅')
    
        @commands.command(name='remove')
        async def _remove(self, ctx: commands.Context, index: int):
    
            if len(ctx.voice_state.songs) == 0:
                return await ctx.send('```В очереди нет треков. Можете добавить.```')
    
            ctx.voice_state.songs.remove(index - 1)
            await ctx.message.add_reaction('✅')
    
        @commands.command(name='loop')
        async def _loop(self, ctx: commands.Context):
    
            if not ctx.voice_state.is_playing:
                return await ctx.send('```Ничего не играет в данный момент.```')
    
            ctx.voice_state.loop = not ctx.voice_state.loop
            await ctx.message.add_reaction('✅')
    
        @commands.command(name='play')
        async def _play(self, ctx: commands.Context, *, search: str):
    
            if not ctx.voice_state.voice:
                await ctx.invoke(self._join)
    
            async with ctx.typing():
                try:
                    source = await YTDLSource.create_source(ctx, search, loop=self.bot.loop)
                except YTDLError as e:
                    await ctx.send('```Произошла ошибка при обработке этого запроса: {}```'.format(str(e)))
                else:
                    song = Song(source)
    
                    await ctx.voice_state.songs.put(song)
                    await ctx.send('```Успешно добавлено {}```'.format(str(source)))
    
        @_join.before_invoke
        @_play.before_invoke
        async def ensure_voice_state(self, ctx: commands.Context):
            if not ctx.author.voice or not ctx.author.voice.channel:
                raise commands.CommandError('```Сначала подключись к голосовому.```')
    
            if ctx.voice_client:
                if ctx.voice_client.channel != ctx.author.voice.channel:
                    raise commands.CommandError('```Бот уже подключен с голосовому каналу.```')
    
    
    
    bot.add_cog(Music(bot))
  • Поможете исправить код?

    @NeZuSS Автор вопроса
    class SongQueue(asyncio.Queue):
        def __getitem__(self, item):
            if isinstance(item, slice):
                return list(itertools.islice(self._queue, item.start, item.stop, item.step))
            else:
                return self._queue[item]
    
        def __iter__(self):
            return self._queue.__iter__()
    
        def __len__(self):
            return self.qsize()
    
        def clear(self):
            self._queue.clear()
    
        def shuffle(self):
            random.shuffle(self._queue)
    
        def remove(self, index: int):
            del self._queue[index]
    
    
    class VoiceState:
        def __init__(self, bot: commands.Bot, ctx: commands.Context):
            self.bot = bot
            self._ctx = ctx
    
            self.current = None
            self.voice = None
            self.next = asyncio.Event()
            self.songs = SongQueue()
    
            self._loop = False
            self._volume = 0.5
            self.skip_votes = set()
    
            self.audio_player = bot.loop.create_task(self.audio_player_task())
    
        def __del__(self):
            self.audio_player.cancel()
    
        @property
        def loop(self):
            return self._loop
    
        @loop.setter
        def loop(self, value: bool):
            self._loop = value
    
        @property
        def volume(self):
            return self._volume
    
        @volume.setter
        def volume(self, value: float):
            self._volume = value
    
        @property
        def is_playing(self):
            return self.voice and self.current
    
        async def audio_player_task(self):
            while True:
                self.next.clear()
    
                if not self.loop:
                    try:
                        async with timeout(180):  # 3 minutes
                            self.current = await self.songs.get()
                    except asyncio.TimeoutError:
                        self.bot.loop.create_task(self.stop())
                        return
    
                self.current.source.volume = self._volume
                self.voice.play(self.current.source, after=self.play_next_song)
                await self.current.source.channel.send(embed=self.current.create_embed())
    
                await self.next.wait()
    
        def play_next_song(self, error=None):
            if error:
                raise VoiceError(str(error))
    
            self.next.set()
    
        def skip(self):
            self.skip_votes.clear()
    
            if self.is_playing:
                self.voice.stop()
    
        async def stop(self):
            self.songs.clear()
    
            if self.voice:
                await self.voice.disconnect()
                self.voice = None
  • Не работают команды, если пытаюсь упомянуть пользователя, как решить?

    @NeZuSS
    TanderOFF, я предлагаю создать
    (название любое) = ctx.message.author
    author = ctx.message.author

    а потом для того чтобы получить ник отправителя
    надо в вот таких скобках {} вписать название которое вы дали выше в моем случае {author}

    вот пример

    @bot.command()
    async def test(ctx):
        author = ctx.message.author
        await ctx.send(embed = discord.Embed(description = f'ник {author}'))
  • Как сделать крестики нолики на двоих с помощью Button?

    @NeZuSS Автор вопроса
    Алан Гибизов, если вам не сложно можете подсказать где я это могу узнать и выучить?
  • Как сделать крестики нолики на двоих с помощью Button?

    @NeZuSS Автор вопроса
    Алан Гибизов, то есть 1 игрок когда выбирает будет выбирать я х, а когда второй будет нажимать то будет 0?
    правильно я вас понимаю
  • Как сделать крестики нолики на двоих с помощью Button?

    @NeZuSS Автор вопроса
    Алан Гибизов, тоесть 1 игрок нажимает и ставится крестик после чего запрещяется ныжимать на кнопку.
    Но тогда как бот поймет что выбирает 2 игрок, чтобы ему надо поставить нолик?
  • Как сделать крестики нолики на двоих с помощью Button?

    @NeZuSS Автор вопроса
    LXSTVAYNE, пробле в том что я не понял как ренеймнуть кнопку.
    И чтобы у двух играков был выбор крестик или нолик.
  • Можно ли написать команды бота в разных файлах?

    @NeZuSS Автор вопроса
    グNeZuSS#1969 вот мой дс
    Я не оч понял как распалагать код
  • Понять понять из-за чего не работает команда мут?

    @NeZuSS Автор вопроса
    А как мне тогда выдать в этой строке роль?
    muted_role = discord.utils.get( ctx.message.guild.roles, name = mute )