2019-02-08 13:10:55 +03:00
|
|
|
// Copyright © 2018 Inanc Gumus
|
|
|
|
// Learn Go Programming Course
|
|
|
|
// License: https://creativecommons.org/licenses/by-nc-sa/4.0/
|
|
|
|
//
|
2019-10-30 19:34:44 +03:00
|
|
|
// For more tutorials : https://learngoprogramming.com
|
|
|
|
// In-person training : https://www.linkedin.com/in/inancgumus/
|
|
|
|
// Follow me on twitter: https://twitter.com/inancgumus
|
2019-02-08 13:10:55 +03:00
|
|
|
|
|
|
|
package main
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
)
|
|
|
|
|
|
|
|
// ---------------------------------------------------------
|
|
|
|
// EXERCISE: Fix the backing array problem
|
|
|
|
//
|
2019-08-18 15:32:48 +03:00
|
|
|
// Ensure that changing the elements of the `mine` slice
|
|
|
|
// does not change the elements of the `nums` slice.
|
2019-02-08 13:10:55 +03:00
|
|
|
//
|
|
|
|
//
|
2019-08-18 15:32:48 +03:00
|
|
|
// CURRENT OUTPUT (INCORRECT)
|
2019-02-08 13:10:55 +03:00
|
|
|
//
|
2019-08-18 15:32:48 +03:00
|
|
|
// Mine : [-50 -100 -150 25 30 50]
|
|
|
|
// Original nums: [-50 -100 -150]
|
2019-02-08 13:10:55 +03:00
|
|
|
//
|
|
|
|
//
|
|
|
|
// EXPECTED OUTPUT
|
|
|
|
//
|
|
|
|
// Mine : [-50 -100 -150]
|
|
|
|
// Original nums: [56 89 15]
|
|
|
|
//
|
|
|
|
// ---------------------------------------------------------
|
|
|
|
|
|
|
|
func main() {
|
2019-08-18 15:32:48 +03:00
|
|
|
// DON'T TOUCH THE FOLLOWING CODE
|
|
|
|
nums := []int{56, 89, 15, 25, 30, 50}
|
2019-02-08 13:10:55 +03:00
|
|
|
|
|
|
|
// ----------------------------------------
|
2019-08-18 15:32:48 +03:00
|
|
|
// ONLY ADD YOUR CODE HERE
|
2019-02-08 13:10:55 +03:00
|
|
|
//
|
2019-08-18 15:32:48 +03:00
|
|
|
// Ensure that nums slice never changes even though
|
|
|
|
// the mine slice changes.
|
2019-02-08 13:10:55 +03:00
|
|
|
mine := nums
|
|
|
|
// ----------------------------------------
|
|
|
|
|
2019-08-18 15:32:48 +03:00
|
|
|
// DON'T TOUCH THE FOLLOWING CODE
|
|
|
|
//
|
|
|
|
// This code changes the elements of the nums
|
|
|
|
// slice.
|
|
|
|
//
|
2019-02-08 13:10:55 +03:00
|
|
|
mine[0], mine[1], mine[2] = -50, -100, -150
|
2019-08-18 15:32:48 +03:00
|
|
|
|
2021-05-01 13:21:56 +03:00
|
|
|
fmt.Println("Mine :", mine)
|
2019-02-08 13:10:55 +03:00
|
|
|
fmt.Println("Original nums:", nums[:3])
|
|
|
|
}
|