How to connect power bar (Slider) with values from another game object (button)

I have a button that causes a bow to fire an arrow, and when held down increases the speed of the projectile. I’ve also created a power bar that is meant to fill up as you charge your shots. I’m pretty new at this so all my attempts to connect the data from pressing the button to the power bar have failed, any advice would be great.

Here are the scripts from both button and power bar:

Power bar:

using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;

public class PowerBarScript : MonoBehaviour
{
    
    public Slider slider;

    public void SetPower(int projectileSpeed)
    {
        slider.value = projectileSpeed;
    }



}

Button:

using System.Collections;
using System.Collections.Generic;
using System.Threading;
using UnityEngine;

public class ButtonScript : MonoBehaviour
{
    [SerializeField] Transform transformToSpawnArrowAt;
    [SerializeField] GameObject arrowPrefab;
    [SerializeField] public float projectileSpeed = 3f;
    public float maxProjectileSpeed = 15f;
    bool buttonHeldDown;
    public float chargeSpeed = 13;

    public GameObject arrow;


    // Update is called once per frame
    void Update()
    {
        if(buttonHeldDown && projectileSpeed <= maxProjectileSpeed)
        {
            projectileSpeed += Time.deltaTime * chargeSpeed;
        }
    }
    public void HoldButton()
    {
        buttonHeldDown = true;
    }
    public void ReleaseButton()
    {
        GameObject arrow = Instantiate(arrowPrefab, 
        transformToSpawnArrowAt.position, Quaternion.Euler(new Vector3(0, 
        0, 90))) as GameObject;
        arrow.GetComponent<Rigidbody2D>().velocity = new Vector2(0, 
        projectileSpeed);


        buttonHeldDown = false;
        projectileSpeed = 1;
    }
}

Thank you for your time

Well since you already have a public float containing the projectile speed, you could set the slider value to the projectile speed from the other script. However, slider values can only range from 0 to 1 unless you increase the max range (which i wouldnt recommend as i think it also increases the length of the slider). So you could set the slider value to projectileSpeed / 15 as thats your max projectile speed. For example, in your slider script:

    public ButtonScript buttonScript;

    public Slider ProjectileSlider;

    private void Update()
    {
        ProjectileSlider.value = buttonScript.projectileSpeed / 15;
    }

@TareqRajab