carloscn / structstudy

Leetcode daily trainning by using C/C++/RUST programming.
4 stars 1 forks source link

leetcode724:寻找数组的中心下标(find_pivot_index_724) #125

Open carloscn opened 1 year ago

carloscn commented 1 year ago

问题描述

给你一个整数数组 nums ,请计算数组的 中心下标 。

数组 中心下标 是数组的一个下标,其左侧所有元素相加的和等于右侧所有元素相加的和。

如果中心下标位于数组最左端,那么左侧数之和视为 0 ,因为在下标的左侧不存在元素。这一点对于中心下标位于数组最右端同样适用。

如果数组有多个中心下标,应该返回 最靠近左边 的那一个。如果数组不存在中心下标,返回 -1 。

 

示例 1:

输入:nums = [1, 7, 3, 6, 5, 6] 输出:3 解释: 中心下标是 3 。 左侧数之和 sum = nums[0] + nums[1] + nums[2] = 1 + 7 + 3 = 11 , 右侧数之和 sum = nums[4] + nums[5] = 5 + 6 = 11 ,二者相等。 示例 2:

输入:nums = [1, 2, 3] 输出:-1 解释: 数组中不存在满足此条件的中心下标。 示例 3:

输入:nums = [2, 1, -1] 输出:0 解释: 中心下标是 0 。 左侧数之和 sum = 0 ,(下标 0 左侧不存在元素), 右侧数之和 sum = nums[1] + nums[2] = 1 + -1 = 0 。  

提示:

1 <= nums.length <= 104 -1000 <= nums[i] <= 1000

来源:力扣(LeetCode) 链接:https://leetcode.cn/problems/find-pivot-index

carloscn commented 1 year ago

问题分析

C语言版本

static int32_t find_pivot_index(int64_t *array, size_t len, size_t *povit)
{
    int32_t ret = 0;
    size_t i = 0;
    size_t j = len - 1;
    int64_t lsum = 0, rsum = 0;

    UTILS_CHECK_LEN(len);
    UTILS_CHECK_PTR(array);
    UTILS_CHECK_PTR(povit);

    lsum = array[i];
    rsum = array[j];
    do {
        if (lsum > rsum) {
            j --;
            rsum += array[j];
        } else if (lsum < rsum) {
            i ++;
            lsum += array[i];
        } else {
            *povit = i + 1;
            goto finish;
        }
    } while (i <= j);

    *povit = ~0;

finish:
    return ret;
}

Rust版本

fn find_pivot_index(array:&[i64]) -> i32
{
    let mut i:usize = 0;
    let mut j:usize = array.len() - 1;
    let mut lsum:i64 = array[i];
    let mut rsum:i64 = array[j];

    while i <= j {
        if lsum > rsum {
            j -= 1;
            rsum += array[j];
        } else if lsum < rsum {
            i += 1;
            lsum += array[i];
        } else {
            return (i + 1) as i32;
        }
    }

    return -1_i32;
}
carloscn commented 1 year ago

code

https://github.com/carloscn/structstudy/blob/master/c_programming/array/n43_find_pivot_index_724.c https://github.com/carloscn/structstudy/blob/master/rust_programming/array/src/n43_find_pivot_index_724.rs