将字符串中的单个单词加粗

Make a Single Word Within a String Bold

给出以下代码(来自这个答案:How to display text in pygame?):

pygame.font.init() # you have to call this at the start, 
                   # if you want to use this module.
my_font = pygame.font.SysFont('Comic Sans MS', 30)
text_surface = my_font.render('Some Text', False, (0, 0, 0))

是否可以在保持单词 'Some ' 正常的同时将单词 'Text' 设为粗体?

(没有多次渲染)

不,这是不可能的。您必须使用字体的“粗体”版本。 “粗体”不是标志或属性,它只是一种不同的字体。所以你需要用一种字体渲染单词“Text”,用另一种字体渲染单词“Some”。
您可以使用 pygame.font.match_font() 查找特定字体文件的路径。

最小示例:

import pygame

pygame.init()
window = pygame.display.set_mode((400, 200))
clock = pygame.time.Clock()

courer_regular = pygame.font.match_font("Courier", bold = False)
courer_bold = pygame.font.match_font("Courier", bold = True)

font = pygame.font.Font(courer_regular, 50)
font_b = pygame.font.Font(courer_bold, 50)
text1 = font.render("Some ", True, (255, 255, 255))
text2 = font_b.render("Text", True, (255, 255, 255))

run = True
while run:
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            run = False 

    window.fill(0)
    window.blit(text1, (50, 75))
    window.blit(text2, (50 + text1.get_width(), 75))
    pygame.display.flip()
    clock.tick(60)

pygame.quit()
exit()

使用 pygame.freetype 模型,可以使用 STYLE_DEFAULTSTYLE_STRONG 等不同样式呈现文本。但是,文本一次只能用一种样式呈现。所以你还是要分别渲染每个词:

import pygame
import pygame.freetype

pygame.init()
window = pygame.display.set_mode((400, 200))
clock = pygame.time.Clock()

ft_font = pygame.freetype.SysFont('Courier', 50)
text1, rect1 = ft_font.render("Some ", 
    fgcolor = (255, 255, 255), style = pygame.freetype.STYLE_DEFAULT)
text2, rect2 = ft_font.render("Text", 
    fgcolor = (255, 255, 255), style = pygame.freetype.STYLE_STRONG)

run = True
while run:
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            run = False 

    window.fill(0)
    window.blit(text1, (50, 75))
    window.blit(text2, (50 + rect1.width, 75))
    pygame.display.flip()
    clock.tick(60)

pygame.quit()
exit()

另见 Text and font