python simple factory mode example
Two python simple factory mode examples shown in this section. One is for base operation and another is for json and xml file handling.
1. Base operation script shown as following:
# -*- coding: utf-8 -*-
"""
OperationFactory.py
This is a simple python3 factory mode example for operation
Created on Thu Sep 20 14:53:22 2018
"""
__author__="lyp" class Operation:
def __init__(self,Num1,Num2):
self.Num1=Num1
self.Num2=Num2 class OperationAdd(Operation):
def __init__(self,Num1,Num2):
Operation.__init__(self,Num1,Num2)
def result(self):
return(self.Num1+self.Num2) class OperationSub(Operation):
def __init__(self,Num1,Num2):
Operation.__init__(self,Num1,Num2)
def result(self):
return(self.Num1-self.Num2) class OperationMul(Operation):
def __init__(self,Num1,Num2):
Operation.__init__(self,Num1,Num2)
def result(self):
return(self.Num1*self.Num2) class OperationDiv(Operation):
def __init__(self,Num1,Num2):
Operation.__init__(self,Num1,Num2)
def result(self):
if self.Num2==0:
raise ValueError("Num2 can't be 0!!!")
else:
return(self.Num1/self.Num2) class OperationFactory:
def __init__(self):
pass
def create_operation(self,string_operate):
self.string_operate=string_operate
if self.string_operate=="+":
return(OperationAdd)
elif self.string_operate=="-":
return(OperationSub)
elif self.string_operate=="*":
return(OperationMul)
elif self.string_operate=="/":
return(OperationDiv)
else:
raise ValueError("Operator Error!!!") def main():
Add=OperationFactory().create_operation("+")
value=Add(1.0,2).result()
print("Add value is: {}".format(value))
Sub=OperationFactory().create_operation("-")
value=Sub(1.0,2).result()
print("Sub value is: {}".format(value))
Mul=OperationFactory().create_operation("*")
value=Mul(1.0,2).result()
print("Mul value is: {}".format(value))
Div=OperationFactory().create_operation("/")
value=Div(1.0,2).result()
print("Div value is: {}".format(value)) if __name__=="__main__":
main()
result as below:
Add value is: 3.0
Sub value is: -1.0
Mul value is: 2.0
Div value is: 0.5
Fig1.UML picture for OperationFactory.py
2. Connector factory script shown as following:
# -*- coding: utf-8 -*-
"""
ConnectorFactory.py
"""
__author__="lyp"
import json
import xml.etree.ElementTree as etree
import os
class jsonconnector:
def __init__(self,filepath):
self.data=[]
with open(filepath,mode='r',encoding='utf-8') as f:
self.data=json.load(f) def parsed_data(self):
return self.data class xmlconnector:
def __init__(self,filepath):
self.tree=etree.parse(filepath) def parsed_data(self):
return self.tree def connector_factory(filepath):
if filepath.endswith('json'):
connector=jsonconnector
elif filepath.endswith('xml'):
connector=xmlconnector
else:
raise ValueError('Cannot connect to {}'.format(filepath))
return connector(filepath) def connect_to(filepath):
factory=None
try:
factory=connector_factory(filepath)
except ValueError as ve:
print(ve)
return factory def main():
sql_factory=connect_to(os.getcwd()+os.sep+"sqlexample.sql")
print(sql_factory) json_factory=connect_to(os.getcwd()+os.sep+"jsonexample.json")
print(json_factory)
json_data=json_factory.parsed_data()
print('found: {} donuts'.format(len(json_data)))
for donuts in json_data:
print('name: {}'.format(donuts['name']))
print('price: ${}'.format(donuts['ppu']))
[print('topping: {} {}'.format(t['id'], t['type'])) for t in donuts['topping']] xml_factory=connect_to(os.getcwd()+os.sep+"xmlexample.xml")
print(xml_factory)
xml_data = xml_factory.parsed_data()
liars = xml_data.findall(".//{}[{}='{}']".format('person','lastName', 'Liar'))
print('found: {} persons'.format(len(liars)))
for liar in liars:
print('first name: {}'.format(liar.find('firstName').text))
print('last name: {}'.format(liar.find('lastName').text))
[print('phone number ({})'.format(p.attrib['type']),p.text) for p in liar.find('phoneNumbers')]
if __name__=="__main__":
main()
result as below(Note that sql_factory in main is test for exception handling):
Cannot connect to C:\Users\sling\Desktop\factory\sqlexample.sql
None
<__main__.jsonconnector object at 0x000000000E4DB9B0>
found: 3 donuts
name: Cake
price: $0.55
topping: 5001 None
topping: 5002 Glazed
topping: 5005 Sugar
topping: 5007 Powdered Sugar
topping: 5006 Chocolate with Sprinkles
topping: 5003 Chocolate
topping: 5004 Maple
name: Raised
price: $0.55
topping: 5001 None
topping: 5002 Glazed
topping: 5005 Sugar
topping: 5003 Chocolate
topping: 5004 Maple
name: Old Fashioned
price: $0.55
topping: 5001 None
topping: 5002 Glazed
topping: 5003 Chocolate
topping: 5004 Maple
<__main__.xmlconnector object at 0x000000000E4DB748>
found: 2 persons
first name: Jimy
last name: Liar
phone number (home) 212 555-1234
first name: Patty
last name: Liar
phone number (home) 212 555-1234
phone number (mobile) 001 452-8819
3. json file content (jsonexample.json)
[
{
"id": "",
"type": "donut",
"name": "Cake",
"ppu": 0.55,
"batters": {
"batter": [
{
"id": "",
"type": "Regular"
},
{
"id": "",
"type": "Chocolate"
},
{
"id": "",
"type": "Blueberry"
},
{
"id": "",
"type": "Devil's Food"
}
]
},
"topping": [
{
"id": "",
"type": "None"
},
{
"id": "",
"type": "Glazed"
},
{
"id": "",
"type": "Sugar"
},
{
"id": "",
"type": "Powdered Sugar"
},
{
"id": "",
"type": "Chocolate with Sprinkles"
},
{
"id": "",
"type": "Chocolate"
},
{
"id": "",
"type": "Maple"
}
]
},
{
"id": "",
"type": "donut",
"name": "Raised",
"ppu": 0.55,
"batters": {
"batter": [
{
"id": "",
"type": "Regular"
}
]
},
"topping": [
{
"id": "",
"type": "None"
},
{
"id": "",
"type": "Glazed"
},
{
"id": "",
"type": "Sugar"
},
{
"id": "",
"type": "Chocolate"
},
{
"id": "",
"type": "Maple"
}
]
},
{
"id": "",
"type": "donut",
"name": "Old Fashioned",
"ppu": 0.55,
"batters": {
"batter": [
{
"id": "",
"type": "Regular"
},
{
"id": "",
"type": "Chocolate"
}
]
},
"topping": [
{
"id": "",
"type": "None"
},
{
"id": "",
"type": "Glazed"
},
{
"id": "",
"type": "Chocolate"
},
{
"id": "",
"type": "Maple"
}
]
}
]
3. xml file content (xmlexample.xml)
<persons>
<person>
<firstName>John</firstName>
<lastName>Smith</lastName>
<age>25</age>
<address>
<streetAddress>21 2nd Street</streetAddress>
<city>New York</city>
<state>NY</state>
<postalCode>10021</postalCode>
</address>
<phoneNumbers>
<phoneNumber type="home">212 555-1234</phoneNumber>
<phoneNumber type="fax">646 555-4567</phoneNumber>
</phoneNumbers>
<gender>
<type>male</type>
</gender>
</person>
<person>
<firstName>Jimy</firstName>
<lastName>Liar</lastName>
<age>19</age>
<address>
<streetAddress>18 2nd Street</streetAddress>
<city>New York</city>
<state>NY</state>
<postalCode>10021</postalCode>
</address>
<phoneNumbers>
<phoneNumber type="home">212 555-1234</phoneNumber>
</phoneNumbers>
<gender>
<type>male</type>
</gender>
</person>
<person>
<firstName>Patty</firstName>
<lastName>Liar</lastName>
<age>20</age>
<address>
<streetAddress>18 2nd Street</streetAddress>
<city>New York</city>
<state>NY</state>
<postalCode>10021</postalCode>
</address>
<phoneNumbers>
<phoneNumber type="home">212 555-1234</phoneNumber>
<phoneNumber type="mobile">001 452-8819</phoneNumber>
</phoneNumbers>
<gender>
<type>female</type>
</gender>
</person>
</persons>
python simple factory mode example的更多相关文章
- PHP设计模式(一)简单工厂模式 (Simple Factory For PHP)
最近天气变化无常,身为程序猿的寡人!~终究难耐天气的挑战,病倒了,果然,程序猿还需多保养自己的身体,有句话这么说:一生只有两件事能报复你:不够努力的辜负和过度消耗身体的后患.话不多说,开始吧. 一.什 ...
- Design Patterns Simplified - Part 3 (Simple Factory)【设计模式简述--第三部分(简单工厂)】
原文链接:http://www.c-sharpcorner.com/UploadFile/19b1bd/design-patterns-simplified-part3-factory/ Design ...
- 设计模式之简单工厂模式Simple Factory(四创建型)
工厂模式简介. 工厂模式专门负责将大量有共同接口的类实例化 工厂模式可以动态决定将哪一个类实例化,不必事先知道每次要实例化哪一个类. 工厂模式有三种形态: 1.简单工厂模式Simple Factory ...
- Net设计模式实例之简单工厂模式(Simple Factory Pattern)
一.简单工厂模式简介(Bref Introduction) 简单工厂模式(Simple Factory Pattern)的优点是,工厂类中包含了必要的逻辑判断,根据客户端的选择条件动态实例化相关的类, ...
- 创建型模式(前引)简单工厂模式Simple Factory
一引出的原因(解决下面的问题) 简单工厂模式(Simple Factory Pattern):又称为静态工厂方法(Static Factory Method)模式,它属于类创建型模式. 在简单工厂模式 ...
- 深入浅出设计模式——简单工厂模式(Simple Factory)
介绍简单工厂模式不能说是一个设计模式,说它是一种编程习惯可能更恰当些.因为它至少不是Gof23种设计模式之一.但它在实际的编程中经常被用到,而且思想也非常简单,可以说是工厂方法模式的一个引导,所以我想 ...
- 设计模式学习之简单工厂(Simple Factory,创建型模式)(1)
简单工厂(Simple Factory,创建型模式) 第一步: 比如我们要采集苹果和香蕉,那么我们需要创建一个Apple类和Banana类,里面各自有采集方法get(),然后通过main方法进行调用, ...
- 设计模式:简单工厂(Simple Factory)
定义:根据提供的数据或参数返回几种可能类中的一种. 示例:实现计算器功能,要求输入两个数和运算符号,得到结果. 结构图: HTML: <html xmlns="http://www.w ...
- Simple Factory vs. Factory Method vs. Abstract Factory【简单工厂,工厂方法以及抽象工厂的比较】
I ran into a question on stackoverflow the other day that sort of shocked me. It was a piece of code ...
随机推荐
- 重复文件查找工具:Duplicate Cleaner V4.11绿色免费版
Duplicate Cleaner 是一款可以帮助你在你的计算机上找到并且快速查找出重复文件并标记出不同的颜色,让你轻松查阅处理.你可以立即搜索多个文件夹结构并且设置识别副本文件的标准.你可以选择使用 ...
- 51nod 1589 移数博弈【桶排序+链表】
1589 移数博弈 基准时间限制:1 秒 空间限制:262144 KB 分值: 80 难度:5级算法题 小A和小B在玩一个游戏. 他们拥有一个数列. 小A在该数列中选择出最大的那个数,然后移出该数 ...
- Hive学习之路 (四)Hive的连接3种连接方式
一.CLI连接 进入到 bin 目录下,直接输入命令: [hadoop@hadoop3 ~]$ hive SLF4J: Class path contains multiple SLF4J bindi ...
- HBase学习之路 (十一)HBase的协过滤器
协处理器—Coprocessor 1. 起源 Hbase 作为列族数据库最经常被人诟病的特性包括:无法轻易建立“二级索引”,难以执 行求和.计数.排序等操作.比如,在旧版本的(<0.92)Hba ...
- 7、Android---网络技术
玩手机不能上网是单机的时代 而且现在的流量也出了无限使用 几乎网络离不开人们的日常生活 7.1.WebView的用法 遇到一些特殊的请求 在程序中展示一些网页 加载和显示网页都是浏览器的任务 在不打开 ...
- Spring源码分析(二十四)初始化非延迟加载单例
摘要: 本文结合<Spring源码深度解析>来分析Spring 5.0.6版本的源代码.若有描述错误之处,欢迎指正. 完成BeanFactory的初始化工作,其中包括ConversionS ...
- Mac OS X 命令行用户应当知道的八个终端工具
原文链接:Eight Terminal Utilities Every OS X Command Line User Should Know OS X 的Terminal 终端开辟了强大的UNIX实 ...
- Manifest XML signature is not valid(安装ClickOnce签名未通过验证)
转载:http://stackoverflow.com/questions/12826798/manifest-xml-signature-is-not-valid 安装时,我的问题: PLATFO ...
- 从公司服务器C盘被删说起
事情起因 一个阳(严)光(重)明(雾)媚(霾)的周二,对于我们从周二到周六的班次来说,这是新的一周开始.我像往常一样,打开电脑,倒上一杯水,开始翻阅从大洋彼岸发来的各种邮件.突然看到一封紧急的邮件,内 ...
- OpenID Connect Core 1.0(九)声明(Claims)
5 声明(Claims) 这一节说明客户端如何获取关于终端用户声明和验证事件.它还定义了一组标准的基本声明配置.预定义一组可请求的声明,使用特定的scope值或能用于请求参数中的个人声明.声明可以直接 ...