Ansible项目实战搭建lnmp

一、项目规划

通过ansible的roles角色去配置lnmp环境,nginx、php、mysql都使用源码编译安装

二、项目步骤

(1)创建管理目录

******(1)生成密钥,安装ansible
[root@ansible ~]# ssh-keygen -t rsa  #生成密钥
Generating public/private rsa key pair.
Enter file in which to save the key (/root/.ssh/id_rsa): 
Created directory '/root/.ssh'.
Enter passphrase (empty for no passphrase): 
Enter same passphrase again: 
Your identification has been saved in /root/.ssh/id_rsa.
Your public key has been saved in /root/.ssh/id_rsa.pub.
The key fingerprint is:
SHA256:cR2NsH+QIDCIuw0n+EcVhFPfDGAR4eqOpqf+oDtLXCQ root@ansible
The key's randomart image is:
+---[RSA 2048]----+
|   . =%Bo o..o   |
|  . +o.o = +.o.  |
| E o o. o = +    |
|. * o.   o . .   |
| . O.   S   . .  |
|. +.o        .   |
| + ..            |
|+ +o             |
|BXo..            |
+----[SHA256]-----+
[root@ansible ~]# ssh-copy-id 192.168.100.204  #把密钥传给204
/usr/bin/ssh-copy-id: INFO: Source of key(s) to be installed: "/root/.ssh/id_rsa.pub"
The authenticity of host '192.168.100.204 (192.168.100.204)' can't be established.
ECDSA key fingerprint is SHA256:VhTZ5YxS5af2rHtfCvyc6ehXh3PD2A8KY2MyE6rHjiU.
ECDSA key fingerprint is MD5:e8:41:d2:8a:7e:e9:a9:47:a3:f0:29:be:e9:6d:df:51.
Are you sure you want to continue connecting (yes/no)? yes
/usr/bin/ssh-copy-id: INFO: attempting to log in with the new key(s), to filter out any that are already installed
/usr/bin/ssh-copy-id: INFO: 1 key(s) remain to be installed -- if you are prompted now it is to install the new keys
[email protected]'s password: 

Number of key(s) added: 1

Now try logging into the machine, with:   "ssh '192.168.100.204'"
and check to make sure that only the key(s) you wanted were added.
[root@ansible ~]# vim /etc/yum.repos.d/centos.repo 
[aaa]
name=aaa
baseurl=file:///mnt
enabled=1
gpgcheck=0
[ansible]
name=ansible
baseurl=file:///root/ansible
enabled=1
gpgcheck=0
[root@ansible ~]# yum -y install ansible
。。。。。。完毕!
[root@ansible ~]# vim /etc/ansible/hosts  #添加主机到hosts文件
[web02]
192.168.100.204
[root@ansible ~]# ansible web02 -m shell -a 'ls'   #确认ansible可以免密登录204
192.168.100.204 | SUCCESS | rc=0 >>
anaconda-ks.cfg


******(2)创建管理目录
[root@ansible ~]# mkdir -p /etc/ansible/roles/lnmp/roles/{mysql_install,nginx_install,php_install}/{files,handlers,meta,tasks,templates,vars}
[root@ansible ~]# yum -y install tree  #安装tree
。。。。。。
完毕!
[root@ansible ~]# cd /etc/ansible/roles/
[root@ansible roles]# tree
.
└── lnmp
    └── roles
        ├── mysql_install
        │   ├── files
        │   ├── handlers
        │   ├── meta
        │   ├── tasks
        │   ├── templates
        │   └── vars
        ├── nginx_install
        │   ├── files
        │   ├── handlers
        │   ├── meta
        │   ├── tasks
        │   ├── templates
        │   └── vars
        └── php_install
            ├── files
            ├── handlers
            ├── meta
            ├── tasks
            ├── templates
            └── vars

23 directories, 0 files

(2)在各个角色的files目录上传源码包

[root@ansible roles]# cd lnmp/roles/mysql_install/files/  #注意要上传到files下
[root@ansible files]# ll   #上传源码包
总用量 54844
-rw-r--r-- 1 root root  5583905 625 17:14 cmake-2.8.6.tar.gz
-rw-r--r-- 1 root root 50571897 625 17:14 mysql-5.7.12.tar.gz
[root@ansible files]# cd ../../
[root@ansible roles]# cd nginx_install/files/
[root@ansible files]# ll
总用量 960
-rw-r--r-- 1 root root 980831 625 17:16 nginx-1.12.0.tar.gz
[root@ansible files]# cd ../../
[root@ansible roles]# cd php_install/files/
[root@ansible files]# ll
总用量 17372
-rw-r--r-- 1 root root 17785731 625 17:16 php-5.5.38.tar.gz
[root@ansible files]# cd ../../../
[root@ansible lnmp]# tree
.
└── roles
    ├── mysql_install
    │   ├── files
    │   │   ├── cmake-2.8.6.tar.gz
    │   │   └── mysql-5.7.12.tar.gz
    │   ├── handlers
    │   ├── meta
    │   ├── tasks
    │   ├── templates
    │   └── vars
    ├── nginx_install
    │   ├── files
    │   │   └── nginx-1.12.0.tar.gz
    │   ├── handlers
    │   ├── meta
    │   ├── tasks
    │   ├── templates
    │   └── vars
    └── php_install
        ├── files
        │   └── php-5.5.38.tar.gz
        ├── handlers
        ├── meta
        ├── tasks
        ├── templates
        └── vars

22 directories, 4 files

(3)先创建lnmp入口文件,用来调用角色

[root@ansible lnmp]# vim lnmp.yml  #创建的入口文件要和lnmp的角色目录是同级关系
---
- hosts: web02
  remote_user: root
  gather_facts: True     
  roles:                 #角色的顺序要排好
    - mysql_install    
    - php_install
    - nginx_install
[root@ansible lnmp]# pwd
/etc/ansible/roles/lnmp
[root@ansible lnmp]# ll
总用量 4
-rw-r--r-- 1 root root 128 624 20:31 lnmp.yml
drwxr-xr-x 5 root root  67 624 18:12 roles    

(4)先做mysql的部分

******先创建mysql的入口文件,用来调用mysql_install
[root@ansible lnmp]# vim mysql.yml
---
- hosts: web02
  remote_user: root
  gather_facts: True
  roles:
    - mysql_install
 
 
******创建变量文件 
[root@ansible lnmp]# vim roles/mysql_install/vars/main.yml    
mysql_ver: 5.7.12    #要注意上传的mysql的版本要和这样相同
mysql_user: mysql
mysql_port: 3306
mysql_passwd: 123123
source_dir: /usr/src
base_dir: /usr/local/mysql
data_dir: /usr/local/mysql/data


******创建模板文件
[root@ansible lnmp]# vim roles/mysql_install/templates/my.cnf.j2  #创建jinja2模板配置文件
[mysqld]
basedir = {
    
    {
    
     base_dir }}
datadir = {
    
    {
    
     data_dir }}
port = {
    
    {
    
     mysql_port }}
sql_mode=NO_ENGINE_SUBSTITUTION,STRICT_TRANS_TABLES
character_set_server=utf8
init_connect='SET NAMES utf8'
log-error={
    
    {
    
     base_dir }}/logs/mysqld.log
pid-file={
    
    {
    
     base_dir }}/data/{
    
    {
    
     ansible_fqdn }}.pid
skip-name-resolve
explicit_defaults_for_timestamp=true
#保存退出


******创建mysql服务文件
[root@ansible lnmp]# vim roles/mysql_install/templates/mysqld.service.j2  #服务启动脚本
[Unit]
Description=mysql server
After=network.target

[Service]
User={
    
    {
    
     mysql_user }}		
Group={
    
    {
    
     mysql_user }}

Type=forking
ExecStart={
    
    {
    
     base_dir }}/bin/mysqld.sh start
ExecStop={
    
    {
    
     base_dir }}/bin/mysqld.sh stop
PIDFile={
    
    {
    
     data_dir }}/{
    
    {
    
     ansible_fqdn }}.pid

[Install]
WantedBy=multi-user.target
PrivateTmp=false
#保存退出


******更改数据库root密码的脚本
[root@ansible lnmp]# vim roles/mysql_install/templates/change_passwd.sh
#!/bin/bash
#该脚本用于更改数据库root密码

passwd={
    
    {
    
     mysql_passwd }}
{
    
    {
    
     base_dir }}/bin/mysql -uroot -D mysql -e "UPDATE user SET authentication_string=PASSWORD("$passwd") WHERE user='root';"

{
    
    {
    
     base_dir }}/bin/mysql -uroot -e "FLUSH PRIVILEGES;"

{
    
    {
    
     base_dir }}/bin/mysql -uroot -p$passwd -e "grant all privileges on *.* to root@'%'  identified by '$passwd';"
#保存退出


******环境准备,编写任务
[root@ansible lnmp]# vim roles/mysql_install/tasks/prepare.yml  #安装mysql依赖的剧本
- name: 安装常用软件包
  yum:
    name:
      - ncurses-devel
      - cmake
      - gd 
      - libxml2-devel
      - libjpeg-devel 
      - libpng-devel
      - pcre-devel
      - zlib-devel
#保存退出      


******编写源码安装MySQL的剧本
[root@ansible lnmp]# vim roles/mysql_install/tasks/copy.yml
- name: 创建mysql用户组
  group: name={
    
    {
    
     mysql_user }}  state=present
- name: 创建mysql用户组
  group: name={
    
    {
    
     mysql_user }}  state=present

- name: 创建mysql用户
  user: name={
    
    {
    
     mysql_user }}  group={
    
    {
    
     mysql_user }}  state=present create_home=False shell=/sbin/nologin

- name: 解压cmake源码包
  unarchive: src=cmake-2.8.6.tar.gz dest={
    
    {
    
     source_dir }}

- name: 解压mysql源码包
  unarchive: src=mysql-5.6.36.tar.gz dest={
    
    {
    
     source_dir }}

- name: 安装cmake
  shell: "cd /usr/src/cmake-2.8.6 && ./configure && gmake && gmake install"

- name: 安装mysql
  shell: "cd /usr/src/mysql-5.6.36/ && cmake -DCMAKE_INSTALL_PREFIX=/usr/local/mysql -DSYSCONFDIR=/etc -DDEFAULT_CHARSET=utf8 -DDEFAULT_COLLATION=utf8_general_ci -DWITH_EXTRA_CHARSETS=all && make && make install && chown -R {
    
    { mysql_user }}:{
    
    { mysql_user }} {
    
    { base_dir }} && rm -rf /etc/my.cnf && cp /usr/src/mysql-5.6.36/support-files/mysql.server /usr/local/mysql/bin/mysqld.sh && chmod +x /usr/local/mysql/bin/mysqld.sh"

- name: 拷贝mysql的配置文件
  template: src=my.cnf.j2 dest=/etc/my.cnf owner=root group=root

- name: 拷贝mysql服务文件
  template: src=mysqld.service.j2 dest=/usr/lib/systemd/system/mysqld.service owner=root group=root

- name: 创建mysql日志存放路径
  file: dest={
    
    {
    
     base_dir }}/logs state=directory owner={
    
    {
    
     mysql_user }} group={
    
    {
    
     mysql_user }}
  #保存退出
  
  
******编写mysql初始化剧本
[root@ansible lnmp]# vim roles/mysql_install/tasks/install.yml
- name: mysql初始化
  shell: "{
    
    { base_dir }}/scripts/mysql_install_db --user={
    
    { mysql_user }} --basedir={
    
    { base_dir }}  --datadir={
    
    { data_dir }}"

- name: 配置环境变量
  shell: "ln -s /usr/local/mysql/bin/* /usr/local/bin/"

- name: 启动mysql并开机启动
  shell: "systemctl daemon-reload && systemctl enable mysqld && systemctl start mysqld"

- name: 拷贝更改密码脚本
  template: src=change_passwd.sh dest={
    
    {
    
     source_dir }}/change_passwd.sh owner=root group=root
  #保存退出
  
  
******编写引用文件main.yml
[root@ansible lnmp]# vim roles/mysql_install/tasks/main.yml
- include: prepare.yml
- include: copy.yml
- include: install.yml


******查看mysql_install的树状结构
[root@ansible lnmp]# cd roles/mysql_install/
[root@ansible mysql_install]# tree
.
├── files
│   ├── cmake-2.8.6.tar.gz
│   └── mysql-5.7.12.tar.gz
├── handlers
├── meta
├── tasks
│   ├── copy.yml
│   ├── install.yml
│   ├── main.yml
│   └── prepare.yml
├── templates
│   ├── change_passwd.sh
│   ├── my.cnf.j2
│   └── mysqld.service.j2
└── vars
    └── main.yml
[root@ansible mysql_install]# cd ../../

(5)做php部分

******和mysql相同先做php入口文件
[root@ansible lnmp]# vim php.yml
---
- hosts: web02
  remote_user: root
  gather_facts: True
  roles:
    - php_install
#保存退出

    
******创建变量文件
[root@ansible lnmp]# vim roles/php_install/vars/main.yml  #定义php的变量
php_ver: 5.5.38
php_user: php
php_port: 9000
source_dir: /usr/src
php_dir: /usr/local/php5
mysql_dir: /usr/local/mysql
#保存退出


******创建模板文件
[root@ansible lnmp]# cd roles/php_install/files/
[root@ansible files]# ll
总用量 17372
-rw-r--r-- 1 root root 17785731 624 20:29 php-5.5.38.tar.gz
[root@ansible files]# ll   #先上传php的配置文件
总用量 17396
-rw-r--r-- 1 root root 17785731 624 20:29 php-5.5.38.tar.gz
-rw-r--r-- 1 root root    22561 624 21:11 php-fpm.conf
[root@ansible files]# cd ..
[root@ansible php_install]#  cd ..
[root@ansible roles]# cd ..


******编写php环境准备的剧本
[root@ansible lnmp]# vim roles/php_install/tasks/copy.yml
- name: 创建php用户组
  group: name={
    
    {
    
     php_user }}  state=present

- name: 创建php用户
  user: name={
    
    {
    
     php_user }}  group={
    
    {
    
     php_user }}  state=present create_home=False shell=/sbin/nologin

- name: 解压php包
  unarchive: src=php-{
    
    {
    
     php_ver }}.tar.gz dest={
    
    {
    
     source_dir }}
#保存退出


******编写安装php的剧本
[root@ansible lnmp]# vim roles/php_install/tasks/install.yml
- name: 编译php
  shell: "cd /usr/src/php-5.5.38/ && ./configure --prefix=/usr/local/php5 --with-gd --with-zlib --with-mysql=/usr/local/mysql --with-mysqli=/usr/local/mysql/bin/mysql_config  --with-config-file-path=/usr/local/php5 --enable-mbstring --enable-fpm --with-jpeg-dir=/usr/lib && make && make install && cp php.ini-development /usr/local/php5/php.ini && ln -s /usr/local/php5/bin/* /usr/local/bin/ && ln -s /usr/local/php5/sbin/* /usr/local/sbin/"

- name: 修改php-fpm配置_1
  copy: src=php-fpm.conf dest=/usr/local/php5/etc/php-fpm.conf

- name: 启动php
  shell: "/usr/local/sbin/php-fpm"
#保存退出


******编写php的引用文件
[root@ansible lnmp]# vim roles/php_install/tasks/main.yml
- include: copy.yml
- include: install.yml
#保存退出

(6)做nginx部分

******创建ngxin的入口文件
[root@ansible lnmp]# vim nginx.yml
---
- hosts: web02
  remote_user: root
  hather_facts: True
  roles:
    - nginx_install
#保存退出


******创建变量文件
[root@ansible lnmp]# vim roles/nginx_install/vars/main.yml
nginx_ver: 1.12.0
nginx_user: nginx
nginx_port: 80
source_dir: /usr/src
nginx_dir: /usr/local/nginx
#保存退出


******创建模板文件
[root@ansible lnmp]# vim roles/nginx_install/templates/nginx.j2 
#!/bin/bash
# chkconfig: - 99 20
# description: Nginx Server Control Script
NP="{
    
    { nginx_dir }}/sbin/nginx"
NPF="{
    
    { nginx_dir }}/logs/nginx.pid"
case "$1" in
  start)
    $NP;
    if [ $? -eq 0 ]
    then
      echo "nginx is starting!! "
    fi
  ;;
  stop)
    kill -s QUIT $(cat $NPF)
    if [ $? -eq 0 ]
    then
    echo "nginx is stopping!! "
    fi
  ;;
  restart)
    $0 stop
    $0 start
  ;;
  reload)
    kill -s HUP $(cat $NPF)
    if [ $? -eq 0 ]
    then
      echo "nginx config file is reload! "
    fi
  ;;
  *)
    echo "Usage: $0 {start|stop|restart|reload}"
    exit 1
esac
exit 0
#保存退出


******编写nginx环境准备剧本
[root@ansible lnmp]# vim roles/nginx_install/tasks/copy.yml
- name: 创建nginx用户
  user: name={
    
    {
    
     nginx_user }} state=present create_home=False shell=/sbin/nologin

- name: 解压nginx包
  unarchive: src=nginx-{
    
    {
    
     nginx_ver }}.tar.gz dest={
    
    {
    
     source_dir }}
#保存退出


******编写安装nginx的剧本
[root@ansible lnmp]# cd roles/nginx_install/templates/
[root@ansible templates]# ll   #因为下面的剧本使用的是template模块,所以把文件传到template目录下
总用量 16
-rw-r--r-- 1 root root 1243 624 23:14 nginx.conf
-rw-r--r-- 1 root root  604 624 21:25 nginx.j2
-rw-r--r-- 1 root root   23 624 23:14 testa.php
-rw-r--r-- 1 root root  116 624 23:14 testm.php
[root@ansible templates]# cd ../../../
[root@ansible lnmp]# vim roles/nginx_install/tasks/install.yml
- name: 编译nginx
  shell: "cd /usr/src/nginx-1.12.0/ && ./configure --prefix=/usr/local/nginx --user=nginx --group=nginx --with-http_stub_status_module && make && make install && ln -s /usr/local/nginx/sbin/nginx /usr/local/sbin/"
- name: 上传nginx启动脚本
  template: src=nginx.j2 dest=/etc/init.d/nginx mode=777

- name: 上传nginx配置文件
  template: src=nginx.conf dest=/usr/local/nginx/conf/nginx.conf

- name: 上传php测试页面
  template: src=testa.php dest=/usr/local/nginx/html

- name: 上传mysql测试页面
  template: src=testm.php dest=/usr/local/nginx/html

- name: 设置nginx为系统服务
  shell: chkconfig --add nginx

- name: 启动nginx
  service: name=nginx state=started
#保存退出


******编写nginx的引用文件
[root@ansible lnmp]# vim roles/nginx_install/tasks/main.yml
- include: /etc/ansible/roles/lnmp/roles/mysql_install/tasks/prepare.yml  #这里调用的是其他角色的文件,所以需要写绝对路径
- include: copy.yml
- include: install.yml

(7)检查语法

[root@ansible lnmp]# ansible-playbook -C lnmp.yml 

PLAY [web02] ****************************************************************************************************************************

TASK [Gathering Facts] ******************************************************************************************************************
ok: [192.168.100.204]

TASK [mysql_install : 安装常用软件包] **********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql用户组] *******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql用户组] *******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql用户] ********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 解压cmake源码包] *******************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 解压mysql源码包] *******************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 安装cmake] **********************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 安装mysql] **********************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 拷贝mysql的配置文件] *****************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 拷贝mysql服务文件] ******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql日志存放路径] ****************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : mysql初始化] *********************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 配置环境变量] ***********************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 启动mysql并开机启动] *****************************************************************************************************
skipping: [192.168.100.204]

TASK [mysql_install : 执行更改密码的脚本] ********************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 创建php用户组] ***********************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 创建php用户] ************************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 解压php包] *************************************************************************************************************
skipping: [192.168.100.204]

TASK [php_install : 编译php] **************************************************************************************************************
skipping: [192.168.100.204]

TASK [php_install : 修改php-fpm配置_1] ******************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 启动php] **************************************************************************************************************
skipping: [192.168.100.204]

TASK [nginx_install : 安装常用软件包] **********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 创建nginx用户] ********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 解压nginx包] *********************************************************************************************************
skipping: [192.168.100.204]

TASK [nginx_install : 编译nginx] **********************************************************************************************************
skipping: [192.168.100.204]

TASK [nginx_install : 上传nginx启动脚本] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传nginx配置文件] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传php测试页面] ********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传mysql测试页面] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 设置nginx为系统服务] *****************************************************************************************************
skipping: [192.168.100.204]

TASK [nginx_install : 启动nginx] **********************************************************************************************************
changed: [192.168.100.204]

PLAY RECAP ******************************************************************************************************************************
192.168.100.204            : ok=19   changed=18   unreachable=0    failed=0   

(8)执行剧本

[root@ansible lnmp]# ansible-playbook  lnmp.yml 

PLAY [web02] ****************************************************************************************************************************

TASK [Gathering Facts] ******************************************************************************************************************
ok: [192.168.100.204]

TASK [mysql_install : 安装常用软件包] **********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql用户组] *******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql用户组] *******************************************************************************************************
ok: [192.168.100.204]

TASK [mysql_install : 创建mysql用户] ********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 解压cmake源码包] *******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 解压mysql源码包] *******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 安装cmake] **********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 安装mysql] **********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 拷贝mysql的配置文件] *****************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 拷贝mysql服务文件] ******************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 创建mysql日志存放路径] ****************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : mysql初始化] *********************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 配置环境变量] ***********************************************************************************************************
 [WARNING]: Consider using the file module with state=link rather than running ln.  If you need to use command because file is
insufficient you can add warn=False to this command task or set command_warnings=False in ansible.cfg to get rid of this message.

changed: [192.168.100.204]

TASK [mysql_install : 启动mysql并开机启动] *****************************************************************************************************
changed: [192.168.100.204]

TASK [mysql_install : 拷贝更改密码脚本] *********************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 创建php用户组] ***********************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 创建php用户] ************************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 解压php包] *************************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 编译php] **************************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 修改php-fpm配置_1] ******************************************************************************************************
changed: [192.168.100.204]

TASK [php_install : 启动php] **************************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 安装常用软件包] **********************************************************************************************************
ok: [192.168.100.204]

TASK [nginx_install : 创建nginx用户] ********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 解压nginx包] *********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 编译nginx] **********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传nginx启动脚本] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传nginx配置文件] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传php测试页面] ********************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 上传mysql测试页面] ******************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 设置nginx为系统服务] *****************************************************************************************************
changed: [192.168.100.204]

TASK [nginx_install : 启动nginx] **********************************************************************************************************
changed: [192.168.100.204]

PLAY RECAP ******************************************************************************************************************************
192.168.100.204            : ok=32   changed=29   unreachable=0    failed=0   

(9)验证

数据库无法通过剧本设置密码的话,可以在远程主机上手动使用mysqladmin命令去设置,也可以在剧本中加入安装expect交互式命令工具去设置mysql密码
在这里插入图片描述

在这里插入图片描述

三、上传的配置文件附件

(1)nginx.conf

[root@ansible templates]# cat nginx.conf 
worker_processes  1;
events {
    
    
    worker_connections  1024;
}
http {
    
    
    include       mime.types;
    default_type  application/octet-stream;
    sendfile        on;
    keepalive_timeout  65;
    server {
    
    
        listen       80;
        server_name  localhost;
        location / {
    
    
            root   html;
            index  index.html index.htm;
        }
		location ~\.php {
    
    
		  root html;
	 fastcgi_pass 127.0.0.1:9000;
	fastcgi_index index.php;	
	include fastcgi.conf;
	}
        error_page   500 502 503 504  /50x.html;
        location = /50x.html {
    
    
            root   html;
        }
    }
    server {
    
    
        listen       80;
        server_name  www.benet.com;
        location / {
    
    
            root   html/upload;
            index  index.html index.htm index.php;
        }
		location ~\.php {
    
    
		  root html/upload;
	 fastcgi_pass 127.0.0.1:9000;
	fastcgi_index index.php;	
	include fastcgi.conf;
	}
	}
    server {
    
    
        listen       80;
        server_name  www.accp.com;
        location / {
    
    
            root   html/wordpress;
            index  index.html index.htm index.php;
        }
		location ~\.php {
    
    
		  root html/wordpress;
	 fastcgi_pass 127.0.0.1:9000;
	fastcgi_index index.php;	
	include fastcgi.conf;
	}
	}
}

(2)testa.php

[root@ansible templates]# cat testa.php 
<?php 
  phpinfo();
?>

(3)testm.php

[root@ansible templates]# cat testm.php 
<?php 
$link=mysql_connect('localhost','root','123123');  
if(!$link) echo "nonono";  
else echo "okokok";  
?>

(4)php-fpm.conf

[root@ansible files]# cat php-fpm.conf 
;;;;;;;;;;;;;;;;;;;;;
; FPM Configuration ;
;;;;;;;;;;;;;;;;;;;;;

; All relative paths in this configuration file are relative to PHP's install
; prefix (/usr/local/php5). This prefix can be dynamically changed by using the
; '-p' argument from the command line.

; Include one or more files. If glob(3) exists, it is used to include a bunch of
; files from a glob(3) pattern. This directive can be used everywhere in the
; file.
; Relative path can also be used. They will be prefixed by:
;  - the global prefix if it's been set (-p argument)
;  - /usr/local/php5 otherwise
;include=etc/fpm.d/*.conf

;;;;;;;;;;;;;;;;;;
; Global Options ;
;;;;;;;;;;;;;;;;;;

[global]
; Pid file
; Note: the default prefix is /usr/local/php5/var
; DEfault Value: none
Pid = run/php-fpm.pid

; Error log file
; If it's set to "syslog", log is sent to syslogd instead of being written
; in a local file.
; Note: the default prefix is /usr/local/php5/var
; Default Value: log/php-fpm.log
;error_log = log/php-fpm.log

; syslog_facility is used to specify what type of program is logging the
; message. This lets syslogd specify that messages from different facilities
; will be handled differently.
; See syslog(3) for possible values (ex daemon equiv LOG_DAEMON)
; Default Value: daemon
;syslog.facility = daemon

; syslog_ident is prepended to every message. If you have multiple FPM
; instances running on the same server, you can change the default value
; which must suit common needs.
; Default Value: php-fpm
;syslog.ident = php-fpm

; Log level
; Possible Values: alert, error, warning, notice, debug
; Default Value: notice
;log_level = notice

; If this number of child processes exit with SIGSEGV or SIGBUS within the time
; interval set by emergency_restart_interval then FPM will restart. A value
; of '0' means 'Off'.
; Default Value: 0
;emergency_restart_threshold = 0

; Interval of time used by emergency_restart_interval to determine when 
; a graceful restart will be initiated.  This can be useful to work around
; accidental corruptions in an accelerator's shared memory.
; Available Units: s(econds), m(inutes), h(ours), or d(ays)
; Default Unit: seconds
; Default Value: 0
;emergency_restart_interval = 0

; Time limit for child processes to wait for a reaction on signals from master.
; Available units: s(econds), m(inutes), h(ours), or d(ays)
; Default Unit: seconds
; Default Value: 0
;process_control_timeout = 0

; The maximum number of processes FPM will fork. This has been design to control
; the global number of processes when using dynamic PM within a lot of pools.
; Use it with caution.
; Note: A value of 0 indicates no limit
; Default Value: 0
; process.max = 128

; Specify the nice(2) priority to apply to the master process (only if set)
; The value can vary from -19 (highest priority) to 20 (lower priority)
; Note: - It will only work if the FPM master process is launched as root
;       - The pool process will inherit the master process priority
;         unless it specified otherwise
; Default Value: no set
; process.priority = -19

; Send FPM to background. Set to 'no' to keep FPM in foreground for debugging.
; Default Value: yes
;daemonize = yes
 
; Set open file descriptor rlimit for the master process.
; Default Value: system defined value
;rlimit_files = 1024
 
; Set max core size rlimit for the master process.
; Possible Values: 'unlimited' or an integer greater or equal to 0
; Default Value: system defined value
;rlimit_core = 0

; Specify the event mechanism FPM will use. The following is available:
; - select     (any POSIX os)
; - poll       (any POSIX os)
; - epoll      (linux >= 2.5.44)
; - kqueue     (FreeBSD >= 4.1, OpenBSD >= 2.9, NetBSD >= 2.0)
; - /dev/poll  (Solaris >= 7)
; - port       (Solaris >= 10)
; Default Value: not set (auto detection)
;events.mechanism = epoll

; When FPM is build with systemd integration, specify the interval,
; in second, between health report notification to systemd.
; Set to 0 to disable.
; Available Units: s(econds), m(inutes), h(ours)
; Default Unit: seconds
; Default value: 10
;systemd_interval = 10

;;;;;;;;;;;;;;;;;;;;
; Pool Definitions ; 
;;;;;;;;;;;;;;;;;;;;

; Multiple pools of child processes may be started with different listening
; ports and different management options.  The name of the pool will be
; used in logs and stats. There is no limitation on the number of pools which
; FPM can handle. Your system will tell you anyway :)

; Start a new pool named 'www'.
; the variable $pool can we used in any directive and will be replaced by the
; pool name ('www' here)
[www]

; Per pool prefix
; It only applies on the following directives:
; - 'access.log'
; - 'slowlog'
; - 'listen' (unixsocket)
; - 'chroot'
; - 'chdir'
; - 'php_values'
; - 'php_admin_values'
; When not set, the global prefix (or /usr/local/php5) applies instead.
; Note: This directive can also be relative to the global prefix.
; Default Value: none
;prefix = /path/to/pools/$pool

; Unix user/group of processes
; Note: The user is mandatory. If the group is not set, the default user's group
;       will be used.
user = php
group = php

; The address on which to accept FastCGI requests.
; Valid syntaxes are:
;   'ip.add.re.ss:port'    - to listen on a TCP socket to a specific IPv4 address on
;                            a specific port;
;   '[ip:6:addr:ess]:port' - to listen on a TCP socket to a specific IPv6 address on
;                            a specific port;
;   'port'                 - to listen on a TCP socket to all IPv4 addresses on a
;                            specific port;
;   '[::]:port'            - to listen on a TCP socket to all addresses
;                            (IPv6 and IPv4-mapped) on a specific port;
;   '/path/to/unix/socket' - to listen on a unix socket.
; Note: This value is mandatory.
listen = 127.0.0.1:9000

; Set listen(2) backlog.
; Default Value: 65535 (-1 on FreeBSD and OpenBSD)
;listen.backlog = 65535

; Set permissions for unix socket, if one is used. In Linux, read/write
; permissions must be set in order to allow connections from a web server. Many
; BSD-derived systems allow connections regardless of permissions. 
; Default Values: user and group are set as the running user
;                 mode is set to 0660
;listen.owner = nobody
;listen.group = nobody
;listen.mode = 0660
 
; List of addresses (IPv4/IPv6) of FastCGI clients which are allowed to connect.
; Equivalent to the FCGI_WEB_SERVER_ADDRS environment variable in the original
; PHP FCGI (5.2.2+). Makes sense only with a tcp listening socket. Each address
; must be separated by a comma. If this value is left blank, connections will be
; accepted from any ip address.
; Default Value: any
;listen.allowed_clients = 127.0.0.1

; Specify the nice(2) priority to apply to the pool processes (only if set)
; The value can vary from -19 (highest priority) to 20 (lower priority)
; Note: - It will only work if the FPM master process is launched as root
;       - The pool processes will inherit the master process priority
;         unless it specified otherwise
; Default Value: no set
; process.priority = -19

; Choose how the process manager will control the number of child processes.
; Possible Values:
;   static  - a fixed number (pm.max_children) of child processes;
;   dynamic - the number of child processes are set dynamically based on the
;             following directives. With this process management, there will be
;             always at least 1 children.
;             pm.max_children      - the maximum number of children that can
;                                    be alive at the same time.
;             pm.start_servers     - the number of children created on startup.
;             pm.min_spare_servers - the minimum number of children in 'idle'
;                                    state (waiting to process). If the number
;                                    of 'idle' processes is less than this
;                                    number then some children will be created.
;             pm.max_spare_servers - the maximum number of children in 'idle'
;                                    state (waiting to process). If the number
;                                    of 'idle' processes is greater than this
;                                    number then some children will be killed.
;  ondemand - no children are created at startup. Children will be forked when
;             new requests will connect. The following parameter are used:
;             pm.max_children           - the maximum number of children that
;                                         can be alive at the same time.
;             pm.process_idle_timeout   - The number of seconds after which
;                                         an idle process will be killed.
; Note: This value is mandatory.
pm = dynamic

; The number of child processes to be created when pm is set to 'static' and the
; maximum number of child processes when pm is set to 'dynamic' or 'ondemand'.
; This value sets the limit on the number of simultaneous requests that will be
; served. Equivalent to the ApacheMaxClients directive with mpm_prefork.
; Equivalent to the PHP_FCGI_CHILDREN environment variable in the original PHP
; CGI. The below defaults are based on a server without much resources. Don't
; forget to tweak pm.* to fit your needs.
; Note: Used when pm is set to 'static', 'dynamic' or 'ondemand'
; Note: This value is mandatory.
pm.max_children = 50

; The number of child processes created on startup.
; Note: Used only when pm is set to 'dynamic'
; Default Value: min_spare_servers + (max_spare_servers - min_spare_servers) / 2
pm.start_servers = 20

; The desired minimum number of idle server processes.
; Note: Used only when pm is set to 'dynamic'
; Note: Mandatory when pm is set to 'dynamic'
pm.min_spare_servers = 5

; The desired maximum number of idle server processes.
; Note: Used only when pm is set to 'dynamic'
; Note: Mandatory when pm is set to 'dynamic'
pm.max_spare_servers = 35

; The number of seconds after which an idle process will be killed.
; Note: Used only when pm is set to 'ondemand'
; Default Value: 10s
;pm.process_idle_timeout = 10s;
 
; The number of requests each child process should execute before respawning.
; This can be useful to work around memory leaks in 3rd party libraries. For
; endless request processing specify '0'. Equivalent to PHP_FCGI_MAX_REQUESTS.
; Default Value: 0
;pm.max_requests = 500

; The URI to view the FPM status page. If this value is not set, no URI will be
; recognized as a status page. It shows the following informations:
;   pool                 - the name of the pool;
;   process manager      - static, dynamic or ondemand;
;   start time           - the date and time FPM has started;
;   start since          - number of seconds since FPM has started;
;   accepted conn        - the number of request accepted by the pool;
;   listen queue         - the number of request in the queue of pending
;                          connections (see backlog in listen(2));
;   max listen queue     - the maximum number of requests in the queue
;                          of pending connections since FPM has started;
;   listen queue len     - the size of the socket queue of pending connections;
;   idle processes       - the number of idle processes;
;   active processes     - the number of active processes;
;   total processes      - the number of idle + active processes;
;   max active processes - the maximum number of active processes since FPM
;                          has started;
;   max children reached - number of times, the process limit has been reached,
;                          when pm tries to start more children (works only for
;                          pm 'dynamic' and 'ondemand');
; Value are updated in real time.
; Example output:
;   pool:                 www
;   process manager:      static
;   start time:           01/Jul/2011:17:53:49 +0200
;   start since:          62636
;   accepted conn:        190460
;   listen queue:         0
;   max listen queue:     1
;   listen queue len:     42
;   idle processes:       4
;   active processes:     11
;   total processes:      15
;   max active processes: 12
;   max children reached: 0
;
; By default the status page output is formatted as text/plain. Passing either
; 'html', 'xml' or 'json' in the query string will return the corresponding
; output syntax. Example:
;   http://www.foo.bar/status
;   http://www.foo.bar/status?json
;   http://www.foo.bar/status?html
;   http://www.foo.bar/status?xml
;
; By default the status page only outputs short status. Passing 'full' in the
; query string will also return status for each pool process.
; Example: 
;   http://www.foo.bar/status?full
;   http://www.foo.bar/status?json&full
;   http://www.foo.bar/status?html&full
;   http://www.foo.bar/status?xml&full
; The Full status returns for each process:
;   pid                  - the PID of the process;
;   state                - the state of the process (Idle, Running, ...);
;   start time           - the date and time the process has started;
;   start since          - the number of seconds since the process has started;
;   requests             - the number of requests the process has served;
;   request duration     - the duration in µs of the requests;
;   request method       - the request method (GET, POST, ...);
;   request URI          - the request URI with the query string;
;   content length       - the content length of the request (only with POST);
;   user                 - the user (PHP_AUTH_USER) (or '-' if not set);
;   script               - the main script called (or '-' if not set);
;   last request cpu     - the %cpu the last request consumed
;                          it's always 0 if the process is not in Idle state
;                          because CPU calculation is done when the request
;                          processing has terminated;
;   last request memory  - the max amount of memory the last request consumed
;                          it's always 0 if the process is not in Idle state
;                          because memory calculation is done when the request
;                          processing has terminated;
; If the process is in Idle state, then informations are related to the
; last request the process has served. Otherwise informations are related to
; the current request being served.
; Example output:
;   ************************
;   pid:                  31330
;   state:                Running
;   start time:           01/Jul/2011:17:53:49 +0200
;   start since:          63087
;   requests:             12808
;   request duration:     1250261
;   request method:       GET
;   request URI:          /test_mem.php?N=10000
;   content length:       0
;   user:                 -
;   script:               /home/fat/web/docs/php/test_mem.php
;   last request cpu:     0.00
;   last request memory:  0
;
; Note: There is a real-time FPM status monitoring sample web page available
;       It's available in: /usr/local/php5/share/php/fpm/status.html
;
; Note: The value must start with a leading slash (/). The value can be
;       anything, but it may not be a good idea to use the .php extension or it
;       may conflict with a real PHP file.
; Default Value: not set 
;pm.status_path = /status
 
; The ping URI to call the monitoring page of FPM. If this value is not set, no
; URI will be recognized as a ping page. This could be used to test from outside
; that FPM is alive and responding, or to
; - create a graph of FPM availability (rrd or such);
; - remove a server from a group if it is not responding (load balancing);
; - trigger alerts for the operating team (24/7).
; Note: The value must start with a leading slash (/). The value can be
;       anything, but it may not be a good idea to use the .php extension or it
;       may conflict with a real PHP file.
; Default Value: not set
;ping.path = /ping

; This directive may be used to customize the response of a ping request. The
; response is formatted as text/plain with a 200 response code.
; Default Value: pong
;ping.response = pong

; The access log file
; Default: not set
;access.log = log/$pool.access.log

; The access log format.
; The following syntax is allowed
;  %%: the '%' character
;  %C: %CPU used by the request
;      it can accept the following format:
;      - %{user}C for user CPU only
;      - %{system}C for system CPU only
;      - %{total}C  for user + system CPU (default)
;  %d: time taken to serve the request
;      it can accept the following format:
;      - %{seconds}d (default)
;      - %{miliseconds}d
;      - %{mili}d
;      - %{microseconds}d
;      - %{micro}d
;  %e: an environment variable (same as $_ENV or $_SERVER)
;      it must be associated with embraces to specify the name of the env
;      variable. Some exemples:
;      - server specifics like: %{REQUEST_METHOD}e or %{SERVER_PROTOCOL}e
;      - HTTP headers like: %{HTTP_HOST}e or %{HTTP_USER_AGENT}e
;  %f: script filename
;  %l: content-length of the request (for POST request only)
;  %m: request method
;  %M: peak of memory allocated by PHP
;      it can accept the following format:
;      - %{bytes}M (default)
;      - %{kilobytes}M
;      - %{kilo}M
;      - %{megabytes}M
;      - %{mega}M
;  %n: pool name
;  %o: output header
;      it must be associated with embraces to specify the name of the header:
;      - %{Content-Type}o
;      - %{X-Powered-By}o
;      - %{Transfert-Encoding}o
;      - ....
;  %p: PID of the child that serviced the request
;  %P: PID of the parent of the child that serviced the request
;  %q: the query string 
;  %Q: the '?' character if query string exists
;  %r: the request URI (without the query string, see %q and %Q)
;  %R: remote IP address
;  %s: status (response code)
;  %t: server time the request was received
;      it can accept a strftime(3) format:
;      %d/%b/%Y:%H:%M:%S %z (default)
;  %T: time the log has been written (the request has finished)
;      it can accept a strftime(3) format:
;      %d/%b/%Y:%H:%M:%S %z (default)
;  %u: remote user
;
; Default: "%R - %u %t \"%m %r\" %s"
;access.format = "%R - %u %t \"%m %r%Q%q\" %s %f %{mili}d %{kilo}M %C%%"
 
; The log file for slow requests
; Default Value: not set
; Note: slowlog is mandatory if request_slowlog_timeout is set
;slowlog = log/$pool.log.slow
 
; The timeout for serving a single request after which a PHP backtrace will be
; dumped to the 'slowlog' file. A value of '0s' means 'off'.
; Available units: s(econds)(default), m(inutes), h(ours), or d(ays)
; Default Value: 0
;request_slowlog_timeout = 0
 
; The timeout for serving a single request after which the worker process will
; be killed. This option should be used when the 'max_execution_time' ini option
; does not stop script execution for some reason. A value of '0' means 'off'.
; Available units: s(econds)(default), m(inutes), h(ours), or d(ays)
; Default Value: 0
;request_terminate_timeout = 0
 
; Set open file descriptor rlimit.
; Default Value: system defined value
;rlimit_files = 1024
 
; Set max core size rlimit.
; Possible Values: 'unlimited' or an integer greater or equal to 0
; Default Value: system defined value
;rlimit_core = 0
 
; Chroot to this directory at the start. This value must be defined as an
; absolute path. When this value is not set, chroot is not used.
; Note: you can prefix with '$prefix' to chroot to the pool prefix or one
; of its subdirectories. If the pool prefix is not set, the global prefix
; will be used instead.
; Note: chrooting is a great security feature and should be used whenever 
;       possible. However, all PHP paths will be relative to the chroot
;       (error_log, sessions.save_path, ...).
; Default Value: not set
;chroot = 
 
; Chdir to this directory at the start.
; Note: relative path can be used.
; Default Value: current directory or / when chroot
;chdir = /var/www
 
; Redirect worker stdout and stderr into main error log. If not set, stdout and
; stderr will be redirected to /dev/null according to FastCGI specs.
; Note: on highloaded environement, this can cause some delay in the page
; process time (several ms).
; Default Value: no
;catch_workers_output = yes

; Clear environment in FPM workers
; Prevents arbitrary environment variables from reaching FPM worker processes
; by clearing the environment in workers before env vars specified in this
; pool configuration are added.
; Setting to "no" will make all environment variables available to PHP code
; via getenv(), $_ENV and $_SERVER.
; Default Value: yes
;clear_env = no

; Limits the extensions of the main script FPM will allow to parse. This can
; prevent configuration mistakes on the web server side. You should only limit
; FPM to .php extensions to prevent malicious users to use other extensions to
; exectute php code.
; Note: set an empty value to allow all extensions.
; Default Value: .php
;security.limit_extensions = .php .php3 .php4 .php5
 
; Pass environment variables like LD_LIBRARY_PATH. All $VARIABLEs are taken from
; the current environment.
; Default Value: clean env
;env[HOSTNAME] = $HOSTNAME
;env[PATH] = /usr/local/bin:/usr/bin:/bin
;env[TMP] = /tmp
;env[TMPDIR] = /tmp
;env[TEMP] = /tmp

; Additional php.ini defines, specific to this pool of workers. These settings
; overwrite the values previously defined in the php.ini. The directives are the
; same as the PHP SAPI:
;   php_value/php_flag             - you can set classic ini defines which can
;                                    be overwritten from PHP call 'ini_set'. 
;   php_admin_value/php_admin_flag - these directives won't be overwritten by
;                                     PHP call 'ini_set'
; For php_*flag, valid values are on, off, 1, 0, true, false, yes or no.

; Defining 'extension' will load the corresponding shared extension from
; extension_dir. Defining 'disable_functions' or 'disable_classes' will not
; overwrite previously defined php.ini values, but will append the new value
; instead.

; Note: path INI options can be relative and will be expanded with the prefix
; (pool, global or /usr/local/php5)

; Default Value: nothing is defined by default except the values in php.ini and
;                specified at startup with the -d argument
;php_admin_value[sendmail_path] = /usr/sbin/sendmail -t -i -f [email protected]
;php_flag[display_errors] = off
;php_admin_value[error_log] = /var/log/fpm-php.www.log
;php_admin_flag[log_errors] = on
;php_admin_value[memory_limit] = 32M

猜你喜欢

转载自blog.csdn.net/rzy1248873545/article/details/122212583