У вас хорошее начало.Чтобы заменить элемент в списке, вы обычно можете использовать lreplace
, а для этого конкретного случая также lset
.Обе функции нуждаются в индексе заменяемого элемента, и поэтому я рекомендовал бы использовать цикл for
вместо foreach
:
set names [split "1-adam 2-john 3-mark" " "]
puts "Enter the serial no:"
set serial [gets stdin]
puts "Enter new name:" ;# Might want to add something like this for the new name
set new_name [gets stdin]
set needle $serial- ;# You do not really need to escape the dash
for {set i 0} {$i < [llength $names]} {incr i} {
set name [lindex $names $i]
if {[string match $needle* $name]} {
set names [lreplace $names $i $i $needle$new_name]
}
}
puts $names
# 1-adam 2-john 3-jane
Использование lset
будет:
lset names $i $needle$new_name
Другой способ сделать это - найти индекс элемента, который нужно изменить, с помощью lsearch
, в этом случае вам не понадобится цикл:
set names [split "1-adam 2-john 3-mark" " "]
puts "Enter the serial no:"
set serial [gets stdin]
puts "Enter new name:"
set new_name [gets stdin]
set needle $serial-
set index [lsearch $names $needle*]
if {$index > -1} {
lset names $index $needle$new_name
} else {
puts "No such serial in the list!"
}
puts $names
# 1-adam 2-john 3-jane