Git拾遗

把Git Bash要记忆的东西整理了下
设置用户名邮箱

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
$ git config --global user.name
"Your Name"
$ git config --global user.email
"email@example.com"
创建版本库
$ git init
把文件添加到版本库
$ git add readme.txt
$ git commit -m
"wrote a readme file"
查看不同
$ git diff readme.txt
当前状态
$ git status
查看commit
$ git log
回退上一个版本
$ git reset --hard HEAD^
退回上上一个版本
$ git reset --hard HEAD^^
退回上一百个版本
$ git reset --hard HEAD~100
使用版本号(只需要前几位)
$ git reset --hard 3628164
记录你的每一次命令
$ git reflog
丢弃工作区的修改让这个文件回到最近一次git commit或git add时的状态
$ git checkout -- file
把暂存区的修改撤销掉(unstage),重新放回工作区
$ git reset HEAD file
从版本库中删除该文件
$ git rm
$ git commit
创建SSH Key。
$ ssh-keygen -t rsa -C "youremail@example.com"
把本地仓库的内容推送到GitHub仓库
$ git remote add origin https://github.com/username/project.git
推送到远程
$ git push origin master
从远程库克隆
$ git clone https://github.com/username/project.git
创建dev分支,然后切换到dev分支:
$ git checkout -b dev
相当于
$ git branch dev
$ git checkout dev
列出所有分支
$ git branch
我们把dev分支的工作成果合并到当前分支上
$ git merge dev
删除dev分支
$ git branch -d dev
禁用Fast forward的合并
$ git merge --no-ff -m "merge with no-ff" dev
把当前工作现场“储藏”起来
$ git stash
查看
$ git stash list
打标签
$ git tag v.xxxx
查看标签
$ git show v.xxxx
创建带有说明的标签,用-a指定标签名,-m指定说明文字:
$ git tag -a v0.1 -m "version 0.1 released" 3628164
删除
$ git tag -d v0.1

Python中的闭包

将组成函数的语句和这些语句的执行环境打包在一起时,得到的对象就是闭包。
我们看一个例子
foo.py

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
x=44
def callf(func):
    return func()
import foo
def bar():
    x=13
    def hello():
        return "hello %s" %x
    foo.callf(hello)
得到结果为 hello 13
在编写惰性求值的代码的时候,闭包是一个很好的选择
from urllib import urlopen
    def page (url) :
        def get() :
            return urlopen (url).read()
        return get
>>>python=page("http://www.python.org")
>>>jython=page( "http://www.jython.org")
>>>python
<function get at 0x9735f0>
>>>jython
<function get at 0x9737f0>
>>>pydata=python()
>>>jydata=jython()
page()

函数实际上是不执行任何有意义的计算,它只是创建和返回函数get()
如果需要在一个函数中保持某个状态,使用闭包是一种非常高效的行为。

1
2
3
4
5
6
7
8
9
10
11
def countdown(n):
    def next():
        nonlocal n
        r=n
        n-=1
        return r
    return next
next=countdown(10)
while True:
    v=next()
    if not v:break

Python中的生成器,协程与yield

生成器与yield

1
2
3
4
5
6
def countdown(n):
    print("Counting down from %d"%n)
    while n>0:
        yield n
        n-=1
    return

语句yield使得函数返回一个生成器,每次调用next()时。生成器函数将不断执行语句,直至遇到yield语句。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
>>>c=countdown(10)
>>>c.next()
Counting down from 10
>>>c.next()
Counting down from 9
# 协程与yield
def receiver():
    print("Ready to receive")
    while True:
        n=(yield)
        print("got %s"%n)
>>>r=receiver()
>>>r.next()
Ready to receive
>>>r.send(1)
got 1
>>>r.send(2)
got 2
>>>r.send("Hello")
got Hello

这种使用yield语句的函数成为协程,它的执行是为了响应发送给它的值。
每次开始的next()函数时必不可少的
可以编写一个装饰器

1
2
3
4
5
6
7
8
9
10
11
12
def coroutine(func):
    def start(*args,**kwargs):
        g=func(*args,**kwargs)
        g.next()
        return g
    return start
@coroutine
def receiver():
    print("Ready to receive")
    while True:
        n=(yield)
        print("got %s"%n)

可用.close()关闭。关闭后如果继续调用.send()就会引发StopIteration异常

1
>>>r.close()

可以使用throw(exctype[,value[,tb]])方法在协程内部引发异常。
exctype是指异常类型
value是指异常的值
tb是指跟踪对象

1
>>>r.throw(RuntimeError,"You're hosed!")

协程还可以同时接受和发出返回值

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
def line_splitter(delimiter=None):
    print("Ready to splite")
    result=None
    while True:
        line=(yield result)
        result=line.splite(delimiter)
>>>s=line_splitter(",")
>>>s.next()
Ready to splite
>>>s.send("A,B,C")
['A','B','C']
#  应用
import os
import fnmatch
def find_files (topdir, pattern):
    for path, dirname, filelist in os.walk(topdir):
        for name in filelist:
            if fnmatch.frunatch(name,pattern):
                yield os.path.join(path,name)
import gzip, bz2
def opener (filenames):
    for name in filenames:
        if name.endswith( ".gz"):f=gzip.open(name)
        elif name.endswith(".bz2" ):f=bz2.BZ2File(name)
        else: f=open(name)
          yield f
def cat (filelist):
    for f in filelist:
        for line in f:
            yield line
def grep (pattern, lines) :
    for line in lines:
        if pattern in line:
            yield line
wwwlogs=find_files("www","access-log*")
files=opener(wwwlogs)
lines=cat(files)
pylines=grep("python",lines)
for line in pylines:
    print line

在这个例子中,程序要处理的是顶级目录“www”的所有子目录中的所有“access-log”文件中的所有行。程序将测试每个”access-log”文件的文件压缩情况,然后使用正确的文件打开器打开它们。程序将各行连接在一起,并通过查找子字符串”python”的过滤器进行处理。整个程序是由位于最后的for语句驱动的。该循环的每次迭代都会通过管道获得一个新值并使用之。此外,这种实现占用内存极少,因为它无需创建任何临时列表或其他大型的数据结构

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
import os
import fnmatch
@coroutine
def find_files(target):
    while True:
        topdir, pattern=(yield)
        for path, dirname, filelist in os.walk(topdir):
            for name in filelist:
                if fn.rnatch. fn.match (name, pattern):
                    target.send(os.path.join(path, name))
import gzip, bz2
@coroutine
def opener(target):
    while True:
        name=(yield)
        if name.endswith(".gz"):f=gzip.open(name)
        elif name.endswith(".bz2"):f=bz2.BZ2File(name)
        else:f=open(name)
        target.send( f)
@coroutine
def cat(target) :
    while True :
        f=(yield)
        for line in f:
            target.send(line)
@coroutine
def grep(pattern, target):
    while True:
    line=(yield)
    if pattern in line:
        target.send(line)
@coroutine
def printer():
    while True:
    line=(yield)
    print(line)
finder=find_files(opener(cat(grep("python",printer()))))
finder.send(("www","access-log"))

在这个例子中每个协程都发送数据给在它们的target参数中指定的另一个协程。和生成器的例子不同,执行完全由將数据发送到第一个协程find_files()中来驱动。接下来,这个协程将数据转人下一阶段。这个例子有一个关键的地方,即协程管道永远保持活动状态,直到它显式调用close()方法为止。为此,只要需要,程序可以不断地给协程中注人数据。

Supervisor:监控服务进程的工具

安装

1
pip install supervisor

conf文件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
[inet_http_server] ; inet (TCP) server disabled by default
port=127.0.0.1:9001 ; (ip_address:port specifier, *:port for all iface)
[supervisord]
logfile=/tmp/supervisord.log ; (main log file;default $CWD/supervisord.log)
logfile_maxbytes=50MB ; (max main logfile bytes b4 rotation;default 50MB)
logfile_backups=10 ; (num of main logfile rotation backups;default 10)
loglevel=info ; (log level;default info; others: debug,warn,trace)
pidfile=/tmp/supervisord.pid ; (supervisord pidfile;default supervisord.pid)
nodaemon=false ; (start in foreground if true;default false)
minfds=1024 ; (min. avail startup file descriptors;default 1024)
minprocs=200 ; (min. avail process descriptors;default 200)
[rpcinterface:supervisor]
supervisor.rpcinterface_factory = supervisor.rpcinterface:make_main_rpcinterface
[supervisorctl]
serverurl=http://127.0.0.1:9001 ; use an http:// url to specify an inet socket
;[include]
;files = relative/directory/*.ini
[program:superlist]
**command=/home/vincent/sites/superlists-localhost/virtualenv/bin/gunicorn --pythonpath /home/vincent/sites/superlists-localhost/source/superlists superlists.wsgi:application**
startsecs=3
redirect_stderr = true
stdout_logfile_maxbytes = 50MB
stdout_logfile_backups = 10
stdout_logfile = /home/vincent/sites/superlists-localhost/log/supervisor.log

启动

1
2
supervisord -c /etc/supervisor/supervisord.conf
supervisorctl -c /etc/supervisor/supervisord.conf shutdown superlist

关于Python中的元类(metaclass)

类也是对象

先明确一点,在Python中类(是类Class,不是对象或实例Object)同样也是一种对象。

1
2
3
4
5
6
>>> class ObjectCreator():
    pass
>>> ObjectCreator
<class __main__.ObjectCreatorat 0x02D878F0>
>>> ObjectCreator()
<__main__.ObjectCreator object at 0x02E87EE0>

只要你使用关键字class,Python解释器在执行的时候就在内存中创建一个对象,名字就是ObjectCreator。这个对象(类)自身拥有创建对象(类实例)的能力,而这就是为什么它是一个类的原因。
类的本质是一个对象,这就意味着你能对它作如下操作:
1) 你可以将它赋值给一个变量
2) 你可以拷贝它
3) 你可以为它增加属性
4) 你可以将它作为函数参数进行传递

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
>>> print ObjectCreator # 你可以打印一个类,因为它其实也是一个对象
<class '__main__.ObjectCreator'>
>>> def echo(o):
print o
>>> echo(ObjectCreator) # 你可以将类做为参数传给函数
<class '__main__.ObjectCreator'>
>>> print hasattr(ObjectCreator, 'new_attribute')
Fasle
>>> ObjectCreator.new_attribute = 'foo' # 你可以为类增加属性
>>> print hasattr(ObjectCreator, 'new_attribute')
True
>>> print ObjectCreator.new_attribute
foo
>>> ObjectCreatorMirror = ObjectCreator # 你可以将类赋值给一个变量
>>> print ObjectCreatorMirror()
<__main__.ObjectCreator object at

动态创建类

因为类也是对象,你可以在运行时动态的创建它们,就像其他任何对象一样。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
>>> def choose_class(name):
if name == 'foo':
class Foo(object):
pass
return Foo # 返回的是类,不是类的实例
else:
class Bar(object):
pass
return Bar
>>> MyClass = choose_class('foo')
>>> print MyClass # 函数返回的是类,不是类的实例
<class '__main__'.Foo>
>>> print MyClass() # 你可以通过这个类创建类实例,也就是对象
<__main__.Foo object at at 0x89c6d4c>

class定义新类的执行过程

使用class语句定义新类时,将会发生很多事情。首先,类主体将作为其自己的私有字典内的一系列语句来执行。语句的执行与正常代码中的执行过程相同,只是增加了会在私有成员(名称以_开头)上发生的名称变形。最后,类的名称、基类列表和字典将传递给元类的解构函数,以创建相应的类对象。下面的例子演示了这一过程:

1
2
3
4
5
6
7
8
9
class_name="Foo"
class_parents=(object,)
class_body="""
def __init__(self,x):
self.x=x
"""
class_dict={}
exec(class_body,globals(),class_dict)
Foo=type(class_name,class_parents,class_dict)

强大的type函数

type函数能够让你知道一个对象的类型是什么。
但是type函数还有一种完全不同的能力,它也能动态的创建类。
type(类名, 父类的元组(针对继承的情况,可以为空),包含属性的字典(名称和值))

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
>>> class MyShinyClass(object):
pass
>>> MyShinyClass_new = type('MyShinyClass', (), {}) # 返回一个类对象
>>> print MyShinyClass_new
<class '__main__.MyShinyClass'>
>>> print MyShinyClass_new() # 创建一个该类的实例
<__main__.MyShinyClass object at 0x8997cec>
>>> class Foo(object):
… bar = True
>>> Foo_new = type('Foo', (), {'bar2':False})
>>> print Foo_new
<class '__main__.Foo'>
>>> print Foo_new.bar
True
>>> print Foo_new.bar2
False
>>> f = Foo_new()
>>> print f
<__main__.Foo object at 0x8a9b84c>
>>> print f.bar
True
>>> print f.bar2
False
>>> FooChild = type('FooChild', (Foo,),{})
>>> print FooChild
<class '__main__.FooChild'>
>>> print FooChild.bar # bar属性是由Foo继承而来
True

回到主题,什么是元类

元类就是用来创建类的“东西”。
我们已经学习到了Python中的类也是对象。好吧,元类就是用来创建这些类(对象)的,元类就是类的类。
函数type实际上是一个元类

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
MyClass = MetaClass()
MyObject = MyClass()
MyClass = type('MyClass', (), {})
我们知道通过实例的__class__属性,可以知道这个实例是由哪一个类生成的
>>> age = 35
>>> age.__class__
<type 'int'>
>>> name = 'bob'
>>> name.__class__
<type 'str'>
>>> def foo(): pass
>>>foo.__class__
<type 'function'>
>>> class Bar(object): pass
>>> b = Bar()
>>> b.__class__
<class '__main__.Bar'>
但如果是__class____class__呢?这下就明白了,type就是Python在背后用来创建所有类的类(元类)。
>>> a.__class__.__class__
<type ''>
>>> age.__class__.__class__
<type 'type'>
>>> foo.__class__.__class__
<type 'type'>
>>> b.__class__.__class__
<type 'type'>

metaclass属性

那么,怎么样才能让python用元类来生成类呢。
你可以在写一个类的时候为其添加metaclass属性。

1
2
3
class Foo(object):
    __metaclass__ = something…
[…]

在Python中,创建Foo类的时候。Python会找Foo中有metaclass这个属性吗?如果是,Python会在内存中通过metaclass创建一个名字为Foo的类对象。如果Python没有找到metaclass,它会继续在父类中寻找metaclass属性,并尝试做和前面同样的操作。如果Python在任何父类中都找不到metaclass,它就会在模块层次中去寻找metaclass,并尝试做同样的操作。如果还是找不到metaclass,Python就会用内置的type来创建这个类对象。

自定义元类

问题是,我们可以在metaclass中放置些什么代码呢。
答案就是:可以创建一个类的东西。那么什么可以用来创建一个类呢?type,或者任何使用到type或者子类化type的东东都可以。
假想一个很傻的例子,你决定在你的模块里所有的类的属性都应该是大写形式。

请记住,’type’实际上是一个类,就像’str’和’int’一样

所以,你可以从type继承

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
class UpperAttrMetaclass(type):
def __new__(cls, name, bases, dict):
# __new__ 是在__init__之前被调用的特殊方法
# upperattr_metaclass。类方法的第一个参数总是表示当前的实例,就像在普通的类方法中的self参数一样。
# __new__是用来创建对象并返回之的方法
# 而__init__只是用来将传入的参数初始化给对象
# 你很少用到__new__,除非你希望能够控制对象的创建
# 这里,创建的对象是类,我们希望能够自定义它,所以我们这里改写__new__
# 如果你希望的话,你也可以在__init__中做些事情
# 还有一些高级的用法会涉及到改写__call__特殊方法,但是我们这里不用
attrs = ((name, value) for name, value in dct.items() if not name.startswith('__'))
uppercase_attr = dict((name.upper(), value) for name, value in attrs)
return super(UpperAttrMetaclass, cls).__new__(cls, name, bases, uppercase_attr)
__metaclass__ = UpperAttrMetaclass # 这会作用到这个模块中的所有类
class Foo(object):
# 我们也可以只在这里定义__metaclass__,这样就只会作用于这个类中
bar = 'bip'
print hasattr(Foo, 'bar')
# 输出: False
print hasattr(Foo, 'BAR')
我们也可以
class Upper:
__metaclass__ = UpperAttrMetaclass
class Foo(Upper):
# 我们也可以只在这里定义__metaclass__,这样就只会作用于这个类中
bar = 'bip'
print hasattr(Foo, 'bar')
# 输出: False
print hasattr(Foo, 'BAR')

究竟为什么要使用元类?

现在回到我们的大主题上来,究竟是为什么你会去使用这样一种容易出错且晦涩的特性?好吧,一般来说,你根本就用不上它:
元类的主要用途是创建API。一个典型的例子是Django ORM。它允许你像这样定义:

1
2
3
4
5
class Person(models.Model):
    name = models.CharField(max_length=30)
    age = models.IntegerField()
guy = Person(name='bob', age='35')
print guy.age

这并不会返回一个IntegerField对象,而是会返回一个int,甚至可以直接从数据库中取出数据。这是有可能的,因为models.Model定义了metaclass, 并且使用了一些魔法能够将你刚刚定义的简单的Person类转变成对数据库的一个复杂hook。Django框架将这些看起来很复杂的东西通过暴露出一个简单的使用元类的API将其化简,通过这个API重新创建代码,在背后完成真正的工作。


阅读自爆栈网的一篇文章后有感做的笔记
原文:What is a metaclass in Python

Chez Tools

今年夏天真不平静,厄尔尼诺现象带来了令人措手不及的洪涝。电视机上充斥着里约奥运与湖北洪水的消息。更想不到的是,刚回到宿舍就下起了大雨,看着大雨的阵势,仿佛要下一个星期。学校老旧的排水系统,使得暴雨不仅没有起到冲刷大地的作用,反而使得学校水漫金山起来。

舍友陆续回来,续而就是宵夜。没有长谈,也仅仅是寒暄几句。除了迷茫,还是迷茫。

儿时心情总是随着上学的到来而变坏,这种“习惯”直到今天还没有消失。雨天由甚。

我想大概没有比下着暴雨的仲夏夜更适合爵士的时候了。Toots Thielemans的一曲《Old Friend》似乎比欢快的Swing Jazz更适合这个夜晚。《Chez Tools》这张French味专辑里面最不French的曲,《Old Friend》让我好像看到了一年后身边朋友各奔东西的唏嘘场景。

回忆是美好,但是还没到来便开始起了回忆,似乎就有那么一点讽刺了。

就在写这篇文章的前几天,Toots Thielemans在家乡布鲁塞尔的一个医院里平静离世。享年94岁。




Putty配色






1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
Windows Registry Editor Version 5.00
[HKEY_CURRENT_USER\SOFTWARE\SimonTatham\PuTTY\Sessions\Default%20Settings]
"Colour0"="255,255,255"
"Colour1"="255,255,255"
"Colour2"="51,51,51"
"Colour3"="85,85,85"
"Colour4"="0,0,0"
"Colour5"="0,255,0"
"Colour6"="77,77,77"
"Colour7"="85,85,85"
"Colour8"="187,0,0"
"Colour9"="255,85,85"
"Colour10"="152,251,152"
"Colour11"="85,255,85"
"Colour12"="240,230,140"
"Colour13"="255,255,85"
"Colour14"="205,133,63"
"Colour15"="135,206,235"
"Colour16"="255,222,173"
"Colour17"="255,85,255"
"Colour18"="255,160,160"
"Colour19"="255,215,0"
"Colour20"="245,222,179"
"Colour21"="255,255,255"

Nigux PHP7 安装与配置

PHP7编译安装与配置

1
2
3
$ yum -y install gcc gcc-c++ autoconf automake libtool make cmake
$ yum -y install zlib zlib-devel openssl openssl-devel pcre-devel libxml2-devel curl-devel libmcrypt-devel
$wget http://cn2.php.net/get/php-7.0.10.tar.gz/from/this/mirror

解压后

1
2
3
$ ./configure --prefix=/usr/local/php7 \ --with-config-file-path=/usr/local/php7/etc \ --with-config-file-scan-dir=/usr/local/php7/etc/php.d \ --with-mcrypt=/usr/include \ --enable-mysqlnd \ --with-mysqli \ --with-pdo-mysql \ --enable-fpm \ --with-fpm-user=nginx \ --with-fpm-group=nginx \ --with-gd \ --with-iconv \ --with-zlib \ --enable-xml \ --enable-shmop \ --enable-sysvsem \ --enable-inline-optimization \ --enable-mbregex \ --enable-mbstring \ --enable-ftp \ --enable-gd-native-ttf \ --with-openssl \ --enable-pcntl \ --enable-sockets \ --with-xmlrpc \ --enable-zip \ --enable-soap \ --without-pear \ --with-gettext \ --enable-session \ --with-curl \ --with-jpeg-dir \ --with-freetype-dir \ --enable-opcache
make
make install

查看ini的位置。然后看看是否存在ini。如果没有去编译好的源码里面复制一个

1
cd /usr/local/php7/bin/php --ini

1
2
3
4
php.ini
    pid = run/php-fpm.pid
    error_log = log/php-fpm.log
    log_level = notice

也把php-fpm配置文件复制

1
2
$ cp php-fpm.conf.default php-fpm.conf
$ cp php-fpm.d/www.conf.defualt php-fpm.d/www.conf

1
2
3
4
5
6
7
8
9
10
11
12
13
14
php-fpm.conf
    listen = 127.0.0.1:9000
    listen.allowed_clients = 127.0.0.1
    pm = dynamic
    pm.max_children = 50
    pm.start_servers = 5
    pm.min_spare_servers = 5
    pm.max_spare_servers = 35
    pm.max_requests = 500
    env[HOSTNAME] = $HOSTNAME
    env[PATH] = /usr/local/bin:/usr/bin:/bin
    env[TMP] = /tmp
    env[TMPDIR] = /tmp
    env[TEMP] = /tmp

运行php-fpm

1
2
/usr/local/php7/sbin/php-fpm
netstat -antpl (如果看到9000端口,PHP-FPM配置成功)

Nginx安装与配置

1
2
3
4
5
6
yum install libbz2
yum install readline-devel
yum install sqlite-devel
yum install zlib-devel
yum install openssl-devel
yum install nginx

nginx.conf配置文件

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
nginx.conf
# For more information on configuration, see:
# * Official English Documentation: http://nginx.org/en/docs/
# * Official Russian Documentation: http://nginx.org/ru/docs/
user nginx;
worker_processes 1;
error_log /var/log/nginx/error.log;
#error_log /var/log/nginx/error.log notice;
#error_log /var/log/nginx/error.log info;
pid /var/run/nginx.pid;
events {
worker_connections 1024;
}
http {
include /etc/nginx/mime.types;
default_type application/octet-stream;
log_format main '$remote_addr - $remote_user [$time_local] "$request" '
'$status $body_bytes_sent "$http_referer" '
'"$http_user_agent" "$http_x_forwarded_for"';
access_log /var/log/nginx/access.log main;
sendfile on;
#tcp_nopush on;
#keepalive_timeout 0;
keepalive_timeout 65;
#gzip on;
# Load config files from the /etc/nginx/conf.d directory
# The default server is in conf.d/default.conf
#include /etc/nginx/conf.d/*.conf;
server {
listen 80;
root html/wordpress;
location /{
index index.php;
}
location ~\.php.*$ {
fastcgi_pass 127.0.0.1:9000;
fastcgi_index index.php;
fastcgi_param SCRIPT_FILENAME /$document_root$fastcgi_script_name;
include fastcgi_params;
}
}
}

Nginx 下对Wordpress的权限管理

查看进程的权限

1
2
3
4
5
6
7
8
9
10
ps -ef | grep nginx 
nginx 15095 15094 0 14:00 ? 00:00:01 php-fpm: pool www
nginx 15096 15094 0 14:00 ? 00:00:01 php-fpm: pool www
nginx 15097 15094 0 14:00 ? 00:00:01 php-fpm: pool www
nginx 15098 15094 0 14:00 ? 00:00:01 php-fpm: pool www
nginx 15099 15094 0 14:00 ? 00:00:01 php-fpm: pool www
root 22719 1 0 17:22 ? 00:00:00 gedit /etc/nginx/nginx.conf
root 22811 1 0 17:25 ? 00:00:00 nginx: master process /usr/sbin/nginx -c /etc/nginx/nginx.conf
nginx 22813 22811 0 17:25 ? 00:00:00 nginx: worker process
root 22845 22824 0 18:05 pts/1 00:00:00 grep nginx

可以看到 使用nginx用户。
下面我们来设置nginx用户各个文件夹的具体权限

1
2
3
[root@VM_94_158_centos html]# ll
total 4
drwxr-xr-x 5 root root 4096 Aug 21 12:16 wordpress

可见文件owner是root
我们把文件owner改为nginx

1
[root@VM_94_158_centos html]# chown -R nginx ./wordpress/

对于linux中的权限

7 4 4
用户 任何人
r+w+x r r
4+2+1 4+0+0 4+0+0
1
[root@VM_94_158_centos html]# chmod -R 555 ./wordpress/

对于以下目录,要具有7的权限
多媒体上传的目录:/wp-content/uploads/
缓存目录:/.htaccess
/wp-content/cache/

1
[root@VM_94_158_centos html]# chmod -R 755 ./wordpress/wp-content/uploads/

Linux 下的Python升级


1
2
3
4
5
6
7
8
9
10
11
wget http://www.python.org/ftp/python/2.7.3/Python-2.7.3.tgz
tar -xf Python-2.7.3.tgz
cd Python-2.7.3
mkdir /usr/local/python27
./configure --prefix=/usr/local/python27
make
make install
//备份旧的python
mv /usr/bin/python /usr/bin/python_old
//新建link
ln -s /usr/local/python27/bin/python2.7 /usr/bin/python
|