How are vector3s instantiated?

I can’t find any relevant information specifically detailing the default parameters of a new’d up vector3.

public class MyObject
{
    var vec = new Vector3();
}

I’m gonna assume that a new vector3’s default is (0,0,0), but I can’t find an answer or doc specifically stating that.

public class MyObject
{
var vec = new Vector3(Random.Range(-1.0f, 1f),  
                      Random.Range(-1.0f, 1f),  
                      Random.Range(-1.0f, 1f));
}

If that’s the case, and an update method is called on this vector, does that mean it will select vector positions from a range of -1,1 RELATIVE to 0,0,0?
The goal is to create a vector relative to a specific position that on update selects random points relative to that position.

_
public Vector3 p;

void Start()
{
    Debug.Log(p[0]);
    Debug.Log(p[1]);
    Debug.Log(p[2]);
}

_
Shows it to be 0, 0, 0
_
There doesn’t appear to be any actual documentation that specifically states it though.

A Vector3’s default values are indeed, (0, 0, 0). If I understand you correctly, you already have a vector, and you want to create a new one based on the old one with Random.Range. If so, you could pretty easily just do this

Vector3 pos = //the vector you start with
float range = //range of points

Vector3 newPos = pos;
pos.x += Random.Range(-range, range);
pos.y += Random.Range(-range, range);
pos.z += Random.Range(-range, range);

I’m sure there is a better way to do this, but this is very simple and just off the top of my head.
Also it is best practice not to use var, but to implicitly state the variable type (in your case Vector3). If you have more questions or my answer wasn’t clear/didn’t work for you the let me know, and I will try to help.