RError.com

RError.com Logo RError.com Logo

RError.com Navigation

  • 主页

Mobile menu

Close
  • 主页
  • 系统&网络
    • 热门问题
    • 最新问题
    • 标签
  • Ubuntu
    • 热门问题
    • 最新问题
    • 标签
  • 帮助
主页 / user-337540

USERNAME GOES HERE's questions

Martin Hope
USERNAME GOES HERE
Asked: 2022-01-27 19:38:14 +0000 UTC

为什么 smtplib 不适用于所有邮件?

  • 0
import smtplib 
EMAIL = 'email@email.com'
PASS_EMAIL = '**********'
email = "another@email.com"
smtpObj = smtplib.SMTP('smtp.gmail.com', 587)
smtpObj.starttls()
smtpObj.login(EMAIL, PASS_EMAIL)
smtpObj.sendmail(EMAIL, email, "Hello, a message for testing!")
smtpObj.quit()

如果我通过 gmail 发送邮件,那么一切正常。随着时间的推移,Yandex。mail.ru 和 rambler 不起作用 - 邮件无法到达。也就是说,如果我尝试通过 gmail 向其他邮件服务发送一封信,那么它不会到达他们(即使是垃圾邮件)。怎么修?

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2021-11-15 23:15:51 +0000 UTC

使用正则表达式时出错: re.error: bad escape \p at position 0 re.error: bad escape \p at position 0

  • 1
import re
re.match(r'\p{script=Latin}', "Latin text")
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "/usr/lib/python3.8/re.py", line 191, in match
    return _compile(pattern, flags).match(string)
  File "/usr/lib/python3.8/re.py", line 304, in _compile
    p = sre_compile.compile(pattern, flags)
  File "/usr/lib/python3.8/sre_compile.py", line 764, in compile
    p = sre_parse.parse(p, flags)
  File "/usr/lib/python3.8/sre_parse.py", line 948, in parse
    p = _parse_sub(source, state, flags & SRE_FLAG_VERBOSE, 0)
  File "/usr/lib/python3.8/sre_parse.py", line 443, in _parse_sub
    itemsappend(_parse(source, state, verbose, nested + 1,
  File "/usr/lib/python3.8/sre_parse.py", line 525, in _parse
    code = _escape(source, this, state)
  File "/usr/lib/python3.8/sre_parse.py", line 426, in _escape
    raise source.error("bad escape %s" % escape, len(escape))
re.error: bad escape \p at position 0

如您所见,该模块re不支持\p(匹配某些 Unicode 属性,用于在 RE 中方便地使用 Unicode)。

怎么修?

蟒蛇 3.8

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-09-14 22:13:36 +0000 UTC

如何在 android x86 9.0 (qemu/kvm) 模拟器上配置以太网?

  • 0
netcfg eth0 dhcp

不起作用。说没有这样的命令...如何在 android x86 9.0 模拟器(qemu/kvm)上配置以太网?

android
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-08-22 20:19:48 +0000 UTC

psql:错误:无法连接到服务器:无法连接到服务器:没有这样的文件或目录

  • 0
postgres@vosmottor-H370M-DS3H:~$ psql
psql: error: could not connect to server: could not connect to server: No such file or directory
    Is the server running locally and accepting
    connections on Unix domain socket "/var/run/postgresql/.s.PGSQL.5432"?

我这样设置:

sudo apt install postgresql postgresql-contrib

怎么修?

sql
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-07-19 18:53:23 +0000 UTC

PyQt5 QTextCharFormat中的自定义下划线

  • 2

有这个代码:

class QBoard(QTextEdit):
    def __init__(self):
        super(QBoard, self).__init__()

    def makeBold(self):
        format = QTextCharFormat()
        format.setFontWeight(QFont.Bold)

        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeItalic(self):
        format = QTextCharFormat()
        format.setFontItalic(1)

        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeTitle(self):
        format = QTextCharFormat()

        font = QFont()
        font.setPixelSize(30)
        font.setWeight(QFont.Bold)

        format.setFont(font)

        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeCode(self):
        format = QTextCharFormat()
        format.setFontStyleHint(QFont.TypeWriter)
        format.setFont(QFont('Courier'))

        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeNormal(self):
        format = QTextCharFormat()
        font = QFont()
        font.setPixelSize(20)
        format.setFont(font)

        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeFG(self):
        color = QColorDialog().getColor()
        print(color)

        format = QTextCharFormat()
        try:
            format.setForeground(QColor(color))

            cursor = self.textCursor()
            cursor.mergeCharFormat(format)
        except Exception as e:
            print(e)

    def makeBG(self):
        color = QColorDialog().getColor()
        print(color)

        format = QTextCharFormat()
        try:
            format.setBackground(QColor(color))

            cursor = self.textCursor()
            cursor.mergeCharFormat(format)
        except Exception as e:
            print(e)

    def makeUnderLine(self):

        format = QTextCharFormat()
        format.setUnderlineStyle(
            QTextCharFormat.SingleUnderline)
        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeSub(self):
        format = QTextCharFormat()
        format.setFont(QFont())
        cursor = self.textCursor()
        cursor.mergeCharFormat(format)
    
    def makeDash(self):
        format = QTextCharFormat()
        format.setUnderlineStyle(
            QTextCharFormat.DashUnderline)
        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeWrong(self):
        format = QTextCharFormat()
        format.setFontStrikeOut(1)
        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

    def makeWave(self):
        format = QTextCharFormat()
        format.setUnderlineStyle(
            QTextCharFormat.WaveUnderline)
        cursor = self.textCursor()
        cursor.mergeCharFormat(format)

该功能makeBold使所选文本变为粗体,为所选文本makeBG添加背景等。

现在问题:

  • 怎么做双下划线?
  • 如何制作下划线ala:
-·-·-·-

我永远不会知道,QTextCharFormat没有这样的对象。(

python
  • 2 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-07-16 22:37:38 +0000 UTC

ImportError:尝试在没有已知父包的情况下进行相对导入

  • 1

有一个具有以下结构的包:

在此处输入图像描述

这个项目最初是用 python 2 编写的,我正在将它移植到 python 3。走过它:

2to3 -w *.py && rm *.bak

重新设计了一些更微妙的东西(比如重命名为 itertools)。现在发生错误(导入时):

Traceback (most recent call last):
  File "__init__.py", line 1, in <module>
    from .interfaces import *
ImportError: attempted relative import with no known parent package

怎么修?
PS这个问题的答案对我没有帮助,所以这不是重复的。

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-07-11 19:11:27 +0000 UTC

NameError:未定义名称“MAKE_CLOSURE”

  • 0

尝试在 python 3.8 上使用 byteplay3 时:

>>> import byteplay3
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "/Library/Frameworks/Python.framework/Versions/3.8/lib/python3.8/site-packages/byteplay3.py", line 400, in <module>
    hascode = set( [ Opcode(MAKE_FUNCTION), Opcode(MAKE_CLOSURE) ] )
NameError: name 'MAKE_CLOSURE' is not defined

怎么修?

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-06-19 15:19:20 +0000 UTC

使用什么命令来获取公共 IP 地址?重击,麦克

  • 0

使用什么命令来获取公共 IP 地址?

linux
  • 4 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-06-14 21:23:20 +0000 UTC

从标记到 html 的自动转换器(它是 qtextedit 的所见即所得)PyQT5

  • 1
...
from PyQt5.QtWidgets import *
...
import markdown
...

class QBoard(QTextEdit):
    def __init__(self):
        super(QBoard, self).__init__()
        self.textChanged.connect(self.handle)
        self.md = markdown.Markdown()

    def handle(self):
        self.setHtml(self.md.convert(self.toHtml()))
...

它不起作用,挂起或超出最大递归深度(((。如何让用户输入markdown并将其转换为html(执行setHtml并且用户看到结果)???

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-06-02 23:55:40 +0000 UTC

从另一个线程更新小部件中的信息

  • 2

如何进行永久调用以接受更新 QTextEdit 小部件?

只是线程不起作用:

from PyQt5.QtWidgets import *
from PyQt5.QtGui import *
from PyQt5.QtCore import *
import requests
from threading import Thread

class MainWindow(QMainWindow):
    def __init__(self):
        super(MainWindow, self).__init__()
        self.setCentralWidget(QWidget(self))
        self.lay = QVBoxLayout()
        self.centralWidget().setLayout(self.lay)

        self.initUI()

    def initUI(self):
        self.id = 'default'
        self.idl = QLineEdit()
        self.lay.addWidget(self.idl)

        self.log = QPushButton()
        self.log.setText('Connect')
        self.log.clicked.connect(self.setId)
        self.lay.addWidget(self.log)

        self.board = QTextEdit()
        self.board.textChanged.connect(self.send)
        self.board.setMinimumSize(1200, 700,)
        self.board.setStyleSheet('font-size:20px;')
        self.lay.addWidget(self.board)
        thread = Thread(target=self.accept)
        thread.start()
    def setId(self):
        self.id = self.idl.text()

    def send(self):
        requests.get(f'http://localhost:8080/set/{self.id}/{self.board.toPlainText()}/...')

    def accept(self):
        self.board.setText(requests.get(f'http://localhost:8080/get/{self.id}/...').text)


if __name__ == '__main__':
    app = QApplication([])
    win = MainWindow()
    win.show()
    app.exec_()

如果您按照上述方式进行操作,则会发生错误:

QObject: Cannot create children for a parent that is in a different thread.
(Parent is QTextDocument(0x104051140), parent's thread is QThread(0x100403ac0), current thread is QThread(0x10409a0a0)
Segmentation fault: 11
python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-04-03 21:48:08 +0000 UTC

如何将输入/输出从终端重定向到 pyqt5 小部件?

  • 0

我正在为 Pascal 编写一个微型 IDE。这是一段非常简化的代码:

class MainWindow(QMainWindow):
    def __init__(self):
        super(MainWindow, self).__init__()

        wid = QWidget()
        self.lay = QVBoxLayout()
        wid.setLayout(self.lay)
        self.setCentralWidget(wid)

        self.initUI()

    def initUI(self):

        self.inp = QTextEdit()
        self.out = QTextEdit()
        self.out.setReadOnly(True)

        self.lay.addWidget(self.inp)
        self.lay.addWidget(self.out)
   ...
   ...
       def run(self):
        try:
            with open('cached/run.pas', 'w') as f:
                f.write(self.inp.toPlainText())

            config = cfg .ConfigParser()
            config.read('settings.ini')
            compiler = config.get('settings-n-preference', 'engine')

            compiling_logs = os.popen(compiler + ' cached/run.pas').read()
            self.out.setText(os.popen('cached/run').read())

            os.remove('cached/run.pas')
            os.remove('cached/run')


        except:
            self.out.setText(compiling_logs)

如果 Pascal 程序不需要输入,则一切正常。好吧,例如:

program Hello;
begin
  writeln ('Hello, world.');
end.

好吧,如果这已经是类似的东西(也就是说,你需要输入一些东西),那么便笺响应程序:

program Hello;
begin
  writeln ('Hello, world.');
  readln;
end.

怎样成为?

python
  • 2 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-03-24 22:08:16 +0000 UTC

如何在 lambda 函数中使用多个命令?

  • 1

如何在 lambda 函数中使用多个命令?

假设我有一个f带参数的函数。假设我将此功能作为命令分配给 tkinter 按钮:

b = Button(root, command = lambda: f('arg', 'arg2'))

如果我想将另一个函数作为命令并行添加(而不将其添加到f?

python
  • 3 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-03-11 01:16:07 +0000 UTC

如何继续训练模型?

  • 2

假设我这样训练模型:

filename = 'model.h5'
checkpoint = ModelCheckpoint(filename, monitor='val_loss', verbose=1, save_best_only=True, mode='min')
model.fit(trainX, trainY, epochs = 100, batch_size=256, validation_data=(testX, testY), callbacks=[checkpoint])

它保存在 model.h5 中。

我怎样才能重新开始训练她,但保留上次的进度?

也就是说,要:

model.fit(trainX, trainY, epochs = 100, batch_size=256, validation_data=(testX, testY), callbacks=[checkpoint]) 

再次:

model.fit(trainX, trainY, epochs = 100, batch_size=256, validation_data=(testX, testY), callbacks=[checkpoint]

相当于:

model.fit(trainX, trainY, epochs = 200, batch_size=256, validation_data=(testX, testY), callbacks=[checkpoint]
python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-02-17 19:33:02 +0000 UTC

dictionary.get(elem) 和 dictionary[elem] 有什么区别?

  • 1

有什么区别:

dict_ = {'a':0, 'b':2, 'c':1}
print(dict_.get('a'))

和

dict_ = {'a':0, 'b':2, 'c':1}
print(dict_['a'])
python
  • 2 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-01-27 00:34:13 +0000 UTC

django.template.exceptions.TemplateDoesNotExist: admin/login.html

  • 1

当我转到管理面板时,我收到以下错误:

Internal Server Error: /admin/login/
Traceback (most recent call last):
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/core/handlers/exception.py", line 34, in inner
    response = get_response(request)
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/core/handlers/base.py", line 145, in _get_response
    response = self.process_exception_by_middleware(e, request)
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/core/handlers/base.py", line 143, in _get_response
    response = response.render()
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/template/response.py", line 105, in render
    self.content = self.rendered_content
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/template/response.py", line 81, in rendered_content
    template = self.resolve_template(self.template_name)
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/template/response.py", line 63, in resolve_template
    return select_template(template, using=self.using)
  File "/Users/admin/PycharmProjects/untitled/Site/lib/python3.7/site-packages/django/template/loader.py", line 47, in select_template
    raise TemplateDoesNotExist(', '.join(template_name_list), chain=chain)
django.template.exceptions.TemplateDoesNotExist: admin/login.html
[26/Jan/2020 16:26:22] "GET /admin/login/?next=/admin/ HTTP/1.1" 500 78214

项目级 urls.py:

from django.contrib import admin
from django.urls import path, include

urlpatterns = [
    path('admin/', admin.site.urls),
    path('', include('blog.urls')),
]

应用级 urls.py:

from django.urls import path

from .views import BlogListView

urlpatterns = [
    path('', BlogListView.as_view(), name='home'),
]

设置.py

import os

# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))


# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/3.0/howto/deployment/checklist/

# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = '%3z-++zoz%6t7$qyw91(z$2*+4h0cw5ivr$q=9$e+5s)axb*zb'

# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True

ALLOWED_HOSTS = []


# Application definition

INSTALLED_APPS = [
    'django.contrib.admin',
    'django.contrib.auth',
    'django.contrib.contenttypes',
    'django.contrib.sessions',
    'django.contrib.messages',
    'django.contrib.staticfiles',
    'blog.apps.BlogConfig',
]

MIDDLEWARE = [
    'django.middleware.security.SecurityMiddleware',
    'django.contrib.sessions.middleware.SessionMiddleware',
    'django.middleware.common.CommonMiddleware',
    'django.middleware.csrf.CsrfViewMiddleware',
    'django.contrib.auth.middleware.AuthenticationMiddleware',
    'django.contrib.messages.middleware.MessageMiddleware',
    'django.middleware.clickjacking.XFrameOptionsMiddleware',
]

ROOT_URLCONF = 'blog_project.urls'

TEMPLATES = [
    {
        'BACKEND': 'django.template.backends.django.DjangoTemplates',
        'DIRS' : [os.path.join(BASE_DIR, 'templates')],

        'OPTIONS': {
            'context_processors': [
                'django.template.context_processors.debug',
                'django.template.context_processors.request',
                'django.contrib.auth.context_processors.auth',
                'django.contrib.messages.context_processors.messages',
            ],
        },
    },
]

WSGI_APPLICATION = 'blog_project.wsgi.application'


# Database
# https://docs.djangoproject.com/en/3.0/ref/settings/#databases

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.sqlite3',
        'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
    }
}


# Password validation
# https://docs.djangoproject.com/en/3.0/ref/settings/#auth-password-validators

AUTH_PASSWORD_VALIDATORS = [
    {
        'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
    },
    {
        'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
    },
    {
        'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
    },
    {
        'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
    },
]


# Internationalization
# https://docs.djangoproject.com/en/3.0/topics/i18n/

LANGUAGE_CODE = 'en-us'

TIME_ZONE = 'UTC'

USE_I18N = True

USE_L10N = True

USE_TZ = True

STATICFILES_DIRS = [os.path.join(BASE_DIR, 'static')]
STATIC_URL = '/static/'

管理员.py:

from django.contrib import admin
from .models import Post

admin.site.register(Post)

模型.py:

from django.db import models


class Post(models.Model):
    title = models.CharField(max_length=200)
    author = models.ForeignKey(
        'auth.User',
        on_delete=models.CASCADE,
    )
    body = models.TextField()

    def __str__(self):
        return self.title
python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-12-26 21:33:47 +0000 UTC

ValueError:[E088] 长度为 1027203 的文本超过最大值 1000000。spacy

  • 0

我正在尝试从文本中制作一个语料库。问题是文本非常大,我遇到了一个异常:

ValueError: [E088] Text of length 1027203 exceeds maximum of 1000000. The v2.x parser and NER models require roughly 1GB of temporary memory per 100,000 characters in the input. This means long texts may cause memory allocation errors. If you're not using the parser or NER, it's probably safe to increase the `nlp.max_length` limit. The limit is in number of characters, so you can check whether your inputs are too long by checking `len(text)`.

升级安全nlp.max_length吗?这是代码:

import spacy
nlp = spacy.load('fr_core_news_md')
f = open("text.txt")
doc = nlp(''.join(ch for ch in f.read() if ch.isalnum() or ch == " "))
f.close()
del f
words = []
for token in doc:
    if token.lemma_ not in words:
        words.append(token.lemma_)

f = open("corpus.txt", 'w')
f.write("Number of words:" + str(len(words)) + "\n" + ''.join([i + "\n" for i in sorted(words)]))
f.close()

更新

当我尝试这样做时,我仍然得到同样的错误:

import spacy
nlp = spacy.load('fr_core_news_md')
nlp.max_length = 1027203
f = open("text.txt")
doc = nlp(''.join(ch for ch in f.read() if ch.isalnum() or ch == " "))
f.close()
del f
words = []
for token in doc:
    if token.lemma_ not in words:
        words.append(token.lemma_)

f = open("corpus.txt", 'w')
f.write("Number of words:" + str(len(words)) + "\n" + ''.join([i + "\n" for i in sorted(words)]))
f.close()
python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-12-25 20:13:00 +0000 UTC

如何在python中将字符串分成相等的部分?[复制]

  • -5
这个问题已经在这里得到了回答:
将字符串拆分为 N 个字符(相同长度的子字符串)并存储在数组中 4 个答案
2年前关闭。

例如,将字符串 "123abchhhooi"转换为 ["123", "abc", "hhh", "ooi"]?

python
  • 2 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-12-18 22:09:49 +0000 UTC

moviepy.editor - .wav 压缩

  • 1

我从视频中截取了音频:

import moviepy.editor as mp
clip = mp.VideoFileClip("video.wav").subclip(0,6552)
clip.audio.write_audiofile("audio.wav")

一切都会好起来的,但 .wav 原来是 1gb。如何压缩它?

python
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-12-11 23:12:27 +0000 UTC

如何在 <code> html js 中实现高亮显示?

  • 1

例如我们在stackoverflow上如何制作这样的亮点?

javascript
  • 1 个回答
  • 10 Views
Martin Hope
USERNAME GOES HERE
Asked: 2020-12-08 20:58:25 +0000 UTC

如何在 Django 中设置模型的 css?

  • -2

模型.py:

...
class Post(models.Model):
    title = models.CharField(max_length=250)
    author = models.ForeignKey(
        'auth.User',
        on_delete=models.CASCADE,
    )
    body = models.TextField()
    tags = models.CharField(max_length=50, default = " ")


    def __str__(self):
        return self.title
...

模板/newpost.html:

{% extends 'base.html' %}

{% block content %}
    <h1>New post</h1>
    <form action="" method="post">{% csrf_token %}
      {{ form.as_p }}
      <input type="submit" value="Save" />
    </form>
{% endblock content %}

视图.py:

...
class BlogCreateView(CreateView):
    model = Post
    template_name = 'post_new.html'
    fields = ['title', 'author', 'body', 'tags']
...

在此处输入图像描述

看起来很可怕。如何设置风格?

html
  • 2 个回答
  • 10 Views

Sidebar

Stats

  • 问题 10021
  • Answers 30001
  • 最佳答案 8000
  • 用户 6900
  • 常问
  • 回答
  • Marko Smith

    我看不懂措辞

    • 1 个回答
  • Marko Smith

    请求的模块“del”不提供名为“default”的导出

    • 3 个回答
  • Marko Smith

    "!+tab" 在 HTML 的 vs 代码中不起作用

    • 5 个回答
  • Marko Smith

    我正在尝试解决“猜词”的问题。Python

    • 2 个回答
  • Marko Smith

    可以使用哪些命令将当前指针移动到指定的提交而不更改工作目录中的文件?

    • 1 个回答
  • Marko Smith

    Python解析野莓

    • 1 个回答
  • Marko Smith

    问题:“警告:检查最新版本的 pip 时出错。”

    • 2 个回答
  • Marko Smith

    帮助编写一个用值填充变量的循环。解决这个问题

    • 2 个回答
  • Marko Smith

    尽管依赖数组为空,但在渲染上调用了 2 次 useEffect

    • 2 个回答
  • Marko Smith

    数据不通过 Telegram.WebApp.sendData 发送

    • 1 个回答
  • Martin Hope
    Alexandr_TT 2020年新年大赛! 2020-12-20 18:20:21 +0000 UTC
  • Martin Hope
    Alexandr_TT 圣诞树动画 2020-12-23 00:38:08 +0000 UTC
  • Martin Hope
    Air 究竟是什么标识了网站访问者? 2020-11-03 15:49:20 +0000 UTC
  • Martin Hope
    Qwertiy 号码显示 9223372036854775807 2020-07-11 18:16:49 +0000 UTC
  • Martin Hope
    user216109 如何为黑客设下陷阱,或充分击退攻击? 2020-05-10 02:22:52 +0000 UTC
  • Martin Hope
    Qwertiy 并变成3个无穷大 2020-11-06 07:15:57 +0000 UTC
  • Martin Hope
    koks_rs 什么是样板代码? 2020-10-27 15:43:19 +0000 UTC
  • Martin Hope
    Sirop4ik 向 git 提交发布的正确方法是什么? 2020-10-05 00:02:00 +0000 UTC
  • Martin Hope
    faoxis 为什么在这么多示例中函数都称为 foo? 2020-08-15 04:42:49 +0000 UTC
  • Martin Hope
    Pavel Mayorov 如何从事件或回调函数中返回值?或者至少等他们完成。 2020-08-11 16:49:28 +0000 UTC

热门标签

javascript python java php c# c++ html android jquery mysql

Explore

  • 主页
  • 问题
    • 热门问题
    • 最新问题
  • 标签
  • 帮助

Footer

RError.com

关于我们

  • 关于我们
  • 联系我们

Legal Stuff

  • Privacy Policy

帮助

© 2023 RError.com All Rights Reserve   沪ICP备12040472号-5