abstract有什么用语句表示什么意思

如何在Python中使用static、class、abstract方法(权威指南) - Python - 伯乐在线
& 如何在Python中使用static、class、abstract方法(权威指南)
方法在Python中是如何工作的
方法就是一个函数,它作为一个类属性而存在,你可以用如下方式来声明、访问一个函数:
&&& class Pizza(object):
def __init__(self, size):
self.size = size
def get_size(self):
return self.size
&&& Pizza.get_size
&unbound method Pizza.get_size&
&&& class Pizza(object):...&&&& def __init__(self, size):...&&&&&&&& self.size = size...&&&& def get_size(self):...&&&&&&&& return self.size...&&& Pizza.get_size&unbound method Pizza.get_size&
Python在告诉你,属性_get_size是类Pizza的一个未绑定方法。这是什么意思呢?很快我们就会知道答案:
&&& Pizza.get_size()
Traceback (most recent call last):
File "&stdin&", line 1, in &module&
TypeError: unbound method get_size() must be called with Pizza instance as first argument (got nothing instead)
&&& Pizza.get_size()Traceback (most recent call last):&&File "&stdin&", line 1, in &module&TypeError: unbound method get_size() must be called with Pizza instance as first argument (got nothing instead)
我们不能这么调用,因为它还没有绑定到Pizza类的任何实例上,它需要一个实例作为第一个参数传递进去(Python2必须是该类的实例,Python3中可以是任何东西),尝试一下:
&&& Pizza.get_size(Pizza(42))
&&& Pizza.get_size(Pizza(42))42
太棒了,现在用一个实例作为它的的第一个参数来调用,整个世界都清静了,如果我说这种调用方式还不是最方便的,你也会这么认为的;没错,现在每次调用这个方法的时候我们都不得不引用这个类,如果不知道哪个类是我们的对象,长期看来这种方式是行不通的。
那么Python为我们做了什么呢,它绑定了所有来自类_Pizza的方法以及该类的任何一个实例的方法。也就意味着现在属性get_size是Pizza的一个实例对象的绑定方法,这个方法的第一个参数就是该实例本身。
&&& Pizza(42).get_size
&bound method Pizza.get_size of &__main__.Pizza object at 0x7f&&
&&& Pizza(42).get_size()
&&& Pizza(42).get_size&bound method Pizza.get_size of &__main__.Pizza object at 0x7f&&&&& Pizza(42).get_size()42
和我们预期的一样,现在不再需要提供任何参数给_get_size,因为它已经是绑定的,它的self参数会自动地设置给Pizza实例,下面代码是最好的证明:
&&& m = Pizza(42).get_size
&&& m = Pizza(42).get_size&&& m()42
更有甚者,你都没必要使用持有Pizza对象的引用了,因为该方法已经绑定到了这个对象,所以这个方法对它自己来说是已经足够了。
也许,如果你想知道这个绑定的方法是绑定在哪个对象上,下面这种手段就能得知:
&&& m = Pizza(42).get_size
&&& m.__self__
&__main__.Pizza object at 0x7f&
&&& # You could guess, look at this:
&&& m == m.__self__.get_size
&&& m = Pizza(42).get_size&&& m.__self__&__main__.Pizza object at 0x7f&&&& # You could guess, look at this:...&&& m == m.__self__.get_sizeTrue
显然,该对象仍然有一个引用存在,只要你愿意你还是可以把它找回来。
在Python3中,依附在类上的函数不再当作是未绑定的方法,而是把它当作一个简单地函数,如果有必要它会绑定到一个对象身上去,原则依然和Python2保持一致,但是模块更简洁:
&&& class Pizza(object):
def __init__(self, size):
self.size = size
def get_size(self):
return self.size
&&& Pizza.get_size
&function Pizza.get_size at 0x7f307f984dd0&
&&& class Pizza(object):...&&&& def __init__(self, size):...&&&&&&&& self.size = size...&&&& def get_size(self):...&&&&&&&& return self.size...&&& Pizza.get_size&function Pizza.get_size at 0x7f307f984dd0&
静态方法是一类特殊的方法,有时你可能需要写一个属于这个类的方法,但是这些代码完全不会使用到实例对象本身,例如:
class Pizza(object):
@staticmethod
def mix_ingredients(x, y):
return x + y
def cook(self):
return self.mix_ingredients(self.cheese, self.vegetables)
class Pizza(object):&&&&@staticmethod&&&&def mix_ingredients(x, y):&&&&&&&&return x + y&&&&&def cook(self):&&&&&&&&return self.mix_ingredients(self.cheese, self.vegetables)
这个例子中,如果把_mix_ingredients作为非静态方法同样可以运行,但是它要提供self参数,而这个参数在方法中根本不会被使用到。这里的@staticmethod装饰器可以给我们带来一些好处:
Python不再需要为Pizza对象实例初始化一个绑定方法,绑定方法同样是对象,但是创建他们需要成本,而静态方法就可以避免这些。
&&& Pizza().cook is Pizza().cook
&&& Pizza().mix_ingredients is Pizza.mix_ingredients
&&& Pizza().mix_ingredients is Pizza().mix_ingredients
&&& Pizza().cook is Pizza().cookFalse&&& Pizza().mix_ingredients is Pizza.mix_ingredientsTrue&&& Pizza().mix_ingredients is Pizza().mix_ingredientsTrue
可读性更好的代码,看到@staticmethod我们就知道这个方法并不需要依赖对象本身的状态。
可以在子类中被覆盖,如果是把mix_ingredients作为模块的顶层函数,那么继承自Pizza的子类就没法改变pizza的mix_ingredients了如果不覆盖cook的话。
话虽如此,什么是类方法呢?类方法不是绑定到对象上,而是绑定在类上的方法。
&&& class Pizza(object):
radius = 42
@classmethod
def get_radius(cls):
return cls.radius
&&& Pizza.get_radius
&bound method type.get_radius of &class '__main__.Pizza'&&
&&& Pizza().get_radius
&bound method type.get_radius of &class '__main__.Pizza'&&
&&& Pizza.get_radius is Pizza().get_radius
&&& Pizza.get_radius()
123456789101112131415
&&& class Pizza(object):...&&&& radius = 42...&&&& @classmethod...&&&& def get_radius(cls):...&&&&&&&& return cls.radius... &&& &&& Pizza.get_radius&bound method type.get_radius of &class '__main__.Pizza'&&&&& Pizza().get_radius&bound method type.get_radius of &class '__main__.Pizza'&&&&& Pizza.get_radius is Pizza().get_radiusTrue&&& Pizza.get_radius()42
无论你用哪种方式访问这个方法,它总是绑定到了这个类身上,它的第一个参数是这个类本身(记住:类也是对象)。
什么时候使用这种方法呢?类方法通常在以下两种场景是非常有用的:
工厂方法:它用于创建类的实例,例如一些预处理。如果使用@staticmethod代替,那我们不得不硬编码Pizza类名在函数中,这使得任何继承Pizza的类都不能使用我们这个工厂方法给它自己用。
class Pizza(object):
def __init__(self, ingredients):
self.ingredients = ingredients
@classmethod
def from_fridge(cls, fridge):
return cls(fridge.get_cheese() + fridge.get_vegetables())
class Pizza(object):&&&&def __init__(self, ingredients):&&&&&&&&self.ingredients = ingredients&&&&&@classmethod&&&&def from_fridge(cls, fridge):&&&&&&&&return cls(fridge.get_cheese() + fridge.get_vegetables())
调用静态类:如果你把一个静态方法拆分成多个静态方法,除非你使用类方法,否则你还是得硬编码类名。使用这种方式声明方法,Pizza类名明永远都不会在被直接引用,继承和方法覆盖都可以完美的工作。
class Pizza(object):
def __init__(self, radius, height):
self.radius = radius
self.height = height
@staticmethod
def compute_area(radius):
return math.pi * (radius ** 2)
@classmethod
def compute_volume(cls, height, radius):
return height * pute_area(radius)
def get_volume(self):
pute_volume(self.height, self.radius)
123456789101112131415
class Pizza(object):&&&&def __init__(self, radius, height):&&&&&&&&self.radius = radius&&&&&&&&self.height = height&&&&&@staticmethod&&&&def compute_area(radius):&&&&&&&& return math.pi * (radius ** 2)&&&&&@classmethod&&&&def compute_volume(cls, height, radius):&&&&&&&& return height * cls.compute_area(radius)&&&&&def get_volume(self):&&&&&&&&return self.compute_volume(self.height, self.radius)
抽象方法是定义在基类中的一种方法,它没有提供任何实现,类似于Java中接口(Interface)里面的方法。
在Python中实现抽象方法最简单地方式是:
class Pizza(object):
def get_radius(self):
raise NotImplementedError
class Pizza(object):&&&&def get_radius(self):&&&&&&&&raise NotImplementedError
任何继承自_Pizza的类必须覆盖实现方法get_radius,否则会抛出异常。
这种抽象方法的实现有它的弊端,如果你写一个类继承Pizza,但是忘记实现get_radius,异常只有在你真正使用的时候才会抛出来。
&&& Pizza()
&__main__.Pizza object at 0x7fb&
&&& Pizza().get_radius()
Traceback (most recent call last):
File "&stdin&", line 1, in &module&
File "&stdin&", line 3, in get_radius
NotImplementedError
&&& Pizza()&__main__.Pizza object at 0x7fb&&&& Pizza().get_radius()Traceback (most recent call last):&&File "&stdin&", line 1, in &module&&&File "&stdin&", line 3, in get_radiusNotImplementedError
还有一种方式可以让错误更早的触发,使用Python提供的abc模块,对象被初始化之后就可以抛出异常:
import abc
class BasePizza(object):
__metaclass__
= abc.ABCMeta
@abc.abstractmethod
def get_radius(self):
"""Method that should do something."""
import abc&class BasePizza(object):&&&&__metaclass__&&= abc.ABCMeta&&&&&@abc.abstractmethod&&&&def get_radius(self):&&&&&&&& """Method that should do something."""
使用abc后,当你尝试初始化BasePizza或者任何子类的时候立马就会得到一个TypeError,而无需等到真正调用get_radius的时候才发现异常。
&&& BasePizza()
Traceback (most recent call last):
File "&stdin&", line 1, in &module&
TypeError: Can't instantiate abstract class BasePizza with abstract methods get_radius
&&& BasePizza()Traceback (most recent call last):&&File "&stdin&", line 1, in &module&TypeError: Can't instantiate abstract class BasePizza with abstract methods get_radius
混合静态方法、类方法、抽象方法
当你开始构建类和继承结构时,混合使用这些装饰器的时候到了,所以这里列出了一些技巧。
记住,声明一个抽象的方法,不会固定方法的原型,这就意味着虽然你必须实现它,但是我可以用任何参数列表来实现:
import abc
class BasePizza(object):
__metaclass__
= abc.ABCMeta
@abc.abstractmethod
def get_ingredients(self):
"""Returns the ingredient list."""
class Calzone(BasePizza):
def get_ingredients(self, with_egg=False):
egg = Egg() if with_egg else None
return self.ingredients + egg
12345678910111213
import abc&class BasePizza(object):&&&&__metaclass__&&= abc.ABCMeta&&&&&@abc.abstractmethod&&&&def get_ingredients(self):&&&&&&&& """Returns the ingredient list."""&class Calzone(BasePizza):&&&&def get_ingredients(self, with_egg=False):&&&&&&&&egg = Egg() if with_egg else None&&&&&&&&return self.ingredients + egg
这样是允许的,因为Calzone满足BasePizza对象所定义的接口需求。同样我们也可以用一个类方法或静态方法来实现:
import abc
class BasePizza(object):
__metaclass__
= abc.ABCMeta
@abc.abstractmethod
def get_ingredients(self):
"""Returns the ingredient list."""
class DietPizza(BasePizza):
@staticmethod
def get_ingredients():
return None
12345678910111213
import abc&class BasePizza(object):&&&&__metaclass__&&= abc.ABCMeta&&&&&@abc.abstractmethod&&&&def get_ingredients(self):&&&&&&&& """Returns the ingredient list."""&class DietPizza(BasePizza):&&&&@staticmethod&&&&def get_ingredients():&&&&&&&&return None
这同样是正确的,因为它遵循抽象类BasePizza设定的契约。事实上get_ingredients方法并不需要知道返回结果是什么,结果是实现细节,不是契约条件。
因此,你不能强制抽象方法的实现是一个常规方法、或者是类方法还是静态方法,也没什么可争论的。从Python3开始(在Python2中不能如你期待的运行,见),在abstractmethod方法上面使用@staticmethod和@classmethod装饰器成为可能。
import abc
class BasePizza(object):
__metaclass__
= abc.ABCMeta
ingredient = ['cheese']
@classmethod
@abc.abstractmethod
def get_ingredients(cls):
"""Returns the ingredient list."""
return cls.ingredients
123456789101112
import abc&class BasePizza(object):&&&&__metaclass__&&= abc.ABCMeta&&&&&ingredient = ['cheese']&&&&&@classmethod&&&&@abc.abstractmethod&&&&def get_ingredients(cls):&&&&&&&& """Returns the ingredient list."""&&&&&&&& return cls.ingredients
别误会了,如果你认为它会强制子类作为一个类方法来实现get_ingredients那你就错了,它仅仅表示你实现的get_ingredients在BasePizza中是一个类方法。
可以在抽象方法中做代码的实现?没错,Python与Java接口中的方法相反,你可以在抽象方法编写实现代码通过super()来调用它。(译注:在Java8中,接口也提供的默认方法,允许在接口中写方法的实现)
import abc
class BasePizza(object):
__metaclass__
= abc.ABCMeta
default_ingredients = ['cheese']
@classmethod
@abc.abstractmethod
def get_ingredients(cls):
"""Returns the ingredient list."""
return cls.default_ingredients
class DietPizza(BasePizza):
def get_ingredients(self):
return ['egg'] + super(DietPizza, self).get_ingredients()
12345678910111213141516
import abc&class BasePizza(object):&&&&__metaclass__&&= abc.ABCMeta&&&&&default_ingredients = ['cheese']&&&&&@classmethod&&&&@abc.abstractmethod&&&&def get_ingredients(cls):&&&&&&&& """Returns the ingredient list."""&&&&&&&& return cls.default_ingredients&class DietPizza(BasePizza):&&&&def get_ingredients(self):&&&&&&&&return ['egg'] + super(DietPizza, self).get_ingredients()
这个例子中,你构建的每个pizza都通过继承BasePizza的方式,你不得不覆盖get_ingredients方法,但是能够使用默认机制通过super()来获取ingredient列表。
打赏支持我翻译更多好文章,谢谢!
打赏支持我翻译更多好文章,谢谢!
关于作者:
可能感兴趣的话题
问个问题,在类里可以定义没有装饰器,也没有self的函数,这是哪一类?
o 247 回复
关于 Python 频道
Python频道分享 Python 开发技术、相关的行业动态。
新浪微博:
推荐微信号
(加好友请注明来意)
– 好的话题、有启发的回复、值得信赖的圈子
– 分享和发现有价值的内容与观点
– 为IT单身男女服务的征婚传播平台
– 优秀的工具资源导航
– 翻译传播优秀的外文文章
– 国内外的精选文章
– UI,网页,交互和用户体验
– 专注iOS技术分享
– 专注Android技术分享
– JavaScript, HTML5, CSS
– 专注Java技术分享
– 专注Python技术分享
& 2017 伯乐在线Thus, the anthropological concept of “culture,” like the concept of “set” in mathematics, is an abstract concept which makes possible immense amounts
英语长难句解析 - 朗播网
Thus, the anthropological concept of “culture,” like the concept of “set” in mathematics, is an abstract concept which makes possible immense amounts
Thus, the anthropological concept of “culture,” like the concept of “set” in mathematics, is an abstract concept which makes possible immense amounts of concrete research and understanding.
句子分析(俗称“长难句分析”)是训练提高基础阅读能力的有效手段。我们通过对托福(TOEFL)、雅思(IELTS)、GRE、考研以及四六级等考试中真实出现过的句子(如真题、TPO,剑桥系列)进行结构化分析,可以有效提升句子理解的准确性和效率。朗播通过近百万的用户实际数据分析发现,练习 300-400 个句子,会让阅读能力有显著提升。请按顺序阅读句子,并思考:
1. 句子属于哪种结构类型?简单句?并列复合句?主从复合句?
2. 句子由哪些子句构成,连接这些子句的关联词是什么?
3. 每个子句中各个语法成分分别是哪些?
4. 句子的中文意思是什么?
1. 主从复合句
2. 原句中的各个子句,子句类型以及连接词
Thus, the anthropological concept of “culture”, like the concept of “set” in mathematics, is an abstract concept.
The abstract concept makes possible immense amounts of concrete research and understanding.
3. 句子成分
Thus, [状语]
the anthropological concept of “culture”, [主语] like the concept of “set” in mathematics, [状语] is [系动词] an abstract concept. [表语]
The abstract concept [主语] makes [谓语] possible [宾语补足语] immense amounts of concrete research and understanding. [宾语]
4. 句子翻译
Thus, the anthropological concept of “culture”, like the concept of “set” in mathematics, is an abstract concept.
因此,人类学关于“文化”的概念就像数学中的“集(合)”的概念一样,是一个抽象概念。
The abstract concept makes possible immense amounts of concrete research and understanding.
这个抽象概念使大量的具体研究和认为成为可能。
Thus, the anthropological concept of “culture,” like the concept of “set” in mathematics, is an abstract concept which makes possible immense amounts of concrete research and understanding.
因此,人类学关于“文化”的概念就像数学中的“集(合)”的概念一样,是一个使大量的具体研究和认识成为可能的抽象概念。
马上分享给同学:
根据朗播专家权威分析,句子“Thus, the anthropological concept of “culture,” like the concept of “set” in mathematics, is an abstract concept which makes possible immense amounts
英语长难句解析 ”主要针对以下知识点进行考察,关于这些知识点的讲解如下:
仍然有疑问?去
主从复合句
含有两套或更多的主谓结构,其中有一个是主要的主谓结构,其他主谓结构从属于它并且担任起句子成分。
①They believe that the computer will finally take the place of human beings.
②He asked me where he could get such medicine.
在主从复合句中,对名词(或者整个句子)限定修饰,起定语作用的句子,就是定语从句。
①They rushed over to help the man whose car had broken down.
②The school that he once studied in is very famous.
主从复合句中的主干句子,能单独使用或出现的句子。
①They believe that the computer will finally take the place of human beings.
②He asked me where he could get such medicine.
表语是用来说明主语的身份、性质、品性、特征和状态的成分。
①That remains a puzzle to me.
②The sun is up.
宾语是指一个动作(动词)的接受者,分为直接宾语和间接宾语两大类,直接宾语指动作的直接对象,间接宾语说明动作的非直接,但受动作影响的对象。一般而言,及物动词后面最少要有一个宾语,而该宾语通常为直接宾语,有些及物动词要求两个宾语,则这两个宾语通常一个为直接宾语,另一个为间接宾语。
①He didn't say anything.
②We sent him a letter.
宾语补足语
在英语中有些及物动词,接了宾语意义仍不完整,还需要有一个其他的句子成分,来补充说明宾语的意义、状态等,称为宾语补足语,简称宾补。
①He proved that theory very important.
②I'd prefer you to leave him alone.
谓语对主语动作或状态的陈述或说明,指出“做什么”、“是什么”或“怎么样”。
①It is used
by travelers and business people all over the world.
②I made your birthday cake last night.
本身有词义,但不能单独用作谓语,后边必须跟表语,构成系表结构说明主语的状况、性质、特征等情况。
①That is air wrung dry of moisture.
②There seem to have been several periods within the last tens of thousands of years.
主语是句子陈述的对象,说明是谁或什么,表示句子说的是"什么人"或"什么事"。
①My school is not far from my house.
②To do such a job needs more knowledge.
状语是谓语里的另一个附加成分,从情况、时间、处所,方式、条件、对象,肯定、否定、范围和程度等方面对谓语中心(或者整个句子)进行修饰或限制。
①In a way, any hypothesis is a leap into the unknown.
②It extends the scientist's thinking beyond the known facts.
同样有定语从句的句子
主从复合句主从复合句主从复合句主从复合句主从复合句
长难句分析是训练提高基础阅读能力的有效手段。熟练掌握 300 个左右的长难句,可有效解决托福阅读速度慢、读不懂的问题。
轻松扫一扫,有趣又有料 上传我的文档
 下载
 收藏
该文档贡献者很忙,什么也没留下。
 下载此文档
正在努力加载中...
How to Write an Abstract怎么写摘要
下载积分:2000
内容提示:How to Write an Abstract怎么写摘要
文档格式:DOC|
浏览次数:1|
上传日期: 20:28:03|
文档星级:
全文阅读已结束,如果下载本文需要使用
 2000 积分
下载此文档
该用户还上传了这些文档
How to Write an Abstract怎么写摘要
官方公共微信Java笔试题;1,在java中什么是interface,abs;2,请说明链表、哈希表、数组的特点;3,讨人厌{}里有一个return语句,那么紧跟;4,请判断以下程序是否有错;abstractclassName{;P;PublicabstractbooleanisS;b)publicclassSomething{;Voi
Java笔试题
1,在java中什么是interface,abstract class?Interface和abstract class 有什么区别?String与StringBuffer 有什么区别?
2,请说明链表、哈希表、数组的特点。
3,讨人厌{}里有一个return语句,那么紧跟着在这个try后的finally{}里的code会不会被执行,什么时候被执行,在return前还是后?请描述java的异常处理机制。
4,请判断以下程序是否有错。如果有错,请指出错误。
abstract class Name{
Public abstract boolean isStupidName(String name){}
b) public class Something{
Void doSomething(){
Private String s=’’’;
Int l=s.length();
c) abstract class Something{
Private abstract String doSomething();
d) public class Something{
Public int addOne(final int x){
Return ++x;
5,请简述java原理?内存泄露与溢出区别,何时产生内存泄露?垃圾回收器的基本原理是什么?如何主动通知虚拟机进行垃圾回收?
6,java IO和NIO的区别?
7,MVC是什么?请简述在WEB程序中MVC如何实现?Spring是什么?请简述你对Spring中IOC和AOP的理解。
8,有两张数据表,user、team
User表中字段有id,name,teamid,score
Team表中字段有id,name
User表中teamid是外键,关联到team表中的id.
请用一个查询查出teamid=10 的所有用户的名字,id. 和所在team的名称
Select u.name,u.id,t.name from user u join team t on u.teamid=t.
如何得到用户分数在前10但不在前5的用户。
Select t.name from (select name,rownum as rn from user order by score where rownum&=10) t where t.rn&5;
9,设计4个线程,其中两个线程每次对j加1,另外两个线程对j每次减少1.
10,用JAVA SOCKET编程,读服务器几个字符,再写入本地显示。
11,在网站中,用户信息经常存放在session中,当并发访问量非常大的时候,服务器端内存
占用非常大,有什么优化方案:(高级工程师必做)
12,随着数据量不断增大,数据量在百万级、千万级、亿万级如何进行优化?(高级工程师必做)
13,当用户量不断增加,有什么优化方案来提高并发支撑能力?(高级工程师必做)
三亿文库包含各类专业文献、生活休闲娱乐、幼儿教育、小学教育、中学教育、行业资料、各类资格考试、90金色家园笔试题参考等内容。 
 金色家园笔试题参考_公务员考试_资格考试/认证_教育专区。java笔试题 Java 笔试题 1,在 java 中什么是 interface,abstract class?Interface 和 abstract class 有...  金色家园_城乡/园林规划_工程科技_专业资料。金色家园网络科技有限公司 (公司网站: ) 于 2015 年 1 月 23 日在国家工商行政总局注册成立, 为“中关村...  金色家园员工日常工作安排表每天早上 8:00 金色家园物业管理处全体员工点名 事项办公室 工作人 员日常 工作安 排 工 作 内 容 1.早晨 8:00 之前做好办公室...  海豚行动提报审批表电梯轿厢简易信息栏提案主题 所在项目 批准人 提案背景: 电梯轿厢简易信息栏 金色家园 汪中波 推荐人 创意者 张海华 张海华、凌云 提案时间 2011...  金色家园建议书_调查/报告_表格/模板_应用文书。浦江小区东侧地块拆迁安置房项目...推理型题分析与总结78份文档
一起来学广场舞 广场舞活动方案 社区广场舞策划方案...  思考题: (本题 20 分) : 美国大思想家爱默生与儿子欲将牛牵回牛棚,两人一...金色家园和四季花城,超过 40%的新业主是老业主介绍的。而据万客会的调查显示...  同时使培训营学员找到了属于自己的金色未来, 拿到曾经...? ? 个人家园 3 ? ? ? ? 与 HiAll 之缘 ...复试权重挺大的,一定要弄好笔试,杨小平教授和莫教授...  金色家园项目统一说辞_调查/报告_表格/模板_应用文书。昌盛金色家园项目统一说辞开始语: 您好!欢迎您来昌盛?金色家园参观。请问您是第一次过来么?之前有没有打电...  本次调查对项目管理者在项目的运行管理中有一定 的参考价值。 72 《×××家园建设项目环境影响报告书》 表 8-5 项目名称 公众参与调查表 万科金色家园 万科金色...}

我要回帖

更多关于 abstract可以修饰什么 的文章

更多推荐

版权声明:文章内容来源于网络,版权归原作者所有,如有侵权请点击这里与我们联系,我们将及时删除。

点击添加站长微信