终于刷完了leetcode的前250道题的easy篇。好吧,其实也就60多道题,但是其中的套路还是值得被记录的。 至于全部code,请移步github,题目大部分采用python3,小部分使用C,如有问题和建议,欢迎指正。

String

  1. 有一个string库,可以返回各种string的汇总,很值得用。

  2. 当题目中需要实现字符串替代的时候,python中有一个自带的translate()函数可以实现这个功能,具体可见Python3字符串替换replace(),translate(),re.sub()

  3. two pointers 在string题目中很常用,如前后pointers遍历整个string。

Two pointers

这个方法其实就是采用两个指针,分别指向string或者list或者linked list的不同位置进行遍历,其实在pythonic的解法中,这种pointer的实现方式就是数组的遍历。

eg1:141. Linked list Cycle

Given a linked list, determine if it has a cycle in it.

# Definition for singly-linked list.
# class ListNode(object):
# def __init__(self, x):
# self.val = x
# self.next = None class Solution(object):
def hasCycle(self, head):
"""
:type head: ListNode
:rtype: bool
"""
if head == None:
return False
runningman1 = head
runningman2 = head.next
while runningman2 != None and runningman2.next != None:
if runningman2 == runningman1 or runningman2.next == runningman1:
return True
runningman2 = runningman2.next.next
runningman1 = runningman1.next
return False

这个题目是一个关于linked list的题目,此解答用了两个运动员(two pointers)的方法,一个跑的慢,一个跑的快,如果有循环,则跑的快的人一定可以追上跑的慢的人。其实解题重要的还是逻辑思路,而实现方法真的是次要的。

其实这个题目还有一种方法也很棒,具体可移步到github

eg2: 167. Two Sum II - Input array is sorted

Given an array of integers that is already sorted in ascending order, find two numbers such that they add up to a specific target number.

这个题采用的是前后two pointers的方法进行夹击:

class Solution:
def twoSum(self, numbers, target):
"""
:type numbers: List[int]
:type target: int
:rtype: List[int]
"""
i,j = 0,len(numbers)-1
while(numbers[i]+numbers[j]!=target):
if numbers[i]+numbers[j] > target:
j -= 1
else:
i += 1
return i+1,j+1

eg3: 234. Palindrome Linked List

Given a singly linked list, determine if it is a palindrome.

Example: Input: 1->2->2->1 Output: true

1、这个问题可以拆解成两个问题: 一是找到该单链表的中间位置,二是反转链表

2、对于第一个问题(找到单链表的中间位置),可以通过two pointers 的方法进行,一个pointer每次走一步,另一个pointer每次走两步,当每次走两步的pointer到达final时,另一个pointer刚好在一半位置

3、对于第二个问题(反转单链表),可以标准性的分割成四个步骤:

nxt = slow.next slow.next = node node = slow slow = nxt

class Solution:
def isPalindrome(self, head):
"""
:type head: ListNode
:rtype: bool
"""
## find the mid
slow = fast = head
while fast and fast.next:
fast = fast.next.next
slow = slow.next
## reverse the second half
node = None
while slow:
nxt = slow.next
slow.next = node
node = slow
slow = nxt
## compare two halves
while node:
if node.val == head.val:
node = node.next
head = head.next
else:
return False
return True

bin运算

其实我以前一直不知道python也可以进行位运算,直到我发现了这个题目:

eg4: 136. Single Number

Given a non-empty array of integers, every element appears twice except for one. Find that single one.

我的做法很蠢,采用的是hashmap的做法,创建一个set,然后逐个适用in运算符进行比较。其实这道题用异或(xor)是最好的方式,因为两个相同的数进行异或的二进制计算会返回全零。

求和后相减也是一个好的方法。

def singleNumber1(self, nums):
return 2*sum(set(nums))-sum(nums) def singleNumber2(self, nums):
return reduce(lambda x, y: x ^ y, nums) def singleNumber3(self, nums):
return reduce(operator.xor, nums)

这里借用菜鸟教程里的一个图总结python里的位运算图:

eg5: 231. Power of Two

Given an integer, write a function to determine if it is a power of two.

这个题也一样,我采用的方法如下:如果一个数为2的幂,那么他的bin形式则只有一个1,

class Solution:
def isPowerOfTwo(self, n):
"""
:type n: int
:rtype: bool
"""
if n <= 0:
return False
return bin(n).count('1') == 1

还有一种更简单的方法,那就是判断n&(n-1) == 0

note:&位运算符

Hash Table

其实对于python再说,hashtable直接用dict或者set就可以解决。

eg6: 205. Isomorphic Strings

Given two strings s and t, determine if they are isomorphic. Two strings are isomorphic if the characters in s can be replaced to get t. All occurrences of a character must be replaced with another character while preserving the order of characters. No two characters may map to the same character but a character may map to itself.

好的方法就是将s[i]和t[i]结对,然后再进行比较,使用set()即可:

def isIsomorphic(self, s, t):
return len(set(zip(s, t))) == len(set(s)) == len(set(t))

实际上,这道题我采用的是用两个dict,从头遍历s和t,若元素再dict中没有则add进dict,value值为此时s或t的index,若有则判断两个dict的当前元素是否是同一个value。

然而,其实用一个dict也可以搞定:

def isIsomorphic(self, s, t):
"""
:type s: str
:type t: str
:rtype: bool
"""
found = {}
## 这个dict的key是s[i],value值是t[i] for i in range(len(s)):
if s[i] in found:
if not found[s[i]] == t[i]:
return False
else:
if t[i] in found.values():
return False
found[s[i]] = t[i]
return True

另一种方法为使用find()函数。具体见github

eg7: 169. Majority Element

Given an array of size n, find the majority element. The majority element is the element that appears more than ⌊ n/2 ⌋ times. You may assume that the array is non-empty and the majority element always exist in the array.

HashMap allows us to count element occurrences efficiently.

以下是我的原始方法:

class Solution:
def majorityElement(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
countdict = {}
for num in nums:
if num not in countdict:
countdict[num] = 1
else:
countdict[num] += 1
return max(countdict.items(),key=lambda x:x[1])[0]

不过,原来有一个collections.Counter()可以自动计数的啊

class Solution:
def majorityElement(self, nums):
counts = collections.Counter(nums)
return max(counts.keys(), key=counts.get)

DP问题

在easy的题目中,最典型的就数买股票问题了。简单来说,动态规划问题就是每次问题的处理与上一次问题处理的结果有关

eg8: 121. Best Time to Buy and Sell Stock

Say you have an array for which the ith element is the price of a given stock on day i. If you were only permitted to complete at most one transaction (i.e., buy one and sell one share of the stock), design an algorithm to find the maximum profit. Note that you cannot sell a stock before you buy one.

class Solution:
def maxProfit(self, prices):
"""
:type prices: List[int]
:rtype: int
"""
if not prices:
return 0
else:
maxprofit = 0
minbuy = float('inf')
for p in prices:
maxprofit = max(maxprofit,p-minbuy)
minbuy = min(minbuy,p)
return maxprofit

eg9: 70. Climbing Stairs

You are climbing a stair case. It takes n steps to reach to the top. Each time you can either climb 1 or 2 steps. In how many distinct ways can you climb to the top?

这也是个更典型的DP问题, 注意为了节省时间,为了不反复求解相同的子问题,可以采用1. 带备忘的自顶向下法 2. 自底向上法

下面为带备忘的方法:

class Solution:
def __init__(self):
self.demo = {}
def climbStairs(self, n):
"""
:type n: int
:rtype: int
"""
if n in {1,2,3}:
return n
if n in self.demo:
return self.demo[n]
else:
value = self.climbStairs(n-1) + self.climbStairs(n-2)
self.demo[n] = value
return value

eg10: 198. House Robber

You are a professional robber planning to rob houses along a street. Each house has a certain amount of money stashed, the only constraint stopping you from robbing each of them is that adjacent houses have security system connected and it will automatically contact the police if two adjacent houses were broken into on the same night. Given a list of non-negative integers representing the amount of money of each house, determine the maximum amount of money you can rob tonight without alerting the police.

DP问题最重要的部分在于对于不同问题领域,最优子结构不同体现在两个方面:

1、原问题的最优解中涉及多少个子问题

2、在确定最优解使用哪些子问题时,我们需要考察多少中选择

所以,在coding之前,最好是画出问题的子问题图

对于这个例子来说,原问题需要涉及两个相邻的子问题,且只需比较demo[i]+num > demo[i+1]

class Solution:
def rob(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if not nums:
return 0
demo = {}
demo[0] = nums[0]
demo[1] = max(nums[0:2])
for i, num in enumerate(nums[2:]):
if demo[i]+num > demo[i+1]:
value = demo[i]+num
else:
value = demo[i+1]
demo[i+2] = value
return demo[len(nums)-1]

Tree

Tree的操作我喜欢用recursion,将子结点看成新的子树进行递归。

eg11: 107. Binary Tree Level Order Traversal II

Given a binary tree, return the bottom-up level order traversal of its nodes' values. (ie, from left to right, level by level from leaf to root).

这个问题没有用递归,而是采用queue的方式进行解答,这个也很典型。

队列中保存处理的树

Leetcode解题思路总结(Easy篇)的更多相关文章

  1. LeetCode解题思路

    刷完题后,看一下其他人的solution,受益匪浅. 可以按不同的topic刷题,比如数组.字符串.集合.链表等等.先做十道数组的题,接着再做十道链表的题. 刷题,最主要的是,学习思路. 多刷几遍.挑 ...

  2. Leetcode解题思想总结篇:双指针

    Leetcode解题思想总结篇:双指针 1概念 双指针:快慢指针. 快指针在每一步走的步长要比慢指针一步走的步长要多.快指针通常的步速是慢指针的2倍. 在循环中的指针移动通常为: faster = f ...

  3. [LeetCode] 76. Minimum Window Substring 解题思路

    Given a string S and a string T, find the minimum window in S which will contain all the characters ...

  4. [LeetCode] Minimum Size Subarray Sum 解题思路

    Given an array of n positive integers and a positive integer s, find the minimal length of a subarra ...

  5. [LeetCode] Word Break 解题思路

    Given a string s and a dictionary of words dict, determine if s can be segmented into a space-separa ...

  6. [LeetCode] Longest Valid Parentheses 解题思路

    Given a string containing just the characters '(' and ')', find the length of the longest valid (wel ...

  7. [LeetCode] 134. Gas Station 解题思路

    There are N gas stations along a circular route, where the amount of gas at station i is gas[i]. You ...

  8. [LeetCode] 45. Jump Game II 解题思路

    Given an array of non-negative integers, you are initially positioned at the first index of the arra ...

  9. leetCode 42.Trapping Rain Water(凹槽的雨水) 解题思路和方法

    Trapping Rain Water Given n non-negative integers representing an elevation map where the width of e ...

随机推荐

  1. 用PULL解析器解析XML文件

    第一种方式(简洁,直接用pullparser.nextText()来返回下一个String类型的值): 1 package lee.service; 2 3 import java.io.InputS ...

  2. 企业级web负载均衡完美架构

    转载:揭秘企业级web负载均衡完美架构(图) 2010-07-06 15:16 抚琴煮酒 51CTO.com 字号:T | T 相信很多朋友对企业级的负载均衡高可用实例非常感兴趣,此篇文章根据成熟的线 ...

  3. unity零基础开始学习做游戏(二)让你的对象动起来

    -------小基原创,转载请给我一个面子 小基认为电子游戏与电影最重要的区别就是交互,如果电子游戏没有让你输入的交互功能的话,全程都"只可远观,而不可鼓捣"的话,你可能是在看视频 ...

  4. 一款C++写的tcp性能测试(压力测试)工具

    基线终于开发完了,自己写的服务器性能和压力承受能力到底怎么样,在网上没有找到合适的测试工具可以用.于是自己基于MFC写了一款测试工具. 启动界面如下: 设置参数后,运行如下: 运行完界面如下: 源码路 ...

  5. 关于运行springboot时报Unregistering JMX-exposed beans on shutdown的解决方案

    其实这个错误并不影响程序的运行,但是对于处女座的同仁来说,看到报错难免不舒服,那么看看解决方法,此错误信息的意思是说:在关机状态下未注册jmx暴露的bean. 解决方案是在入口类上加上  @Enabl ...

  6. js中window对象的opener属性的一个坑

    2018-05-08 17:48:33 今天我编写代码碰到了一个让我纠结了很久的坑,特别想在此说一下,让其他人避免我踏过的这个坑. 这个坑就是:在我自己写的子窗口中用opener属性却获取不到父窗口的 ...

  7. R语言学习 第十一篇:日期和时间

    R语言的基础包中提供了三种基本类型用于处理日期和时间,Date用于处理日期,它不包括时间和时区信息:POSIXct/POSIXlt用于处理日期和时间,其中包括了日期.时间和时区信息.R内部在存储日期和 ...

  8. Python绘图之matplotlib基本语法

    Matplotlib 是一个 Python 的 2D绘图库,通过 Matplotlib,开发者可以仅需要几行代码,便可以生成绘图,直方图,功率谱,条形图,错误图,散点图等.当然他也是可以画出3D图形的 ...

  9. JavaScript中push ,pop ,concat ,join方法

    push 方法 将新元素添加到一个数组中,并返回数组的新长度值. arrayObj.push([item1 [item2[. . . [itemN ]]]]) 说明 push 方法将以新元素出现的顺序 ...

  10. flume安装及入门实例

    1. 如何安装? 1)将下载的flume包,解压到/home/hadoop目录中 2)修改 flume-env.sh 配置文件,主要是JAVA_HOME变量设置 root@m1:/home/hadoo ...