题目及理解

题目链接:476. Number Complement

Given a positive integer, output its complement number. The complement strategy is to flip the bits of its binary representation.

Note:

  1. The given integer is guaranteed to fit within the range of a 32-bit signed integer.
  2. You could assume no leading zero bit in the integer’s binary representation.

Example 1:

1
2
3
Input: 5
Output: 2
Explanation: The binary representation of 5 is 101 (no leading zero bits), and its complement is 010. So you need to output 2.

Example 2:

1
2
3
Input: 1
Output: 0
Explanation: The binary representation of 1 is 1 (no leading zero bits), and its complement is 0. So you need to output 0.

理解

水题,就是按位取反

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public:
int findComplement(int num) {
int flag = 0;
int ans=0,a=1;
while (num > 0){
flag = num % 2;
num /= 2;
ans += (flag==0?1:0) * a;
a*=2;
}
return ans;
}
};

其他解法

看了Discuss里面的解法,还是有很多骚操作的大神的.这里贴出一个来看看.
链接

1
2
3
4
5
6
7
8
class Solution {
public:
int findComplement(int num) {
unsigned mask = ~0;
while (num & mask) mask <<= 1;
return ~mask & ~num;
}
};

理解

先让mask全部取1,然后对num取&操作,使得在对应前导0的地方全部置1,剩下的位全部是0,然后再对2个数进行&操作,就是取反了.

简述

这一系列的博客是基于Django官方的Documentation—Writing your first Django app而来的,主要是对文档的翻译和自己的实际操作,使用的IDE是Pycharm.
对应项目每个part的代码可以在我的github仓库下载django官方案例的实现

开始

从一个例子来学习Django的简单内容,在这个教程中,我们将创建一个基本的投票应用.
包含以下的两部分:

  • 一个公开的网站能够进行投票和浏览
  • 一个管理员网页可以用来添加,改变和删除投票信息.
    阅读全文 »

简述

开始学习Python的Django框架之后,马上就被这种开发方式吸引了,感觉十分的快以及简洁,就把自己的学习过程记录下来吧.
主要的学习方式就是参考官方文档(我安装的是最新的1.11版本),先跟着官方的Writing your first Django app来走一遍流程,然后再看详细的文档吧.

开始

安装Django

直接在pip下安装Django模块是最快的方式了.

pip install Django

或者也可以在官网查看下载网页,从源码安装也是一种方式.下载完成解压之后,执行python setup.py install就可以安装成功.

检查是否安装成功

进入Python的终端,输入import django,没有报错的话就是已经安装成功了.

Django的基本命令

新建project

django-admin.py startproject project_name

新建app

app就是一个项目中的应用了,一个project可以有很多的app组成.
**注意:**要先进入project目录下才可以进行app的新建

cd project_name
django-admin.py startapp app_name

启动服务器

python manage.py runserver

在命令行看到以下的消息就说明服务器已经启动:

1
2
3
4
5
6
7
8
9
10
Performing system checks...

System check identified no issues (0 silenced).

You have unapplied migrations; your app may not work properly until they are applied.Run 'python manage.py migrate' to apply them.

July 19, 2017 - 15:50:53
Django version 1.11, using settings 'mysite.settings'
Starting development server at http://127.0.0.1:8000/
Quit the server with CONTROL-C.

结束

第一部分的基础就到这里,之后的更新就会按照Django官方的Writing your first Django app的部分来自己实践了.

参考博客

Django 基础教程 非常推荐!!~ 很不错的中文教程

Documentation-Quick install guide 官方的安装教程

0%