Jackson
Jackson

Reputation: 6861

Solidity: Retrieving values of Array of Structs in Mapping

I have some solidity code where I am attempting to gather the ids which are a value stored on a Struct. I have a mapping where the key is an address, and the value is an array of Structs. Whenever I execute the getMediaByAddress function I get an invalid OpCode error. Any help would be greatly appreciated.

pragma solidity ^0.4.24;

contract MediaGallery {
address owner;
uint counter;

struct MediaAsset {
    uint id;
    string name;
    address author;
    uint createDate;
    string[] tags;
    string mediaHash;
}

mapping(address => MediaAsset[]) public mediaDatabase;

constructor () {
    owner = msg.sender;
}

function addMedia(string _name, string _mediaHash) public returns (bool success) {
    MediaAsset memory currentMedia;

    currentMedia.id = counter;
    currentMedia.name = _name;
    currentMedia.author = msg.sender;
    currentMedia.createDate = now;
    currentMedia.mediaHash = _mediaHash;

    mediaDatabase[msg.sender].push(currentMedia);

    return true;
}

function addTag(uint _id, string _tag) public returns (bool success) {
    mediaDatabase[msg.sender][_id].tags.push(_tag);

    return true;
}

function getMediaByAddress(address _user) public view returns (uint[]) {
    uint[] memory mediaAssetIds = new uint[](mediaDatabase[_user].length);

    uint numberOfMediaAssets = 0;

    for(uint i = 1; i <= mediaDatabase[_user].length;  i++) {
        mediaAssetIds[numberOfMediaAssets] = mediaDatabase[_user][i].id;
        numberOfMediaAssets++;
    }
    return mediaAssetIds;
}

}

Upvotes: 2

Views: 6071

Answers (1)

user94559
user94559

Reputation: 60143

You're trying to read past the end of the array. Your loop variable i has an off-by-one error. Its greatest value is mediaDatabase[_user].length, which is 1 past the end of the array. Try this instead:

for (uint i = 0; i < mediaDatabase[_user].length; i++) {

Upvotes: 2

Related Questions