背景:
近期由于项目需要,开始学习和使用WCF技术。初次浏览1种陌生技术领域,最多见的就是踩“坑”了。之前在博客园阅读了WCF专家老A的博文,并且翻阅了其相干著作《WCF技术剖析》和《WCF全面解析》。但是在项目实际开发进程中,还是遇到了这样和那样的问题。1次踩到如此多的“坑”,让我很震惊。因此决定在博客中开辟“踩坑填坑”系列博文,该类博文主要用于记录在应用新技术开发进程中遇到的各种奇葩毛病,同时直接给出解决方案。然文中却不会对问题的本源和解决方案进行详细介绍,待后续有时间深入研究分析相干问题机理后再统1发文归类到“日积月累”系列中。
踩坑&填坑:
【踩坑】:基于Object的ServiceHost创建
【填坑】:
由于WCF服务的宿主选用的是WinForm程序,所以需要在WCFServiceLib类库中回调WinForm的函数进行界面刷新等操作,因此在构造ServiceHost对象时,采取的是
public ServiceHost(object singletonInstance, params Uri[] baseAddresses);
利用该构造函数时,要求在服务契约ServiceContract中添加行动束缚,即InstanceContextMode=InstanceContextMode.Single。上述毛病提示已很明确的指出了解决方案。具体的实例可以参考之前的博文。
【踩坑】:ServiceContract的继承?
【填坑】:
WCF具体实现进程会将服务契约以接口情势给出,并添加ServiceContract、OperationContract等属性束缚。然后通过实现该接口来完成具体的WCF服务定义。此时需要注意的是WCF具体实现类中不需要添加ServiceContract、OperationContract等配置束缚。否则会弹出上述毛病提示。
简单的给出1段示例代码:
//服务契约的约定接口类
[ServiceContract]
public interface IWcfServiceTest
{
[OperationContract]
void wcfHelloWorld(string name);
}
//服务契约的具体实现类
public class WcfServiceTest:IWcfServiceTest
{
void wcfHelloWorld(string name)
{
Console.WriteLine(name+":HellowWorld");
}
}
【踩坑】:OperationContract的继承?
【填坑】:
与上面的ServiceContract坑类似,OperationContract在WCF服务具体实现类中也不需要重复设置。示例代码如上述相同。
【踩坑】:DataContract中枚举变量
【填坑】:
在WCF中需要定义数据契约(Data Contract),简而言之就是通知服务双方,在调用具体服务函数时如何来序列化参数。对枚举类型的成员,需要额外注意1下。具体的实现方式是:
namespace WCFData
{
[DataContract]
public enum WCFEnum
{
[EnumMemeber]
WcfCFind=0,
[EnumMemeber]
WcfCStore=1,
[EnumMemeber]
WcfCMove=2
}
[DataContract]
public class WCFRequest
{
[DataMember]
public string PatientID{get;set;}
[DataMemeber]
public string PatientName{get;set;}
[DataMember]
public WCFEnum ReqType{get;set;]
}
}
对上述问题可参考下面两篇博文WCF枚举变量、WCF枚举变量2。
【踩坑】:Telerik OpenAccess与SQLite结合
Telerik与SQLite结合,可以顺利开发简单编写的利用。但是在使用SQLite引擎时常常会出现毛病中断。提示你添加System.Data.SQLite.dll的援用,虽然你已添加到了工程的“援用”中。
【填坑】:
经过仔细搜索Telerik官方资料,发现其中已针对该问题给出了3种解决方案,具体的大家可以参照Telerik官方说明,这里我选择的是硬编码方式,具体代码以下:
AppDomain.CurrentDomain.AssemblyResolve += CurrentDomain_AssemblyResolve;
static System.Reflection.Assembly CurrentDomain_AssemblyResolve(object sender, ResolveEventArgs args)
{
if (args.Name.StartsWith("System.Data.SQLite,"))
{
return typeof(System.Data.SQLite.SQLiteFactory).Assembly;
}
return null;
}
【踩坑】:Telerik OpenAccess中如何提取新插入记录的主键PK值
在使用WinForm来寄宿WCF服务时,会遇到绑定事件来刷新界面的情况,具体可参考博文中的示例。另外有时候会需要对刚添加到数据库中的记录进行更新,这就需要获得记录的PK值,在Telerik官方论坛中搜索了半天未果。
【填坑】:
后来在具体尝试时发现,当调用SaveChanges()函数保存修改后,与刚插入的记录中的主键对应的对象的指定属性值就是数据库中该条记录的主键,即PK值。
示例代码以下:
//*********************Code First Model定义类*******************
public class Customer
{
public int ID { get; set; }
public string Name { get; set; }
public DateTime DateCreated { get; set; }
public string EmailAddress { get; set; }
}
//***************具体的映照关系,其中设置ID为主键****************
protected override IList<MappingConfiguration> PrepareMapping()
{
List<MappingConfiguration> configurations = new List<MappingConfiguration>();
var customerMapping = new MappingConfiguration<Customer>();
customerMapping.MapType(customer => new
{
ID = customer.ID,
Name = customer.Name,
EmailAddress = customer.EmailAddress,
DateCreated = customer.DateCreated
}).ToTable("Customer");
customerMapping.HasProperty(c => c.ID).IsIdentity();
configurations.Add(customerMapping);
return configurations;
}
public IQueryable<Customer> Customers
{
get
{
return this.GetAll<Customer>();
}
}
//*******************实际利用,Update更新数据库*********************
using (EntitiesModel dbContext = new EntitiesModel())
{
// Update a category
Category category = dbContext.Categories.First();
category.CategoryName = "New Name";
// Create two new categories
Category newCategory1 = new Category();
newCategory1.CategoryName = "New Category";
Category newCategory2 = new Category();
newCategory2.CategoryName = "New Category2";
dbContext.Add(new Category[] { newCategory1, newCategory2 });
dbContext.SaveChanges();
//【zssure】:调用SaveChanges后数据库中已完成插入操作,此时可以获得到刚刚插入的记录的主键ID值
Console.WriteLine("Category1的PrimaryKey是{0},Category2的PrimaryKey是{1}",newCategory1.ID,newCategory2.ID);
}
ZSSURE:
踩坑(Running)填坑(ZSSURE),是近期由于项目中遇到了大量奇葩问题而新开的系列博文,主要用于记录开发进程中遇到的实际问题,并给出简单的解决方案,并保证方案在本人运行环境下成功。后续待渐渐沉淀积累后会对其中的重点问题进行剖析,并发文到“日积(Running)月累(ZSSURE)”系列。
作者:zssure@163.com
时间:2015-04-08
波比源码 » 踩坑(Running)填坑(ZSSURE):WCF技术初步应用
levaquin tablet levaquin 250mg canada
purchase dutasteride without prescription purchase tamsulosin online ondansetron 8mg oral
buy spironolactone 25mg pill valacyclovir 1000mg pill diflucan cheap
acillin cheap ampicillin 250mg oral oral erythromycin 250mg
sildenafil sale brand careprost buy robaxin 500mg
buy sildenafil 100mg generic brand sildenafil 50mg cheap estradiol
buy lamotrigine 200mg pill purchase prazosin pill retin price
purchase tadalis pills order tadalis 20mg without prescription order generic diclofenac 50mg
cheap indocin order lamisil without prescription buy trimox 500mg for sale
buy tadalafil 20mg sale best canadian pharmacy viagra 50mg oral
arimidex 1mg ca viagra for sale london purchase viagra online
deltasone cost best generic cialis viagra for men over 50
accutane 20mg drug buy amoxicillin 250mg sale stromectol without prescription
cost doxycycline 100mg cheap levitra 10mg order furosemide
catapres 0.1mg drug tiotropium bromide 9 mcg generic tiotropium bromide without prescription
terazosin 1mg cheap order arava online order sulfasalazine sale
fosamax 70mg drug buy famotidine sale oral famotidine 40mg
cost isosorbide 20mg buy generic telmisartan 80mg telmisartan ca
zyban cost purchase zyrtec order generic quetiapine 100mg
order sertraline 100mg for sale 50mg viagra viagra next day delivery
imuran 100 mcg price viagra australia buy sildenafil 100mg without prescription
buy tadalafil pills buy tadalafil 40mg online cheap viagra 100mg cheap
revia 50 mg drug buy albenza 400 mg generic buy abilify sale
order dapsone 100 mg for sale buy generic perindopril order perindopril pills
order generic provera 5mg order biltricide 600mg for sale periactin 4mg brand
provigil 100mg usa canadian pharmacy online best topical ivermectin cost
luvox 100mg brand duloxetine 20mg tablet purchase glucotrol for sale
buy isotretinoin 10mg generic order isotretinoin 40mg online deltasone 40mg cheap
purchase cialis sale cialis super active sildenafil canada
chloroquine 250mg uk baricitinib 2mg usa olumiant 4mg oral
glycomet order online buy tadalafil 40mg without prescription buy generic tadalafil
olanzapine cheap bystolic 5mg price valsartan 160mg uk
clozapine 100mg drug order clozapine pills buy decadron 0,0,5 mg online
prilosec brand professional research paper writers world poker online
metoprolol for sale online metoprolol 100mg ca buy vardenafil generic
buy thesis paper write papers online online casino games real money
order vardenafil pill buy medrol tablets methylprednisolone buy online
purchase cialis for sale buy sildenafil online viagra 100mg generic
buy orlistat generic buy zovirax 400mg for sale order zovirax
allopurinol without prescription generic zyloprim cost zetia 10mg
methotrexate 10mg generic order warfarin pills order metoclopramide generic
cozaar 50mg without prescription purchase cozaar online oral topamax 100mg
order baclofen 10mg without prescription baclofen 10mg drug toradol 10mg over the counter
buy generic sumatriptan 50mg levofloxacin 250mg drug order generic avodart
colchicine pills colchicine pills play slots
order ranitidine 300mg buy ranitidine 300mg celecoxib 200mg us
real money casino online planning poker online caesars casino online
purchase tamsulosin for sale oral ondansetron aldactone 100mg drug
purchase cialis pills ampicillin 250mg oral buy cipro generic
brand simvastatin 10mg valacyclovir without prescription oral propecia 1mg
keflex canada erythromycin online buy buy erythromycin 500mg
sildenafil next day delivery usa purchase estrace generic lamotrigine pill
buy viagra 50mg online cheap order viagra 100mg pills tadalafil 5mg pill
roulette online cialis order online cialis 40mg ca
oral furosemide 100mg order lasix 40mg online order hydroxychloroquine 400mg pill
sildenafil brand nolvadex 20mg over the counter cheap budesonide
order deltasone 10mg without prescription vermox online buy buy vermox 100mg pill
tretinoin brand order retin generic avana 200mg cost
tadacip medication diclofenac online buy indomethacin 75mg for sale
lamisil pills cefixime usa trimox pills
oral clarithromycin 250mg purchase clonidine pills buy meclizine sale
tiotropium bromide sale purchase hytrin for sale cheap terazosin
order tadalafil 40mg for sale Brand cialis for sale online casino bonus
jackpot party casino real money online blackjack best online casinos real money
ivermectin buy avlosulfon drug purchase avlosulfon online cheap
poker games online online casino for real money online casino
nifedipine 10mg generic adalat uk order fexofenadine 120mg pills
benicar 20mg usa depakote 500mg uk brand depakote 250mg
diamox 250mg over the counter order azathioprine 50mg pills buy imuran online cheap
digoxin 250 mg usa order molnupiravir 200 mg online molnunat 200mg ca
amoxil drug buy stromectol 6mg without prescription ivermectin 6mg pills for humans
cost dapoxetine 90mg purchase avanafil pills order domperidone
buy indocin 75mg generic buy indomethacin for sale order cenforce pill
doxycycline uk methylprednisolone 16 mg otc methylprednisolone 8mg tablets
buy famotidine 20mg pills prograf 5mg canada order remeron 30mg sale
order tadalafil sale cost trimox 500mg amoxicillin 250mg canada
buy esomeprazole 20mg pill lasix 40mg generic oral lasix 100mg
buy tadalafil pills buy viagra 100mg sale viagra professional
order tadalafil 10mg sale buy ed pills uk buy ed medication online
order clomid 100mg without prescription lipitor 20mg brand order generic prednisolone 5mg
purchase provigil pill modafinil us purchase phenergan sale
cost prednisone 10mg amoxil ca cheap generic amoxil
stromectol price usa buy prednisone 10mg sale prednisone 20mg brand
accutane 20mg usa buy generic zithromax 500mg purchase azithromycin generic
prednisolone 5mg pills gabapentin 600mg usa order lasix 40mg pill
modafinil 100mg cost lopressor uk metoprolol 100mg ca
cost monodox doxycycline 100mg without prescription zovirax order online
buy inderal carvedilol 25mg drug coreg ca
Когда наступает вечер, я возвращаюсь домой и вхожу в
свою рабочую комнату. На пороге я
сбрасываю свои повседневные лохмотья, покрытые пылью и грязью, облекаюсь
в одежды царственные и придворные.
Одетый достойным образом, вступаю я в собрание античных мужей.
Там, встреченный ими с любовью, я вкушаю ту
пищу, которая уготована единственно мне, для которой
я рожден. Там я не стесняюсь беседовать с ними и спрашивать у них объяснения их действий,
и они благосклонно мне отвечают.
В течение четырех часов я не
испытываю никакой скуки. Я забываю все огорчения, я не страшусь бедности, и не пугает меня смерть.
Весь целиком я переношусь в них.
Психологичные фильмы.
buy avlosulfon 100 mg online cheap cost atenolol 100mg order atenolol online
buy alfuzosin 10mg for sale alfuzosin 10mg drug buy diltiazem 180mg online cheap
sildenafil tablets discount cialis online cialis mail order us
cost zetia tetracycline 500mg pill buy methotrexate generic
promethazine tablet canadian pharmacy cialis pfizer cheap cialis 40mg
levofloxacin pills actigall 150mg over the counter order zyban 150 mg without prescription
buy cetirizine 10mg pill cetirizine 5mg without prescription order zoloft 100mg generic
cenforce drug buy glycomet 500mg for sale glucophage 500mg without prescription
buy tadalafil pills red ed pill best ed pills non prescription uk
buy cialis generic cheapest ed pills medicine for impotence
ivermectin 6mg otc buy accutane generic brand isotretinoin 20mg
provigil cheap deltasone 10mg uk order deltasone 5mg online
order amoxil 1000mg online prednisolone online order order prednisolone 10mg without prescription
buy isotretinoin online accutane 10mg generic order zithromax sale
buy gabapentin 100mg online cheap buy doxycycline 100mg pill purchase vibra-tabs for sale
ventolin inhalator price purchase albuterol for sale buy levothroid pill
buy generic clomiphene over the counter purchase plaquenil for sale order plaquenil 200mg generic
generic doxycycline cost amoxiclav cheap augmentin 625mg
order atenolol 100mg for sale how to buy letrozole letrozole 2.5mg canada
poip-nsk.ru
buy lyrica 75mg online order lyrica for sale priligy 30mg us
buy generic methotrexate for sale reglan 20mg brand cost reglan 10mg
cost orlistat order xenical generic order allopurinol 300mg
buy cozaar nexium 20mg cheap buy topiramate medication
generic crestor order zetia 10mg pills buy motilium pills for sale
order imitrex 25mg buy levaquin 500mg online cheap avodart 0.5mg generic
toradol oral toradol 10mg cheap order inderal 10mg without prescription
buy ranitidine no prescription order celecoxib sale celebrex cheap
buy clopidogrel pill order fluvoxamine 100mg for sale buy ketoconazole generic
film.vipspark.ru
order cymbalta 40mg pills order nootropil pills nootropil without prescription
betnovate order online where to buy itraconazole without a prescription itraconazole pills
combivent order online linezolid 600 mg sale order linezolid 600 mg for sale
bystolic generic valsartan 160mg brand order clozapine 50mg
buy zocor pill valtrex 500mg drug pfizer viagra
carbamazepine 200mg pills buy carbamazepine without prescription lincocin 500mg for sale
cialis overnight shipping Free trial of sildenafil viagra overnight delivery
diflucan 200mg pills cipro 500mg over the counter buy cipro 1000mg for sale
metronidazole uk metronidazole 200mg cheap buy keflex generic
avana canada avana order online order diclofenac 50mg generic
buy tamoxifen cheap order generic budesonide buy generic cefuroxime for sale
minocin tablet buy minocycline 100mg pills buy actos 15mg pills
leflunomide 20mg cost cost leflunomide 20mg buy sulfasalazine paypal
azipro medication azipro 500mg oral neurontin 100mg cheap
buy levitra 10mg without prescription buy generic zanaflex online brand plaquenil 400mg
ramipril 10mg cheap buy glimepiride 1mg etoricoxib 60mg generic
order mesalamine 400mg online cheap how to buy mesalamine generic irbesartan 300mg
purchase digoxin pills digoxin cost molnupiravir 200mg pills
Informative article, just what I was looking for.
My site free mp3 download