Use this space for questions related to what you're learning. For any other type of support (website, learning platform, payments, etc...) please get in touch using the contact form.
Different solution to stopping the tween instead of disabling the buttonrobert_copHi, this seems like a good place to put the solution I came up with, I think I came up with it in the lesson where the text tweening was first introduced. I wanted the button to have a certain behavior, where if you click it while the text is still appearing, it will set the text to fully visible instead of advancing to the next line. This is what I came up with:
```gdscript
func advance_dialogue() -> void:
if dialogue_label.visible_ratio < 1.0:
dialogue_label.visible_ratio = 1.0
dialogue_tween.kill()
audio_stream_player.stop()
else:
current_item_index += 1
if current_item_index >= dialogue_items.size():
current_item_index = 0
slide_in()
show_text()
```
```gdscript
func previous_dialogue() -> void:
if dialogue_label.visible_ratio < 1.0:
dialogue_label.visible_ratio = 1.0
dialogue_tween.kill()
audio_stream_player.stop()
else:
current_item_index -= 1
if current_item_index < 0:
current_item_index = dialogue_items.size() - 1
slide_in()
show_text()
```
As you can see, instead of checking if there is a tween, it checks if the visible_ratio on the label's text is less than 1.0 (so it checks if the text is still appearing), if this condition is true, it sets the visible_ratio to 1.0, kills the tween, and stops the sound. Else, if the text is already fully visible, it advances to the next line.
If anyone was trying to implement something similar, feel free to take notes, I'm pretty happy with how it came out.38Jul. 31, 2024
Shortcut interferenceold-fashioned-jackalI noticed some issues when combining shortcuts with the other forms of input. If my "next" button is in an active state, such as after clicking it, then pressing space or enter will press the button as per the shortcut, then press it again when released. In effect, this means pressing the key skips over a line of dialogue. (Likewise, if my "previous" button for rewinding the dialogue is active, then the result is getting stuck on the same line of dialogue.)
It feels like shortcuts are not meant to be used in combination with the usual methods of pressing a button by keyboard or mouse. Should we be disabling other input methods when using shortcuts, or is there a way to make them play nicely together?
I also noticed when hovering the cursor on the "next" button, a tooltip pops up saying (Enter(Physical)). This could be useful information, but it looks a bit cluttered/unpolished for a final product (extra parentheses, and the "physical" bit might be confusing or unnecessary to the end user) and it is incomplete (I have three inputs mapped to this action, but only the first is shown). Is there any way to modify this?94May. 20, 2024
Problem with "Can't I stop the tweens instead of disabling the button?"pikminfan71I didn't understand how to do it, the tween is already inside a variable isn't it?
I'd love some help with this, thanks in advance!
23Jun. 01, 2024
"Tooltip" when hover buttonsilver-foxI see a "Tooltyp" (KP Enter(Physical)) when hover the button. How do you disable it? and it is custumizable?11Nov. 12, 2024
Two tween signal connectionsliuti_devWhen I tried to add the button disabled code inside the tween finished signal (line 95 *but turned to a lambda function* like at line 102) the button worked as intended but the sound wouldn't stop. It only works separating into two functions. Why does it happen?41Jun. 13, 2024
My solutionsarjunJust so you guys know, the following code includes one of the challenges from previous lessons about making different characters having different sounds. I added a "name" section to the dictionaries in the dialogue_items array to do this. You can ignore that though.
Thank you for the inspiration @robert_cop if you ever see this! I made it so, like in a lot of popular video games, when you try to press next while the dialogue is playing, it will automatically skip the animation and give you the full text immediately and cancel the talking audio too. Then, the next button will only take you to the next dialogue when you are able to see the entire current dialogue, not when it is in the middle of the animation. Sorry if it doesn't make sense, my code will probably do a better job explaining.
I also made it so rather than closing the window when pressing the next button at the final dialogue, the next button just disappears so you can't press it.
And for the creators of this course, I would greatly appreciate any feedback! I do have a question for you guys though: I used the process function (the only function I know that runs frequently on its own) to be very strict about when the next button disappears. Is there a more efficient way to do this, especially by avoiding the process function?
```gdscript
var current_item_index := 0
var playing_tween = null
func show_text() -> void:
var current_item := dialogue_items[current_item_index]
rich_text_label.text = current_item["text"]
expression.texture = current_item["expression"]
body.texture = current_item["character"]
rich_text_label.visible_ratio = 0.0
#if playing_tween != null:
#playing_tween.kill()
#audio_stream_player.stop()
#audio_stream_player_2.stop()
var tween := create_tween()
playing_tween = tween
var text_appearing_duration: float = current_item["text"].length() / 30.0
tween.tween_property(rich_text_label, "visible_ratio", 1.0, text_appearing_duration)
if current_item["name"] == "sophia":
var sound_max_length := audio_stream_player.stream.get_length() - text_appearing_duration
var sound_start_position := randf() * sound_max_length
audio_stream_player.play(sound_start_position)
tween.finished.connect(audio_stream_player.stop)
else:
var sound_max_length := audio_stream_player_2.stream.get_length() - text_appearing_duration
var sound_start_position := randf() * sound_max_length
audio_stream_player_2.play(sound_start_position)
tween.finished.connect(audio_stream_player_2.stop)
#next_button.disabled = true
#tween.finished.connect(func() -> void:
#next_button.disabled = false
#)
slide_in()
func advance() -> void:
if rich_text_label.visible_ratio < 1.0:
rich_text_label.visible_ratio = 1.0
playing_tween.kill()
audio_stream_player.stop()
audio_stream_player_2.stop()
else:
current_item_index += 1
#print(current_item_index)
#print(dialogue_items.size())
show_text()
func _process(delta):
if rich_text_label.visible_ratio == 1.0:
if current_item_index+1 == dialogue_items.size():
next_button.visible = false
```10Mar. 08, 2025
Tween management with rewind and next buttonsyellow-anteaterI kept using the previous button that was added as extra challenge before
I liked keeping the buttons disabled as text comes in, reminds me of how Ace Attorney handles text.
I disable previous if the index is at 0 and if the index is at max I change the Next button text to restart
Before the practice I was handling button settings in the advance/backtrack(rewind) functions
When I moved it to the lambda in the tween finished connection now the text doesnt change until all text animation is done. I kept it like that because It reminds me that the dialog is in mid restart. Once the dialog animation ends it shows next again.
```gdscript
extends Control
@onready var rich_text_label: RichTextLabel = %RichTextLabel
@onready var next_button: Button = %NextButton
@onready var previous_button: Button = %PreviousButton
@onready var audio_stream_player: AudioStreamPlayer = %AudioStreamPlayer
@onready var body: TextureRect = %Body
@onready var expression: TextureRect = %Expression
var expressions := {
"happy": preload ("res://assets/emotion_happy.png"),
"regular": preload ("res://assets/emotion_regular.png"),
"sad": preload ("res://assets/emotion_sad.png"),
"angry": preload("res://assets/emotion_angry.png"),
}
var bodies := {
'sophia' : preload("res://assets/sophia.png"),
'pink' : preload("res://assets/pink.png")
}
var audio_dialogs := {
'sophia' : preload("res://assets/talking_synth.ogg"),
'pink' : preload("res://assets/talking_synth_alternate.ogg")
}
var dialogue_items : Array[Dictionary]= [
{'expression':expressions['happy'],'character':bodies['sophia'] , 'audio':audio_dialogs['sophia'],
'text': "Hello Pink"},
{'expression':expressions['regular'],'character':bodies['pink'] ,'audio':audio_dialogs['pink'],
'text': "Hi Sophia..."},
{'expression':expressions['regular'],'character':bodies['sophia'] ,'audio':audio_dialogs['sophia'],
'text': "Are you ready for the carnival?"},
{'expression':expressions['happy'],'character':bodies['sophia'] ,'audio':audio_dialogs['sophia'],
'text': "There is going to be lots of games"},
{'expression':expressions['regular'],'character':bodies['pink'] ,'audio':audio_dialogs['pink'],
'text': "I am not going"},
{'expression':expressions['sad'],'character':bodies['sophia'] ,'audio':audio_dialogs['sophia'],
'text': "Oh no. Why?..."},
{'expression':expressions['sad'],'character':bodies['pink'] ,'audio':audio_dialogs['pink'],
'text': " My brother took all my money.."},
{'expression':expressions['angry'],'character':bodies['sophia'] ,'audio':audio_dialogs['sophia'],
'text': "Oh, that's it. Im going to give him a lesson"},
]
var current_item_index := 0
# Called when the node enters the scene tree for the first time.
func _ready() -> void:
show_text()
next_button.pressed.connect(advance) # Replace with function body.
func show_text() -> void:
#GET Current Item
var current_item := dialogue_items[current_item_index]
#set visible ratio for display text
rich_text_label.visible_ratio=0
#set text
rich_text_label.text = current_item['text']
#set character
body.texture=current_item['character']
#set expression
expression.texture = current_item['expression']
#disable buttons while tween animation
next_button.disabled=true
previous_button.disabled=true
#calculate text duration I divide the lenght divided by (the lenght divided by 1.05) to get variable speed according to text lenght
var text_appearing_duration = (current_item['text'].length()/(current_item['text'].length()/1.05))
#create tween
var tween = create_tween()
tween.tween_property(rich_text_label,"visible_ratio",1,text_appearing_duration)
#set up audio dialog duration and position
audio_stream_player.stream = current_item['audio']
var sound_max_length = audio_stream_player.stream.get_length() - text_appearing_duration
var sound_start_position = randf() * sound_max_length
audio_stream_player.play(sound_start_position)
#when animation finished stop audio and set buttons text and disable mode according to index position
tween.finished.connect(func() -> void:
audio_stream_player.stop()
#next button always is selectable at end of animation
next_button.disabled=false
#set text to Next by default
next_button.text='Next'
#if max index then change text to restart
if current_item_index == dialogue_items.size()-1:
next_button.text='Restart'
#if not in the first index then keep previous button disabled
if current_item_index !=0:
previous_button.disabled=false
)
slide_in()
func advance() -> void:
#advance index
current_item_index +=1
#if max index then return to start index
if current_item_index == dialogue_items.size():
current_item_index = 0
show_text()
func backtrack() -> void:
#lower index by 1
current_item_index -=1
show_text()
func _on_previous_button_pressed() -> void:
backtrack() # Replace with function body.
func slide_in() -> void:
var tween = create_tween()
tween.set_trans(Tween.TRANS_QUART)
tween.set_ease(Tween.EASE_OUT)
body.position.x = 200.0
tween.tween_property(body, "position:x", 0.0, 0.3)
body.modulate.a = 0.0
tween.parallel().tween_property(body, "modulate:a", 1.0, 0.2)
```
10Mar. 05, 2025
Extra Challenge to skip the tweens when next or previous buttons are pressedquarterly-snakeI decided to try and code functionality for skipping the tweens instead of disabling the button during the tweens. the goal was so that if you pressed one of the buttons once it skipped the tweens (text and slide) and audio displaying all the text instantly, then the next button press would change the dialogue and play as normal.
This is how I achieved it and it seems to be working without issue:
First I created Variables for the tweens outside of their original functions at the top of the script:
```gdscript
var text_tween : Tween
var slide_tween : Tween
```
Then I replaced all the tween functions to use the new tween variables e.g:
*OLD:*
```gdscript
var tween : Tween = create_tween()
tween.tween_property(rich_text_label, "visible_ratio", 1.0, text_appearing_duration)
```
*NEW:*
```gdscript
text_tween = create_tween()
text_tween.tween_property(rich_text_label, "visible_ratio", 1.0, text_appearing_duration)
```
Then I edited the advance() and previous() functions to include a IF statement to check if the two tweens are still running and if they are the code pauses (.pause() function) then skips past the end of the tweens using the .custom_step() function along with stoping the audio using the .stop() function. If the IF statement is true then thats all the button (_advance() / _previous()) does that go around only following another button press or if the IF statement is false will it progress to the next line of dialogue. This allows the user to skip the animation but not the dialogue itself so they can read it quicker if they wish.
```gdscript
func _advance() -> void: # Works exactly the same on _previous() function
if text_tween.is_running() or slide_tween.is_running():
text_tween.pause()
slide_tween.pause()
audio_stream_player.stop()
text_tween.custom_step(100)
slide_tween.custom_step(100)
else:
#... Rest of the button functionality
```
I believe this kinda solution kills 2 birds with one stone, first it allows the user to skip dialogue animation and second it ensures that the tweens never (or atleast shouldn't) break and appear incorrectly. I imagine there may be better methods to achieve this but from what I've learned so far in this course this is the solution I found.10Feb. 11, 2025
Stopping tween solutionstrayHello I wanted to know if my solution was.... accurate? It seemed way too simple/easy but I mean, it works? Is there a problem to doing it this way?
```gdscript
var current_item_index := 0
var tween
func _ready() -> void:
show_text()
next_button.pressed.connect(advance)
back_button.pressed.connect(previous)
func slide_in():
var tween := create_tween()
tween.set_trans(Tween.TRANS_QUART)
tween.set_ease(Tween.EASE_OUT)
body.position.x = 200.0
tween.tween_property(body, "position:x", 0.0, 0.3)
body.modulate.a = 0.0
tween.parallel().tween_property(body, "modulate:a", 1.0, 0.2)
body.scale.x = 0.0
tween.parallel().tween_property(body, "scale:x", 1.0, 0.3)
func show_text():
var current_item := dialogue_items[current_item_index]
rich_text_label.visible_ratio = 0
rich_text_label.text = current_item["text"]
expression.texture = current_item["expression"]
body.texture = current_item["character"]
audio_stream_player.stream = current_item["voice"]
if tween != null:
tween.kill()
tween = create_tween()
var text_appearing_duration: float = current_item["text"].length() / 30.0
tween.tween_property(rich_text_label, "visible_ratio", 1.0, text_appearing_duration)
var speaker := body.texture
var sound_max_length := audio_stream_player.stream.get_length() - text_appearing_duration
var sound_start_position := randf() * sound_max_length
audio_stream_player.play(sound_start_position)
tween.finished.connect(audio_stream_player.stop)
slide_in()
```10Feb. 11, 2025
Stopping Tweens and Sounds (Solution)PimpyShorstockingHi all!
I have been working along with these lessons while also adding a bit of my own stuff while I ask questions to myself and look for the answers. It's not too very different but I wanted to show my work!
```gdscript
extends Control
@onready var rich_text_label: RichTextLabel = %RichTextLabel
@onready var next_button: Button = %NextButton
@onready var previous_button: Button = %PreviousButton
@onready var audio_stream_player: AudioStreamPlayer = %AudioStreamPlayer
@onready var body: TextureRect = %Body
@onready var face_expression: TextureRect = %FaceExpression
var character_animation := create_tween()
var new_dialogue := create_tween()
var text_appearing_duration: float
var current_item_index: int = 0
var audio_streams := {
"sophia_sound": preload("res://assets/pimpy_fox.ogg"),
"pink_sound": preload("res://assets/pimpy_wisdom.ogg")
}
var bodies := {
"sophia": preload("res://assets/sophia.png"),
"pink": preload("res://assets/pink.png")
}
var expressions := {
"happy": preload("res://assets/emotion_happy.png"),
"sad": preload("res://assets/emotion_sad.png"),
"regular": preload("res://assets/emotion_regular.png")
}
var dialogue_items: Array[Dictionary] = [
{
"text": "There once was a man from Peru",
"expression": expressions["regular"],
"character": bodies["pink"]
},
{
"text": "Who dreamed he lived in a shoe",
"expression": expressions["happy"],
"character": bodies["pink"]
},
{
"text": "He woke with a fright",
"expression": expressions["sad"],
"character": bodies["sophia"]
},
{
"text": "In the middle of the night",
"expression": expressions["regular"],
"character": bodies["pink"]
},
{
"text": "To find that his dream had come true",
"expression": expressions["sad"],
"character": bodies["sophia"]
}
]
func _ready() -> void:
show_text()
next_button.pressed.connect(advance_text)
previous_button.pressed.connect(go_back)
func show_text() -> void:
rich_text_label.visible_ratio = 0.0
var current_item := dialogue_items[current_item_index]
text_appearing_duration = current_item["text"].length() / 30.0
body.texture = current_item["character"]
rich_text_label.text = current_item["text"]
face_expression.texture = current_item["expression"]
# Will disable buttons while dialogue is happening, currently commented because of choices
# next_button.disabled = true
# previous_button.disabled = true
# Stops any current new_dialogue animation tween and creates a new one in case player is skipping dialogue.
# This prevents some issue with text appearing duration
if is_instance_valid(new_dialogue):
new_dialogue.stop()
new_dialogue = create_tween()
# Stops audio stream if it is still playing upon next dialogue
if is_instance_valid(audio_stream_player):
audio_stream_player.stop()
new_dialogue.tween_property(%RichTextLabel, "visible_ratio", 1.0, text_appearing_duration)
new_dialogue.finished.connect(func() -> void:
# next_button.disabled = false
# previous_button.disabled = false
)
# Determines which audio should play for which character, there is likely a more elegant to way to handle this
if body.texture == bodies["sophia"]:
audio_stream_player.stream = audio_streams["sophia_sound"]
else:
audio_stream_player.stream = audio_streams["pink_sound"]
slide_in()
play_audio(audio_stream_player, new_dialogue)
func advance_text() -> void:
if current_item_index == dialogue_items.size() - 1:
get_tree().quit()
else:
current_item_index += 1
show_text()
func go_back() -> void:
if current_item_index == 0:
show_text()
else:
current_item_index -= 1
show_text()
func play_audio(audioplayer: AudioStreamPlayer, voice: Tween) -> void:
var max_length = audioplayer.stream.get_length() - text_appearing_duration
var start_sound_position = randf() * max_length
audioplayer.play(start_sound_position)
voice.finished.connect(audioplayer.stop)
func slide_in() -> void:
# Checks for any existing character_animation tween and stops it before moving on to animate the new character body
if is_instance_valid(character_animation):
character_animation.stop()
character_animation = create_tween()
character_animation.set_trans(Tween.TRANS_QUART)
character_animation.set_ease(Tween.EASE_OUT)
body.position.x = 900
character_animation.tween_property(body, "position:x", 1152, 2.0)
body.modulate.a = 0.0
character_animation.parallel().tween_property(body, "modulate:a", 1.0, 2.0)
```
A few key differences if I remember correctly
```gdscript
# Stops any current new_dialogue animation tween and creates a new one in case player is skipping dialogue.
# This prevents some issue with text appearing duration
if is_instance_valid(new_dialogue):
new_dialogue.stop()
new_dialogue = create_tween()
# Stops audio stream if it is still playing upon next dialogue
if is_instance_valid(audio_stream_player):
audio_stream_player.stop()
```
I learned about using `is_instance_valid()` to check and see if there are any currently running instances of the object, and being able to act upon them as needed. In this case I wanted to stop audio and dialogue from playing if the player hits next or previous to go to what should be a new scene.
I did implement the disable feature in this lesson, but I didn't like it. This is a personal preference, the lesson was fine and is useful for other situations. So I commented it out and allow the player to skip dialogue, which made me chase down this path of stopping the instances of audio/dialogue when a new one should play.
```gdscript
if body.texture == bodies["sophia"]:
audio_stream_player.stream = audio_streams["sophia_sound"]
else:
audio_stream_player.stream = audio_streams["pink_sound"]
```
I used one audio stream player to play two sounds just by assigning the sound based off the body.
I think those are the main differences, but would love to chat about other ways these could be handled!20Jan. 24, 2025
Shortcut still works even If I remove itmilk_manI was experimenting around and noticed, if I delete the input shortcut and also delete the advance_text input map, the text still advances to the next line. Only difference is, I have to click the button once with a mouse, otherwise "Space" and "Enter" won't work. I used the pressed signal when connecting the button, I reloaded the whole scene and yet still it works and I don't understand why. Is it because of the build-in "ui_accept" action?10Jan. 03, 2025
Input String TyposMr-Edin order to avoid typos you can actually go to the Input Map and click the name of the input, then just ctrl+c the text and ctrl+v where you need it.
10Dec. 12, 2024
Shortcuts only work when the button was already clickedJohnyWuijtsNLIf I press enter or space, the button gets highlighted for a second, but nothing happens. If I click the button, making the purple outline appear around it, then pressing enter or space advances the dialogue as expected. I also made a back button and added a shortcut to that, but that one doesn't work at all, not even after clicking it.50Nov. 30, 2024
Speed up instead of disabling the buttonma9nificoInspired by @robert_cop's nice solution to have the text appear immediately instead of disabling the button, I wanted to have the animation speed up instead. This was a fun mini-challenge as it involved looking up both how to speed up a running tween (if it was at all possible) and the sound. Here is my solution.
First, at the top of the file I defined two new variables:
```gdscript
var speedup_scale := 3.0
var tween: Tween
```
In `show_text()`, I removed the line that disabled the button, and updated the code that handles the tween to now read like this:
```gdscript
func show_text() -> void:
# ... everything else but the tween ...
tween = create_tween()
tween.tween_property(rich_text_label, "visible_ratio", 1.0, text_appearing_duration)
tween.finished.connect(func() -> void:
audio_stream_player.stop()
# The pitch scale must be reset, else the next play would also be sped up
audio_stream_player.pitch_scale = 1.0
next_button.disabled = false
)
```
In `advance()`, check if the tween is still running, which means that the click on the button is done while the animation is still running, to call our new function to speed things up.
```gdscript
func advance() -> void:
if tween.is_running():
speedup()
return
# ... rest of the function as it was ...
```
And finally, here is the new function to do the speedup. Note the `speedup_scale` variable defined in the top of the file used here, which I've set to 3.0 for a 3-time speedup.
```gdscript
func speedup() -> void:
tween.set_speed_scale(speedup_scale)
audio_stream_player.pitch_scale = speedup_scale
# Disallow any additonal speedup
next_button.disabled = true
```
If you wonder "what about the slide-in animation?", you are indeed correct that I don't do anything about that. Since I have set the slide-in to animate so quickly, even a 3x speedup to the text haven't caused that animation to complete before the slide-in, so I've left that be as-is.
I hope someone finds this useful! š 10Nov. 30, 2024
Connecting two times the same signalPurpleSunriseHello,
I was just curious to know more about connecting two times the same signals. Is it better to do everything with a lambda as argument of one signal or have two same signals?
Also in this case, the tween emits the same signal twice right? The first signal stops the audio and the second one re-enable the button?
Could you just write:
```gdscript
tween.finished.connect(func() -> void:
audio_stream_player.stream.stop
next_button.disabled = false
)
```
Just curious to know if it's going to affect performance or which one is the "best practice"?
Thank you!20Nov. 05, 2024
Question about tween.kill()milk_manI followed the steps under "Can't I stop the tweens instead of disabling the buttons?". But when I run the scene, no text appears and the audio_stream_player plays until the end.
I just wrote the following line of code:
```gdscript
if tween != null:
tween.kill()
```
and put it at the end of the show_text() function. I don't undertstand how I'm supposed to store the previous tween in to a variable. 30Oct. 21, 2024
Enabling dialogue in the gameram876At this stage, I have a question, but how to include a dialog system in the game? For example, a character approaches an npc, presses the dialogue button, a dialog box opens on top of the game (we do not move to a new scene, namely, the dialogue is drawn from above the game world), we speak, receive information and a task, end the dialogue, the dialog window closes.20Oct. 20, 2024
Button pop-up windowram876When you hover over the button, a pop-up window with the name appears. How to remove it?
[https://screenshare.ru/s/96oBSepAAjFbVoH3kaLBn](https://screenshare.ru/s/96oBSepAAjFbVoH3kaLBn)20Oct. 20, 2024
Using Signals to stop the Tween when Next Button Pressed for the Mini ChallengeiguessfiveEarlier in this module, in the comment section I found a great and simple solution to stopping the text when the next button is pressed. I didn't see it here, so for anyone interested I wrote it below.
If anyone wants to try to figure out how to use signals to stop the Tween from playing when the next button is pressed then wait to look below.
```gdscript
signal new_text
func show_text():
# ...
new_text.emit()
new_text.connect(tween.stop)
```10Sep. 01, 2024
What is the difference between using InputEventKey and InputEventAction? Lucas PscheidtWould it work in the same way?10Aug. 27, 2024
Stopping the tweensTJHi! In the info-box about stopping the previous tween, it says:
"If the tween is still present, it means text was still appearing when the player advanced the dialogue."
I think the tween object can still be there even when it has finished playing. I did some experiment by putting a breakpoint on just the following condition that is recommended by this info-box:
```gdscript
if tween != null:
tween.kill() # breakpoint here
```
Here, `tween` was first converted to an attribute in the script, moved to the script-scope so it persists between calls to `show_text()`.
During debugging, GDScript does break here even after I waited long enough for the current text to have fully appeared and the sound to have stopped. I learn from this that GDScript does not set the attribute `tween` to `null` after the tween has finished. So what remains after a tween has finished is an actual object in memory but it's no longer actively tweening anything.
From this experiment, I would propose to use the following condition to guard usage of the `kill()` function:
```gdscript
if tween != null and tween.is_running():
tween.kill()
```
What do you think?20Aug. 16, 2024
Function slide_in =/= animateSophiaSliding lessonHazlarJust to point out that the reference code for the slide_in function is not written quite the same way as the one covered in the lesson [https://school.gdquest.com/courses/learn_2d_gamedev_godot_4/telling_a_story/animate_sophia_sliding_in#recap](https://school.gdquest.com/courses/learn_2d_gamedev_godot_4/telling_a_story/animate_sophia_sliding_in#recap) 30Aug. 15, 2024
Shortcut button problemAphexI put spacebar and left mouse button on the advance_text input map, when the game is running only the spacebar works.10Jul. 30, 2024
Button VisibilityfledgerI was just curious if you there is any benefit to using disabled instead of visible in this scenario.
Would visible just be better for "game juice"? 70Jun. 03, 2024
Issue with the pressed theme while using keyboardEddyAs the title say, when I use the spacebar of my keyboard as a shortcut, my next_button does not animate properly. The animation when I use the spacebar is like my "disable_button" (black backgroud and grey letters.). Nevertheless when I check in my main_theme file and when I use the Left-clik of the mouse, it works properly. I tried to find a solution in the Inspector and the main_theme panel but can not find a clue.
Is it a display issue or something else I don't undersant? Otherwise it works like a charm. 60May. 26, 2024
Lesson Q&A
Use this space for questions related to what you're learning. For any other type of support (website, learning platform, payments, etc...) please get in touch using the contact form.