android程序员python学习之路

1年半android经验,初次接触python,学了几天,相见恨晚,迫不及待的写了这篇记录下。python新手,请多见谅。

其实也不是最近才接触Python,大四上有一门计算机性能相关的课各种算法、工具要求用python写,不过当时太懒了,全用java写的。导致毕业一年多了,现在每天忙碌的工作之余,晚上这个点左右挤时间出来学,算是”自我救赎”吧,哈哈。

其实第一感觉python只是简单,没有那么吸引人,照着书写了个自动压缩文件脚本,觉得挺有意思的。但是还没足够吸引我。
但是当我看到数据结构的时候,被python简单操作复杂数据结构的强大功能吸引了。

举个例子吧:

打印出list除开最后两个的元素。
如果是java,要么是for循环遍历,然后用指针控制打印逻辑;要么copy一个副本,remove掉最后两个;而且java的输入输出 scaner、system.out也挺麻烦的;
换做python 直接print(list(:-2) )
我曹。。。简直6666,当时我就被震惊了。list可以倒着数,而且取一个subString超级方便。

还是不够直观?来一个具体的实用例子吧

刷过onlineJudge的,应该都用过leetCode

选最熟悉的第一题,找出数组里面两数,和为特定值。
Given an array of integers, return indices of the two numbers such that they add up to a specific target.

You may assume that each input would have exactly one solution, and you may not use the same element twice.

Example:

Given nums = [2, 7, 11, 15], target = 9,

Because nums[0] + nums[1] = 2 + 7 = 9,
return [0, 1].

都采用Map键值对记录index和value的思路
java解法

class Solution {
    public int[] twoSum(int[] nums, int target) {
           HashMap<Integer, Integer> map = new HashMap<Integer, Integer>();
        int result[] = new int[2];
        for (int i = 0; i < nums.length; i++){
            int num = target - nums[i];
            if(map.containsKey(num)){
                result[0] = map.get(num);
                result[1] = i;
                return result;
            }
            map.put(nums[i], i);
        }
        return result;
    }
}

python解法

class Solution:
    def twoSum(self, nums, target):        
        dict = {}
        for i in range(len(nums)):
                x = nums[i]
                if target-x in dict:
                     return (dict[target-x], i)
                dict[x] = i

怎么样,这下子够直观了吧;

后记:

对python的学习才刚刚开始,学习的直接目标是android的自动打包脚本。然后是看看自己适不适合搞ai tensorfolw啥的,不适合就算了,也对android有帮助。多一门技能,也多一些选择 。

    原文作者:Dynamic_2018
    原文地址: https://www.jianshu.com/p/346e006bc98e
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞