وزارة الاستثمار تلجأ إلى «الاحتياطي الاستراتيجي» لصرف «سكر ‏التموين»‏

علمت «المصري اليوم» أن وزارة الاستثمار لجأت إلى استخدام ‏المخزون‎ ‎الاستراتيجي لسكر التموين؛ لسد العجز في مقررات السكر ‏التمويني الذي يتم صرفه على‏‎ ‎البطاقات التموينية، وأن الاحتياطي ‏الاستراتيجي منه انخفض بنسبة 50‏‎%.‎‏.‏

وتلقت وزارة التضامن الاجتماعي شكاوى من عدد من البقالين ‏التموينيين‎ ‎في محافظات القاهرة والجيزة و6 أكتوبر، بسبب النقص ‏الشديد من السكر التمويني في‎ ‎مقررات شهر ديسمبر، بينما يبدأ صرف ‏مقررات شهر يناير بعد غداً الجمعة، وأكد البقالون أن‎ ‎نسبة صرف ‏المقررات لا تتعدى 60‏‎%.‎

وأكدت وزارة التضامن الاجتماعي أن الاحتياطي الاستراتيجي من ‏السكر‎ ‎التمويني والإضافي الذي يتم صرفه على البطاقات التموينية، بلغ ‏حوالي 218 ألف طن‏‎ ‎ويكفى بطاقات التموين لمدة 3 أشهر‏‎.‎

وأشار مصدر مسؤول بالوزارة إلى وجود 180 ألف طن «سكر ‏إضافي» في‎ ‎المحافظات كاحتياطي خاص بأوقات الطوارئ، واعترف ‏المصدر بأن الاحتياطي الاستراتيجي‎ ‎من السكر انخفض منذ ارتفاع ‏أسعاره خلال الفترة الماضية، وتراجع من مخزون يكفى 7‏‎ ‎أشهر إلى ‏كمية تكفى 3 أشهر ونصف الشهر، محذراً من خطورة ذلك على انتظام ‏عملية صرف‎ ‎السكر على البطاقات التموينية‎.‎

وأوضح المصدر أن السكر يعتبر السلعة الوحيدة فى البطاقات التموينية‏‎ ‎التي لا يتم توريدها عن طريق المناقصات، بل بشكل مباشر عن طريق ‏شركة السكر‎ ‎والصناعات التكاملية.

Using Type dynamic (C# Programming Guide)

Visual C# 2010 introduces a new type, dynamic. The type is a static type, but an object of type dynamic bypasses static type checking. In most cases, it functions like it has type object. At compile time, an element that is typed as dynamic is assumed to support any operation. Therefore, you do not have to be concerned about whether the object gets its value from a COM API, from a dynamic language such as IronPython, from the HTML Document Object Model (DOM), from reflection, or from somewhere else in the program. However, if the code is not valid, errors are caught at run time.

For example, if instance method exampleMethod1 in the following code has only one parameter, the compiler recognizes that the first call to the method, ec.exampleMethod1(10, 4), is not valid because it contains two arguments. The call causes a compiler error. The second call to the method, dynamic_ec.exampleMethod1(10, 4), is not checked by the compiler because the type of dynamic_ec is dynamic. Therefore, no compiler error is reported. However, the error does not escape notice indefinitely. It is caught at run time and causes a run-time exception.

C# Copy Code
static void Main(string[] args)
{
ExampleClass ec = new ExampleClass();
// The following line causes a compiler error if exampleMethod1 has only
// one parameter.
//ec.exampleMethod1(10, 4);

dynamic dynamic_ec = new ExampleClass();
// The following line is not identified as an error by the
// compiler, but it causes a run-time exception.
dynamic_ec.exampleMethod1(10, 4);

// The following calls also do not cause compiler errors, whether
// appropriate methods exist or not.
dynamic_ec.someMethod("some argument", 7, null);
dynamic_ec.nonexistentMethod();
}

C# Copy Code
class ExampleClass
{
public ExampleClass() { }
public ExampleClass(int v) { }

public void exampleMethod1(int i) { }

public void exampleMethod2(string str) { }
}

The role of the compiler in these examples is to package together information about what each statement is proposing to do to the object or expression that is typed as dynamic. At run time, the stored information is examined, and any statement that is not valid causes a run-time exception.

The result of most dynamic operations is itself dynamic. For example, if you rest the mouse pointer over the use of testSum in the following example, IntelliSense displays the type (local variable) dynamic testSum.

C# Copy Code
dynamic d = 1;
var testSum = d + 3;
// Rest the mouse pointer over testSum in the following statement.
System.Console.WriteLine(testSum);

Operations in which the result is not dynamic include conversions from dynamic to another type, and constructor calls that include arguments of type dynamic. For example, the type of testInstance in the following declaration is ExampleClass, not dynamic.

C# Copy Code
var testInstance = new ExampleClass(d);

Conversion examples are shown in the following section, "Conversions."

Conversions
Conversions between dynamic objects and other types are easy. This enables the developer to switch between dynamic and non-dynamic behavior.

Any object can be converted to dynamic type implicitly, as shown in the following examples.

C# Copy Code
dynamic d1 = 7;
dynamic d2 = "a string";
dynamic d3 = System.DateTime.Today;
dynamic d4 = System.Diagnostics.Process.GetProcesses();

Conversely, an implicit conversion can be dynamically applied to any expression of type dynamic.

C# Copy Code
int i = d1;
string str = d2;
DateTime dt = d3;
System.Diagnostics.Process[] procs = d4;

Overload Resolution with Arguments of Type dynamic
Overload resolution occurs at run time instead of at compile time if one or more of the arguments in a method call have the type dynamic, or if the receiver of the method call is of type dynamic. In the following example, if the only accessible exampleMethod2 method is defined to take a string argument, sending d1 as the argument does not cause a compiler error, but it does cause a run-time exception. Overload resolution fails at run time because the run-time type of d1 is int, and exampleMethod2 requires a string.

C# Copy Code
// Valid.
ec.exampleMethod2("a string");

// The following statement does not cause a compiler error, even though ec is not
// dynamic. A run-time exception is raised because the run-time type of d1 is int.
ec.exampleMethod2(d1);
// The following statement does cause a compiler error.
//ec.exampleMethod2(7);

Dynamic Language Runtime
The dynamic language runtime (DLR) is a new API in .NET Framework 4 Beta 2. It provides the infrastructure that supports the dynamic type in C#, and also the implementation of dynamic programming languages such as IronPython and IronRuby. For more information about the DLR, see Dynamic Language Runtime Overview.

COM Interop
Visual C# 2010 includes several features that improve the experience of interoperating with COM APIs such as the Office Automation APIs. Among the improvements are the use of the dynamic type, and of named and optional arguments.

Many COM methods allow for variation in argument types and return type by designating the types as object. This has necessitated explicit casting of the values to coordinate with strongly typed variables in C#. If you compile by using the /link (C# Compiler Options) option, the introduction of the dynamic type enables you to treat the occurrences of object in COM signatures as if they were of type dynamic, and thereby to avoid much of the casting. For example, the following statements contrast how you access a cell in a Microsoft Office Excel spreadsheet with the dynamic type and without the dynamic type.

C# Copy Code
// Before the introduction of dynamic.
((Excel.Range)excel.Cells[1, 1]).Value2 = "Name";
Excel.Range range = (Excel.Range)excel.Cells[1, 1];

// After the introduction of dynamic, the access to the Value property and
// the conversion to Excel.Range are handled by the run-time COM binder.
excel.Cells[1, 1].Value = "Name";
Excel.Range range = excel.Cells[1, 1];

Dynamic in C# 4.0: Introducing the ExpandoObject

You have probably already heard about the new dynamic feature in C# 4.0 and how it is used to support COM interop. If you haven't, I strongly recommend reading the following MSDN articles: Using Type dynamic and How to: Access Office Interop Objects by Using Visual C# 2010 Features.

Well, where else can you use this new feature? What are the use cases? Where does dynamic dispatch work better than static typing?

The quick answer is that whenever you see syntax like myobject.GetProperty("Address"), you have a use case for dynamic objects. First of all, the above syntax is difficult to read. Second, you don’t have any IntelliSense support for the property name, and if the “Address” property doesn’t exist you get a run-time exception. So why not create a dynamic object that calls the property as myobject.Address? You still get the run-time exception, and you still don't get IntelliSense, but at least the syntax is much better.

In fact, it’s not just better syntax. You also get flexibility. To demonstrate this flexibility, let’s move to ExpandoObject, which is a part of the new dynamic language runtime (DLR). ExpandoObject instances can add and remove members at run time. Where can you use such an object? XML is a good candidate here.

Here’s a code example that I took from MSDN. (Yes, I am an MSDN writer myself, so I use MSDN a lot.)

XElement contactXML =
new XElement("Contact",
new XElement("Name", "Patrick Hines"),
new XElement("Phone", "206-555-0144"),
new XElement("Address",
new XElement("Street1", "123 Main St"),
new XElement("City", "Mercer Island"),
new XElement("State", "WA"),
new XElement("Postal", "68042")
)
);Although LINQ to XML is a good technology and I really love it, those new XElement parts look a little bit annoying. This is how I can rewrite it by using ExpandoObject.

dynamic contact = new ExpandoObject();
contact.Name = "Patrick Hines";
contact.Phone = "206-555-0144";
contact.Address = new ExpandoObject();
contact.Address.Street = "123 Main St";
contact.Address.City = "Mercer Island";
contact.Address.State = "WA";
contact.Address.Postal = "68402";Just note a couple of things. First, look at the declaration of contact.

dynamic contact = new ExpandoObject();

I didn’t write ExpandoObject contact = new ExpandoObject(), because if I did contact would be a statically-typed object of the ExpandoObject type. And of course, statically-typed variables cannot add members at run time. So I used the new dynamic keyword instead of a type declaration, and since ExpandoObject supports dynamic operations, the code works.

Second, notice that every time I needed a node to have subnodes, I simply created a new instance of ExpandoObject as a member of the contact object.

It looks like the ExpandoObject example has more code, but it’s actually easier to read. You can clearly see what subnodes each node contains, and you don’t need to deal with the parentheses and indentation. But the best part is how you can access the elements now.

This is the code you need to print the State field in LINQ to XML.

Console.WriteLine((string)contactXML.Element("Address").Element("State"));And this is how it looks with ExpandoObject.

Console.WriteLine(contact.Address.State);But what if you want to have several Contact nodes? Like in the following LINQ to XML example.

XElement contactsXML =
new XElement("Contacts",
new XElement("Contact",
new XElement("Name", "Patrick Hines"),
new XElement("Phone", "206-555-0144")
),
new XElement("Contact",
new XElement("Name", "Ellen Adams"),
new XElement("Phone", "206-555-0155")
)
);Just use a collection of dynamic objects.

dynamic contacts = new List();

contacts.Add(new ExpandoObject());
contacts[0].Name = "Patrick Hines";
contacts[0].Phone = "206-555-0144";

contacts.Add(new ExpandoObject());
contacts[1].Name = "Ellen Adams";
contacts[1].Phone = "206-555-0155";Technically speaking, I could write dynamic contacts = new List() and the example would work. However, there are some situations where this could cause problems, because the actual type of the list elements should be dynamic and not ExpandoObject, and these are two different types. (Once again, references to the ExpandoObject objects are statically-typed and do not support dynamic operations.)

Now, if you want to find all the names in your contact list, just iterate over the collection.

foreach (var c in contacts)
Console.WriteLine(c.Name);Again, this syntax is better than LINQ to XML version.

foreach (var c in contactsXML.Descendants("Name"))
Console.WriteLine((string)c);So far, so good. But one of the main advantages of LINQ to XML is, well, LINQ. How would you query dynamic objects? Although there is still a lot to be done in this particular area, you can query dynamic objects. For example, let’s find all the phone numbers for the specified name.

var phones = from c in (contacts as List)
where c.Name == "Patrick Hines"
select c.Phone;True, the cast here doesn’t look like something strictly necessary. Certainly the compiler could have determined at run-time that contacts is List. But as I said, there is still some work to be done in this area.

Another thing to note is that this trick works only for the LINQ to Objects provider. To use dynamic objects in LINQ to SQL or other LINQ providers, you need to modify the providers themselves, and that’s a completely different story.

However, even with the cast, syntax is still better than in a LINQ to XML query.

var phonesXML = from c in contactsXML.Elements("Contact")
where c.Element("Name").Value == "Patrick Hines"
select c.Element("Phone").Value;Sure, there are some things that look better in LINQ to XML. For example, if you want to delete a phone number for all the contacts, you can write just one line of code in LINQ to XML.

contactsXML.Elements("Contact").Elements("Phone").Remove();Since C# doesn’t have syntax for removing object members, you don’t have an elegant solution here. But ExpandoObject implements IDictionary to maintain its list of members, and you can delete a member by deleting a key-value pair.

foreach (var person in contacts)
((IDictionary)person).Remove("Phone");There are other useful methods in LINQ to XML like Save() and Load(). For ExpandoObject you need to write such methods yourself, but probably only once. Here, casting to the IDictionary interface can help as well.

And although I’ve been comparing LINQ to XML and ExpandoObject in this post, these two approaches are not “rivals”. You can convert ExpandoObject to XElement and vice versa. For example, this is what the ExpandoObject to XElement conversion might look like.

private static XElement expandoToXML(dynamic node, String nodeName)
{
XElement xmlNode = new XElement(nodeName);

foreach (var property in (IDictionary)node)
{

if (property.Value.GetType() == typeof(ExpandoObject))
xmlNode.Add(expandoToXML(property.Value, property.Key));

else
if (property.Value.GetType() == typeof(List))
foreach (var element in (List)property.Value)
xmlNode.Add(expandoToXML(element, property.Key));
else
xmlNode.Add(new XElement(property.Key, property.Value));
}
return xmlNode;
}This little trick might help you access all the LINQ to XML functions when you need them but at the same time use more convenient syntax when creating and modifying XML trees.

Of course, XML is not the only area where you can use ExpandoObject. If you heavily use reflection or work a lot with script objects, you can simplify your code with ExpandoObject. On the other hand, ExpandoObject is not the only useful class that the DLR provides. The DynamicObject class, for example, enables you to take more control over dynamic operations and define what actually happens when you access a member or invoke a method. But that’s a topic for another blog post.

One more thing to note is that libraries that look up members by name might someday adopt the DLR and implement the IDynamicMetaObjectProvider interface. (This interface actually provides all the “magic” – or dynamic dispatch – for ExpandoObject and the dynamic feature in general.) For example, if LINQ to XML implements this interface, you would be able to write dynamic contacts = new XmlElement() instead of dynamic contacts = new ExpandoObject() and perform the same operations that I have shown in the examples for the ExpandoObject type.

All the examples provided in this blog post work in Visual Studio 2010 Beta 1. If you have any comments or suggestions, you are welcome to post them here or contact the DLR team at http://www.codeplex.com/dlr. You can also write an e-mail to the DLR team at dlr@microsoft.com

واحد مصري لقى فانوس

لقيت الفانوس مرة ودعكته طلعلى عفريت قاللى شبيك لبيك
قلت خلاص الذل أنا ودعته ويا عفريت بالطلبات هاهريك
قالى هأوأو يا إنسان دانا العفريت بن الجان
ما يهمنيش مكان وزمان واطلب وعندى البرهان
قلتله عاوز قمح زُرع فى مصر ومسؤولين يبطلوا فشر
وحكومة متعصرنيش عصر ومرتب يسترنى لآخر الشهر
وعاوز عيش بدون طوابير وحكومة ضد التبذير
وانتخابات من غير تزوير ورئيس سابق أشوفه كتير
وعاوز فى بيتى كيلو دقيق وسبب مقنع لأى حريق
ومجلس شعب بدون تصفيق وفى كأس العالم لينا فريق
وعاوز أزور شرم الشيخ وصباعين كفتة اللى فى السيخ
وأشرب مرة عصير بطيخ وأخرج من القسم بدون تلطيخ
ونفسى الضحكة ترجع تانى وحتة لحمة كندوز أو ضانى
وجنيه مصرى زى البرانى ورصيف للمشى أنا وخلاّنى
رد العفريت عليا بغشم وقال يا مصرى ماكنش العشم
بص.. أنا ممكن أنقلك الهرم واسدلك الأوزون اللى اتخرم
وأرجعلك الأكل اللى اتهضم وأعملك بقرة من الغنم
وأعملك قصر من العدم وأقولك معنى شرم برم
بس طلباتك طلبات ملموس عقله خلاص أكله السوس
ده تخطيط يا بنى ومدروس إنك تعيش على طول موكوس
وأحنا بناخد منكوا دروس إزاى نخلى العفريت متعوس
ويا رب ترجعنى تانى الفانوس وزى بعضه أعيش محبوس
بدل ما أخرج واتبهدل زيك وأعيش موكوس على متعوس

يا بلدنا يا عجيبة

سأل الحشاش زميله «إيه اللى خلاك تتوب توبة نصوحة وتبطل المخدرات؟».. فرد عليه: «اكتشفت إن الناس ماعندهاش أخلاق ولا ضمير تصور «بيرووا» البانجو والحشيش والأفيون بمية المجارى الخام»!!

غريب أمر هذا الرجل، الذى يمتلك منتجعاً به حمامات سباحة وملاعب للجولف.. شاهدته وهو يصرخ فى إحدى الندوات عن ترشيد «المياه» والحد من إسرافها من خلال الوضوء!!

ناظراً فى سوق الخضار إلى حجم الكوسة.. والقرع بحجمها الكبير تساءلت مين السبب وزارة الرى أم أن هذا هو الوضع الطبيعى لتضخم الفساد؟!

أتمنى ألا يخرج هذا المسؤول وللمرة الثانية، ويعلن على الملأ: «إن طفح المجارى» دليل قاطع على أن الشعب جيش فى رفاهية إسراف الأكل!!

■ توقعات الخبراء تقول إن السنوات المقبلة ستصبح فيها «نقطة» المياه أغلى من «نقطة الراقصة»، ولذلك توقع بأن فاتورة المياه ستحدث «هزة» عنيفة للطبقة «الوسطى».

دبي تحتفل باطلاق اطول سيارة اسعاف في العالم

دشنت امارة دبي اليوم الخميس 24-12-2009 في احتفال رسمي كبير، اطول سيارة اسعاف في العالم

وجابت السيارة التي يبلغ طولها 20 مترا شوارع الامارة وسط حالة من الذهول والاعجاب من قبل المارة وقائدي السيارات الذين يرون لاول مرة سيارة اسعاف بهذا الحجم

وقال المدير التنفيذي لمركز خدمات الاسعاف في دبي خليفة بن دراي لـ"العربية.نت" ان السيارة الجديدة، حصلت على شهادة موسوعة غينيس للارقام القياسية، باعتبارها الاطول في العالم

وذكر ان خبراء اماراتيون ابتكروا فكرتها، ووضعوا تصميمها، فيما تولت شركة المانية تصنيعها بمدينة فرانكفورت

ودشن السيارة اليوم عدد من كبار المسؤولين في امارة دبي يتقدمهم الشيخ حمدان بن محمد بن راشد ولي عهد الامارة

واستمر تصنيع السيارة عام كامل، وتضم غرفة عمليات واخرى للعناية المركزة واسرة لحالات النقاهة، ومقاعد للاصابات المتوسطة والبسيطة، وسوف تستخدم في حالات الحوادث الكبرى ذات الاصابات العديدة

وتملك السيارة القدرة على نقل 45 مصابا وجريحا في وقت واحد، ويمكن ان تستوعب اكثر من 100 شخص من الاصابات البسيطة

ويضيف بن دراي "السيارة تكلف تصنيعها 6 ملايين درهم ، وهي مرتبطة بالاقمار الصناعية، وتتوفر داخلها خدمات الانترنت والفاكس، وزودت بكاميرات تنقل صورة مباشرة للعمليات الجراحية التي تجرى فيها، ويراها اطباء الطوارىء في المستشفيات المستقبلة للمصابين"

واشار الى ان السيارة الجديدة ليست مجرد وسيلة لنقل المرضى والمصابين، بل هي مستشفى متنقل، اذ تستقبل المصاب وتشخص حالته، واذا كانت حالته حرجة تجرى له جراجة في غرفة العمليات، ويخرج منها الى غرفة العناية المركزة داخل السيارة
واضاف يتلقى المصاب كل انواع الرعاية الطبية، وقد لايحتاج بعد ذلك الذهاب للمستشفى

وتحوي السيارة 25 جهاز من احدث الاجهزة الطبية في العالم، منها اجهزة تخدير وتنفس صناعي، واجهزة اكسجين مركزي، تتدلى كماماتها من سقف السيارة الى المصاب،بطريقة اشبه بالاكسجين المقدم لركاب الطائرات

وتستقبل السيارة حالات ولادة النساء، وتضم حضانة للاطفال الذين يولدون ناقصي النمو

ومن استخداماتها انها تتحول الى حجر صحي يستوعب مايزيد عن 120 فردا، ففي حال وجود حالات اصابة جماعية بمرض وبائي مثل انفلونزا الخنازير في طائرة او مدرسة، يمكن ان يتم حجز المصابين فيها بصورة جماعية ونقلهم للمستشفى


وقال بن دراي ان موسوعة جينس للارقام القياسية اقامت حفلا كبيرا في مدينة ماينز الالمانية قبل شهرين بمناسبة انتهاء تصنيع السيارة

وامام لجنة من الموسوعة ومسؤولين حكوميين بالمانيا تم تسجيل السيارة باعتبارها الاكبر في العالم

وثبت للجنة ان طول السيارة يزيد عن 20 مترا، وتستوعب 123 شخصا بوضع الوقوف في وقت واحد

واعتبر مدير اسعاف دبي ان هذا المشروع ياتي استكمالا لقائمة التميز التي تنفذها دبي، والتي تشمل "برج دبي" الذي يعد اعلى ناطحة سحاب في العالم، ومترو دبي هو الاطول في العالم الذي يسير دون سائق و"دبي مول" اكبر مركز تسوق في العالم، واعلى "نافورة مياه" عالميا في قلب مدينة دبي

الجدار المصري مدعوم بأنبوب من البحر

علمت الجزيرة نت من مصادر مطلعة أن الجدار الفولاذي الذي تبنيه مصر على الحدود مع قطاع غزة مدعوم من ساحل البحر الأبيض المتوسط بأنبوب ضخم لضخ المياه يمتد لمسافة عشرة كلم ويهدف لجعل التربة رخوة والقضاء على إمكانية حفر الأنفاق من هذه المنطقة.

وطبقا لتفاصيل أوردتها تلك المصادر للجزيرة نت فإن الأنبوب الضخم يمتد من ساحل البحر الأبيض المتوسط تجاه الشرق بمحاذاة الحدود بين مصر وغزة لمسافة عشرة كلم ويتفرع من هذا الأنبوب إلى باطن الأرض عدد كبير من الأنابيب بقطر ست بوصات مثقوبة من كل الجهات وبعمق ثلاثين مترا.

وإزاء هذه الأنابيب الضخمة –بحسب المصادر- ستدق أسافين ضخمة من الفولاذ سمكها 15 سم وعرضها نصف متر وطولها 22 مترا وهي متراصة على طول الحدود البالغة عشرة كلم، موضحة أن هذا النوع من الفولاذ جاء جاهزا من أميركا وهو غير قابل للتفجير أو الاختراق بالإمكانيات الموجودة.

وتقوم حاليا –حسب المصادر- آليات ضخمة من شركة عثمان أحمد عثمان بالتعاون مع شركات فرنسية وخبراء فرنسيين وأميركيين بثقب الأرض بمثاقب ضخمة جدا من أجل دفع الأنابيب في باطن الأرض، حيث تعمل الآن أربع حفارات من هذا النوع إحداها تعطل أثناء مناوشات بين الفلسطينيين والجنود المصريين.

وحذرت المصادر من كارثة بيئية إذا دخلت المياه على بئر الماء الحلوة الوحيد الذي يشرب منه أهالي القطاع مما سيؤثر على السكان، مشيرة إلى تسارع وتيرة بناء الجدار.

وبموازاة ذلك يتم حاليا إدخال أسلاك كهربائية ضخمة (كابلات) مزودة بمجسات داخل الأنابيب قبل ضخ المياه من أجل الكشف عن أماكن وجود الأنفاق بحسب ما قالت المصادر للجزيرة نت.

وقد تم حتى الآن خلال هذه العملية إدخال عدد محدود من الأنابيب وتم ثقب عدد من الأنفاق مما تسبب بانهيارها، حيث قتل اليوم الخميس وفق المصادر أحد المواطنين الفلسطينيين في أحد الأنفاق ويدعى صلاح علون بفعل المثاقب الضخمة التي تدك الأرض.


تقرير حقوقي: مصر أنجزت بناء 5.4 كلم من جدار فولاذي يبلغ طوله عشرة كلم
إنجاز البناء
وكانت المنظمة العربية لحقوق الإنسان في بريطانيا كشفت أن مصر أنجزت بناء 5.4 كلم من جدار فولاذي طوله عشرة كلم تبنيه على طول محور صلاح الدين بقطاع غزة المحاذي للحدود المصرية، بإشراف أميركي فرنسي إسرائيلي.

واعتبرت المنظمة في تقرير تلقت الجزيرة نت نسخة منه هذا الجدار -الذي قالت إنه مصنع أميركيا- جريمة ضد الإنسانية هدفه تشديد الخناق على الشعب الفلسطيني بالقطاع، ودعت الشعب المصري والشعوب العربية والإسلامية للتحرك لوقف الإجراءات المصرية وفضحها.

وطبقا للتقرير سيغرس الجدار على عمق عشرين إلى ثلاثين مترا، ويتكون من صفائح فولاذية طول الواحدة منها 18 مترا وسمكها خمسون سم ومزود بمجسات تنبه إلى محاولات خرقه، وينصب بإشراف كامل من ضباط مخابرات أميركيين وفرنسيين

تداعيات الجدار الفولاذى: أهالى رفح: الأنفاق مستمرة طالما المعبر مغلق

الوقت كالسيف.. إن لم تقطعه الأنفاق قطعه الجدار».. هكذا الحال فى رفح المصرية التى يستقبل أهلها الأنفاق فى منازلهم، ويستفيدون من حركة التجارة والتهريب تحت سطح الأرض، ويتعاملون مع مسألة الجدار الأمنى الذى تقيمه السلطات المصرية باعتباره أمراً واقعاً، عليهم التكيف معه.

تحولت رفح إلى مدينة للانتظار والترقب، لا أحد يعلم ما تسفر عنه التطورات، التى بدأت منذ نشرت الصحافة الإسرائيلية أول خيط عن الجدار الفولاذى على الحدود مع غزة، وهو الإعلان الذى تبعه إطلاق النار على معدات الحفر.

مصادر من البدو، رفضت نشر اسمها، قالت: إن الجدار شبه مكتمل، ويمتد من تل السلطان وينتهى عند «الصرصورية»، وأن العائق الوحيد هو بعض المنازل فى محور صلاح الدين، الملاصق للخط الحدودى، فيما قالت مصادر أمنية إن العمل متوقف فيما تسميه «المحور الأمنى» حتى هذه اللحظة.

«المصرى اليوم» زارت رفح عشية مظاهرة «حماس» الأخيرة على الحدود، التوتر بلغ مداه عصر ذلك اليوم، والكمائن الأمنية على الطريق، بداية من الشيخ زويد إلى معبر رفح، وتمكنت من احتجاز بعض السيارات التى تنقل البضائع المهربة، لكن مع اقتراب غروب الشمس كان كل شىء قد تغير، نهار رفح غير ليلها، تتواجد الشرطة والأجهزة الأمنية بكثافة على الطريق الساحلى، لكن عشرات الطرق العرضية مثل الماسورة والجورة يمكنك ملاحظة الغياب الأمنى عليها،

ومع حلول المساء، تشهد حركة كثيفة لسيارات تنقل البضائع بانتظام إلى فتحات الأنفاق على الجانب المصرى من رفح، ومنها إلى ٢ مليون فلسطينى تؤمن الأنفاق ثلثى احتياجاتهم المعيشية، طبقاً لتصريحات مسؤولين من «حماس» على الجانب الآخر من الحدود.

أبو محمد، واحد من أهم أصحاب الأنفاق والمخازن، زرناه فى منزله، الذى لا يبعد كثيراً عن منطقة الماسورة فى رفح، قال الرجل الذى رفض التصوير أو تعريف نفسه أكثر: أستطيع أن أدخل غزة فى أى وقت، وخلال عشر دقائق فقط، لكنى لم أزر العريش منذ عام ونصف العام!

سألناه عن السبب فقال: «هناك ٣ آلاف حكم غيابى بالسجن فى قضايا أمنية تتصل بالأنفاق والتهريب، وأنا شخصياً صدر ضدى حكم غيابى بالسجن ٣ سنوات».

لم يكتف الرجل بذلك، عرفنا على ٢ من التجار الفلسطينيين، اللذين عبرا إلى رفح المصرية عبر الأنفاق لإبرام صفقة عجول ومواد غذائية، وكانا فى طريقهما للعودة إلى غزة بنفس الطريقة.

أبوصالح وأبوالعبد، تاجران من جباليا، أخذا وقتاً طويلاً قبل الاطمئنان للحديث إلينا، يقول الأول إن الأنفاق بالنسبة لأهالى غزة هى الرئة اليمنى، بعد أن قطعت إسرائيل رئة منافذها الشمالية، ويضيف «القطاع المحاصر يشهد الآن أكبر حركة تجارية للبضائع المصرية،

والطلب الآن يزداد على المحروقات وملابس التدفئة، والأجهزة المنزلية، والأسمنت، ويؤكد أن إسرائيل كانت تبيع لتر البنزين بما يعادل ١٠ جنيهات مصرية، والآن لا يتعدى سعر البنزين المصرى فى غزة ٣ جنيهات، ويقول أبوالعبد: إن كيلو اللحم البتلو فى غزة يباع الآن بـ٦٠ جنيهاً، وهو سعر لا يختلف كثيراً عن بعض مناطق القاهرة.

اصطحبنا أبو محمد قبل حلول المساء فى جولة على بعض مناطق المخازن، كانت سيارات النقل الثقيل تأتى من طريق «جفجافة» و«الجورة» وسط سيناء، وتتجنب طريق (العريش - رفح) تفادياً للكمائن الأمنية، وتمثلت البضائع فى الأسمنت من مصانع وسط سيناء، أو سولار وبنزين،

وفى محيط قرية المهدية، حفر التجار ما يشبه المخازن الضخمة فى الأرض، وبطنوها بأكياس النايلون، تأتى السيارة التنك حمولة ٥٠ ألف لتر سولار من السويس، وتلقى حمولتها بداخلها، لتنقلها سيارات أصغر حجماً إلى الأنفاق، ومنها إلى غزة بواسطة مضخات، وبنفس الطريقة تفرغ شاحنات الأسمنت حمولتها.

لا يخفى أبو محمد أن البدو يحرصون على استمرار عمل الأنفاق، ولهم فى ذلك مبرران، يوضح موقفه بقوله: «شعب غزة المحاصر إخواننا، ولا يمكن التفريط فى مساعدتهم قدر الاستطاعة، وفى نفس الوقت الأنفاق تحسن حالتنا الاقتصادية، لأن الحكومة لا توفر لأهالى رفح فرص تنمية، وقضت على تجارتنا بغلق المعبر ومنفذ رفح البرى، وهو ما دفع الأهالى للعمل فى الأنفاق،

ويوجه رسالته إلى الحكومة: «نحن لا نضر بأمن مصر، كل البضائع المصادرة أمام أقسام الشرطة فى العريش هى شيبسى وكاوتش ومواد غذائية، افتحوا المعبر.. نوقف الأنفاق».

سألناه: هل ستتأثر الأنفاق بعد بناء الجدار الذى يصل عمقه إلى ٢٢ متراً؟.. فقال: «الفلسطينيون خبراء فى مقاومة الموانع المعدنية، وهناك أنفاق على أعماق تصل إلى ٣٥ متراً، لكن التجار على الجانبين يحاربون الوقت لإدخال أكبر قدر من البضاعة، قبل الانتهاء من الجدار، الذى سيقطع الوريد والشريان عن أهل غزة، حسب قوله.

أما عن الأرباح، وكيف تدور حركة رأس المال، فيقول: «الجانب الفلسطينى يرتب كل شىء، وكل الناس بتاكل عيش، من صاحب المصنع وحتى الضباط وانتهاء بالتجار، ويتم تحويل المبالغ بواسطة مكاتب صرافة فى العريش»، ويضيف: «صاحب النفق كان يحصل على ٤٠ دولاراً على «الشوال»، لكن الآن كثيراً من الأنفاق لا تعمل، بسبب نقص البضائع».

حاولنا الوصول بواسطة أبومحمد، الذى ينتمى إلى قبيلة العيايدة، إلى أحد الأنفاق، لكن العيون التى يضعها على الطريق نقلت له بـ«الموبايل»: «مافيش شغل الليلة»، بعد أن رصدت تحركات عناصر الأمن المصرى فى المنطقة، وتقرر تأجيل رحلة «الأسمنت» إلى النفق لحين ميسرة.

وفى اليوم التالى، عدنا إلى العريش، وزرنا الحى التجارى بدعوة من بعض التجار المسجلين فى الغرفة التجارية، فى شارع ٢٣ يوليو محال قطع الغيار شبه خاوية، وقال عصام قويدر: «العريش وأهلها صاروا تحت الحصار، وكوبرى السلام تحول إلى محطة جمرك جديدة»، قويدر يدير محلاً لقطع غيار السيارات،

ويشكو مما وصفه بتعنت رجال الشرطة فى منطقة المثلث، والمضايقات التى يتعرضون لها على الكوبرى، رغم أن بضاعته، كما يقول، تذهب إلى محله فقط، وكلها مسجلة بفواتير شراء وسجلات توريد ويتحاسب عنها ضريبياً.

جانب آخر من المعاناة يصفه صاحب أحد المطاعم، رفض ذكر اسمه: «أصبحنا نواجه مشكلة فى اللحوم، لا نكاد نجدها، بسبب مصادرة العجول بدعوى أنها تذهب إلى غزة، «لا يمكن أن تخنق الحكومة أهل العريش بدعوى محاربة الأنفاق والتهريب».

أما عبدالله قنديل، سكرتير الغرف التجارية فى العريش، فيقول: «تجار شمال سيناء الشرعيون مخنوقون، ورفعت شكوى إلى جمال مبارك من المضايقات الأمنية داخل المحافظة وخارجها، خاصة عند المعديات والكوبرى، لدرجة أن العملية صارت تعجيزية بعد احتجاز سيارات النقل وإغلاق شركات نقل البضائع، التى صارت تتعطل فى الطريق رغم صحة أوراقها،

ومن الغريب أن التاجر الشرعى يتم التعامل مع بضاعته بطريقة اعرض «فرش المتاع»، بينما التجار غير الشرعيين يدفعون المعلوم، وتمر بضاعتهم إلى التهريب والأنفاق دون مشكلة».

ويضيف: «المفروض أن تكون للتجار المنضبطين حرية التنقل فى طول الجمهورية وعرضها لا أن يتم التعامل معهم مثل المجرمين».

وإذا كان هذا هو حال التجار فى العريش، فإن تجار الأنفاق - طبقاً لسكرتير الغرفة - يكثفون من حركتهم قبل أى تطورات يفرضها الجدار الفولاذى، تفادياً للوقوع فى قضايا أمنية، ويحاولون اجتذاب العمالة صغيرة السن - تحت ١٥ سنة - لنقل البضاعة إلى الأنفاق، مقابل مبالغ ضخمة، مما سحب العمالة من العريش إلى الحدود التى تشهد توتراً ونشاطاً مكثفاً.

الوقت و القهوة

وقف أستاذ الفلسفة أمام تلاميذه وعلى غير عادته فلقد أحضر معه هذه المرة بعض الأواني والاكياس

أحضر معه وعاء زجاجيا كبيرا وكرات جولف وأكياس أخرى .

وكوبا كبيرا من القهوة الساخنة إحتسى منه بضع جرعات ،

وعندما حان وقت الدرس لم يتفوه الاستاذ بكلمة بل بدأ بالعمل في صمت .

أخذ كرات الجولف وملأ بها الوعاء الزجاجي

وسأل تلاميذه الذين كانوا ينظرون إليه بدهشة وإستغراب : " هل الزجاجة مملؤة الآن ؟ "

فأجابوا جميعا : " نعم وعلى الآخر "

ثم أخذ كيسا آخر به قطع صغيرة من الحصى .

وأفرغه في الوعاء الزجاجي مع رجه حتى يجد الحصى مكانا له بين كرات الجولف .

وسأل تلاميذه مجددا : " هل الزجاجة مملؤة الآن؟"

فأجابوا جميعا " نعم هي مملؤة "

ثم أخذ كيسا آخر به رمل ناعم .

وأفرغه في الوعاء الزجاجي مع رجه رجا خفيفا حتى إمتلأت جميع الفراغات بالرمل الناعم .

وسأل تلاميذه مرة اخرى :" هل الزجاجة مملؤة الآن ؟ "

فأجابوا جميعا بلهفة " نعم نعم "

إلتقط بعدها الاستاذ كوب القهوة وسكب ما بقى به داخل الوعاء الزجاجي فتغلغل السائل في الرمل

فضحك التلاميذ مندهشين .

إنتظر الاستاذ حتى توقف الضحك وحل الصمت ثم أردف قائلا :

أريدكم أن تعرفوا أن :
هذا الوعاء الزجاجي يمثل الحياة .. حياة كل واحد منكم

كرات الجولف تمثل الاشياء الرئيسة في حياتنا كالدين والاسرة والاطفال والمجتمع والاخلاق والصحة

هذه الاشياء التي لو ضاع كل شيء آخر غيرها لاستمر الانسان في الحياة .

أما قطع الحصى فهي تمثل الاشياء الاخرى المهمة مثل الوظيفة والسيارة والبيت .

وأما الرمل فهو يمثل كل الاشياء الصغيرة في حياتنا والتى لا حصر لها .

فلو أنكم تملئون الوعاء الزجاجي بالرمل قبل وضع كرات الجولف فلن يكون هناك مجال لكرات الجولف

ولن يجد الحصى مجالا له بعد إمتلاء الوعاء بالرمل .

ونفس الشيء بالنسبة للحصى

فلو أننا وضعناه في الوعاء قبل كرات الجولف فلن نجد مجالا لها .

وهذا ينطبق تماما على حياتنا

فلو أننا شغلنا انفسنا فقط بالاشياء الصغيرة فلن نجد طاقة للأمور الكبيرة والمهمة في حياتنا كالدين والاسرة والمجتمع والصحة .

فعليكم بالاهتمام بصحتكم أولا والقيام بواجباتكم الدينية وإهتموا بأسركم وأولادكم

ثم إهتموا بالأمور الاخرى المهمة كالبيت والسيارة .

وبعدها فقط يأتي دور الاشياء الصغيرة في حياتنا

وكان الاستاذ على وشك أن يلملم حاجياته عندما رفعت إحدى التلميذات يدها لتسأل :

" وماذا عن القهوة يا أستاذ ؟"

" سعيد جدا بهذا السؤال "
أجاب الاستاذ

"" فمهما كانت حياتك حافلة ومليئة بالاحداث فلابد أن يكون فيها متسع لفنجان من القهوة مع صديق أو حبيب أو زميل

WCF RIA Services

WCF RIA Services simplifies the development of n-tier solutions for Rich Internet Applications (RIA), such as Silverlight applications. A common problem when developing an n-tier RIA solution is coordinating application logic between the middle tier and the presentation tier. To create the best user experience, you want your RIA client to be aware of the application logic that resides on the server, but you do not want to develop and maintain the application logic on both the presentation tier and the middle tier. RIA Services solves this problem by providing framework components, tools, and services that make the application logic on the server available to the RIA client without having to manually duplicate that programming logic. You can create a RIA client that is aware of business rules and know that the client is automatically updated with latest middle tier logic every time that the solution is re-compiled.

The following illustration shows a simplified version of an n-tier application. RIA Services focuses on the box between the presentation tier and the data access layer (DAL) to facilitate n-tier development with a RIA client.



RIA Services adds tools to Visual Studio that enable linking client and server projects in a single solution and generating code for the client project from the middle-tier code. The framework components support prescriptive patterns for writing application logic so that it can be reused on the presentation tier. Services for common scenarios, such as authentication and user settings management, are provided to reduce development time.

WCF RIA Services is available from the RIA Services download site.
There are two versions available:
* WCF RIA Services Beta for Visual Studio 2008 SP1
* WCF RIA Services Preview for Visual Studio 2010

WCF Integration
In RIA Services, you expose data from the server project to client project by adding domain services. The RIA Services framework implements each domain service as a Windows Communication Foundation (WCF) service. Therefore, you can apply the concepts you know from WCF services to domain services when customizing the configuration. For more information, see Domain Services.

click here for more

سحب جديد للقاح إنفلونزا الخنازير

في إجراء هو الثاني من نوعه في أقل من شهر, بدأت إجراءات سحب نحو 4.7 ملايين جرعة من لقاح إنفلونزا الخنازير (إتش1 إن1) بالولايات المتحدة, على خلفية تجارب أثبتت قصورا وعدم فاعلية.

وفي هذا الصدد سحبت ميد إيميون التابعة لشركة إسترازينيكا بشكل طوعي الجرعات التي ترش عن طريق الأنف, قائلة إنه لا يحقق الفعالية المطلوبة, ويفقد قوته بمرور الوقت.

ووفقا لإدارة الأغذية والزراعة الأميركية, فإن نسبة كبيرة من هذا اللقاح قد استخدمت بالفعل, وكانت قوية بما فيه الكفاية عندما كانت توزع على مدى الشهرين الماضيين.

وقد حرصت إدارة الأغذية والأدوية الأميركية على تأكيد عدم حاجة الأشخاص الذين تلقوا اللقاح بالفعل لجرعة أخرى.

يشار إلى أن شركة سانوفي أفنتس سحبت هي الأخرى في 15 ديسمبر/كانون الأول الجاري ثمانمائة ألف جرعة من اللقاح الخاص بالأطفال "لأنه ليس بالفعالية المطلوبة

مصطفى السيد: جزيئات الذهب النانونية تقضي على الخلايا السرطانية بدون جراحة


ألقى العالم المصري الدكتور مصطفى السيد؛ رئيس كرسي جوليوس براون بمعهد جورجيا للعلوم والتكنولوجيا بالولايات المتحدة الأمريكية، والحاصل على قلادة العلوم الوطنية الأمريكية؛ محاضرة بعنوان "القضاء على الخلايا السرطانية باستخدام جزيئات الذهب النانونية" بمكتبة الإسكندرية بحضور نخبة من العلماء المصريين والعرب والأجانب.

تأتي المحاضرة استكمالا لمحاضراته السابقة بمكتبة الإسكندرية لتقدم أحدث الاكتشافات والتقنيات التي تستخدم جزيئات الذهب النانونية في علاج مرض السرطان. وذلك على هامش الاجتماع السنوي الخامس للمكتب العربي الإقليمي لأكاديمية الدول النامية للعلوم (TWAS-ARO)، الذي ينظمه مركز الدراسات والبرامج الخاصة (CSSP) بمكتبة الإسكندرية.

تحدث العالم المصري عن أهمية علم النانو تكنولوجي وتطبيقاته على الساحة الدولية، مشيراً إلى أن النانو هي تكنولوجيا تقوم على أشياء صغيرة ومتناهية الصغر، وعلم يعتمد على خواص المواد ويعطي مواد جديدة لا عدد لها من مواد صغيرة.

وشدد مصطفى السيد على أهمية البحث العلمي ودراسة المواد المختلفة من حولنا وخواصها بتأني ودقة، حيث يمكن من خلال هذه الدراسة المتفحصة أن نكتشف خواص جديدة في حال تحويل هذه المواد إلى جزئيات النانو المتناهية الصغر. وقال: أن الشعرة سمكها يساوي 50 ألف نانوميتر، مما يوضح مدى صغر هذه الجزيئات، حيث أن أي مادة يتم تصغير حجمها من 1- 100 نانوميتر تختلف خواصها حيث يمكنها أن تعطي مادة أخرى مختلفة عنها تماماً.

وأشار إلى إنه في الخمسين سنة الماضية حدثت تغيرات تكنولوجية هائلة في حياتنا، مثلاً: فقد دخل البوليمر في صناعة السيارات، وتم تصنيع الأجهزة في شكل الترانزيستور الصغير.

وأكد إنه في أمريكا يتم التفكير حالياً في استثمارات كبيرة في مجال العلوم، حيث سيتم الاستثمار في تصنيع المواد بحوالي 430 بليون دولار، ومجال الالكترونيات بحوالي 300 بليون دولار، وفي مجال الأدوية والعقاقير بحوالي 18 بليون دولار، وفي مجال التخليق الكيميائي بحوالي 100 بليون دولار .

وأشار إلى أن العلماء في أمريكا يوصون للكونجرس بأهمية وضع الأموال والاستثمارات في الأبحاث العلمية ومن ثم الخروج بتطبيقات تفيد الصناعة، فبدون العلم لا توجد تطبيقات. وذكر أن الرئيس الأمريكي السابق بيل كلينتون كان قد بدأ في توجيه أنظار العالم لأهمية الاستثمار في مجال النانو تكنولوجي، حينما خصص مبلغ 500 مليون لأبحاث النانو تكنولوجي. وحالياً يتوجه أوباما إلى الاستثمار في البحث العلمي حيث أن كل دولار ينفق في البحث العلمي يعود بخمس دولارات.

وأكد العالم المصري أن عام 2009 شهد أعلى نسبة وفيات بمرض السرطان، كذلك أعلى معدل انتشار حيث اكتشفت 1.479.350 حالة جديدة في أمريكا وحدها.

وقال د. مصطفى السيد إذا أردنا علاج شئ في أجسادنا علينا علاجه بأشياء في نفس الحجم، فالله سبحانه وتعالى خلق أشياء عديدة في أجسادنا في حجم النانوميتر، مثل: الـ DNA و البروتينات ومكونات الخلية. وحول أحدث أبحاثه في مجال التكنولوجيا الدقيقة وتطبيقه لهذه التكنولوجيا باستخدام مركبات الذهب الدقيقة في علاج مرض السرطان؛ أشار إلى أن الذهب الذي نستخدمه في أغراض الزينة لا يتفاعل مع الهواء، ولكن حينما يتحول الذهب إلى جزيئات النانو التي تصل إلى 30 أو 40 نانوميتر يصبح لونه يميل إلى اللون الأخضر. وهذه الجزيئات الدقيقة من الذهب قادرة على أن تصل للخلايا السرطانية وتقضي عليها وتميتها وتمنع عملية الانقسام الخلوي لها وبالتالي تمنع تكاثرها.

وشرح العالم المصري كيفية تطبيق استخدام مركبات الذهب الدقيقة في علاج مرض السرطان، حيث أن خلية السرطان تنتج بروتينات أكثر من الخلية العادية، والفكرة تكمن في وضع قطع الذهب لتتراكم على الخلايا السرطانية وتدخل فيها، وبمجرد تسليط الضوء عليها تصبح ظاهرة للطبيب المعالج، كما أنها تعمل على تركيز الأشعة الضوئية وكل الحرارة المتولدة عنها في التخلص وتدمير الخلايا السرطانية وبالتالي القضاء على السرطان في الجسم بنسبة 100 %. وأوضح أن الضوء المستخدم هو ليزر خفيف جدا CW، ويسلط لمدة 10 دقائق لتمتصه جزيئات الذهب وتعمل تلك الحرارة المتولدة عن امتصاص الذهب للضوء على انصهار الخلية وتلاشيها تماماً، على أن يتخلص الجسم من تلك الجزيئات في غضون 15 ساعة، لكنه قد يظل في الكبد أو الطحال لفترة تقارب الشهر.

وأضاف أن جزئيات الذهب تعمل على وقف الانقسام الخلوي للخلايا السرطانية، كما أنها تعمل على إعادة اندماج الخلايا المنقسمة مما يجعل الخلية الواحدة تموت تلقائياً بعد اجتماع نواتين فيها، موضحاً أن العلاج بتلك الجزئيات أفضل كثيراً لأنه يتم بدون جراحة مما يجنب المريض التعرض لأي بكتريا أو ميكروبات والتي أصبحت تنتشر بشدة في جميع مستشفيات العالم.

قام د. مصطفى السيد بتطبيق هذه النتائج بمشاركة نجله الدكتور إيفن السيد أستاذ جراحة الأورام بجامعة كاليفورنيا، على خلايا سرطانية من حيوانات التجارب‏ حيث لم يتم تجريبها على البشر حتى الآن. وذكر العالم المصري مصطفى السيد أن الإشكالية البحثية حالياً في التأكد من تأثير مركبات الذهب الدقيقة على جسم الإنسان بعد تأديتها للغرض، والآثار الجانبية لها. وقال أنه حالياً يقوم بأبحاث على الحيوانات، وفي مرحلة لاحقة ستتم التجارب على متطوعين من البشر لمعرفة فعالية العلاج بدقة قبل الاعتماد عليه في علاج مرض السرطان.

وأكد أن العلاج بجزيئات الذهب قد يصبح فعالاً بنسبة 90% بالنسبة لسرطان الثدي، خاصة وأن واحدة من 7 سيدات تصاب به، وكذلك سرطان البروستاتا الذي يصيب 1 من كل 6 رجال، مشيراً إلى هناك صعوبة في علاج سرطان الرئة والمخ نظراً لوجود عظام تحول دون تغلغل الضوء داخل الخلايا. وكذلك سرطان الكبد ويفضل في تلك الحالات العلاج الكيميائي .

حالياً يشرف الدكتور مصطفى السيد على بعض الباحثين المتميزين في مركز أبحاث جامعة القاهرة على بعض تطبيقات النانو. ومن الجدير بالذكر أن الدكتور مصطفى السيد تخرج من كليه العلوم بجامعة عين شمس عام 1953، وكان ترتيبه الأول، وبعد قراءته لإعلان صغير في جريدة الأهرام المصرية لأستاذ في ولاية فلوريدا الأمريكية عن قيامه بإعطاء منحة علمية لاثنين من الشباب المصريين للدراسة في فلوريدا، تقدم الدكتور مصطفى للحصول عليها وحصل عليها بالفعل و هاجر إلى الولايات المتحدة الأمريكية في عام 1954، وكان في نيته العودة و الاستقرار في مصر بعد حصوله على الدكتوراه، وذلك الذي لم يتحقق حيث تزوج الدكتور مصطفى من فتاة أمريكية و قرر أن يكمل حياته في الولايات المتحدة.

سعى د. مصطفى السيد هو وزوجته للعودة إلى مصر، وهو ما لم يحدث رغم تقدم زوجته بأكثر من مائتي طلب للالتحاق بعمل في مصر، وذلك لرفض مصر للأجانب في فترة الستينات و بداية السبعينات. درس في العديد من الجامعات المرموقة في الولايات المتحدة، مثل ييل وهارفارد ومعهد كاليفورنيا للتكنولوجيا، وأخيرا معهد جورجيا للتكنولوجيا، حيث يتربع على كرسي جوليوس براون هناك.

احتل الدكتور مصطفى السيد عدة مراكز أكاديمية منها: رئيس كرسي جوليوس براون بمعهد جورجيا للعلوم والتكنولوجيا، ورئيس مركز أطياف الليزر بذات المعهد، كما انتخب عضواً بالأكاديمية الوطنية للعلوم بالولايات المتحدة عام 1980، وقد تولي علي مدي 24 عاماً رئاسة تحرير مجلة علوم الكيمياء الطبيعية، وهي من أهم المجلات العلمية في العالم.

حصد الدكتور مصطفى السيد عدة جوائز وهي: جائزة الملك فيصل العالمية للعلوم عام 1990، وزمالة أكاديمية علوم وفنون السينما الأمريكية، وقلادة العلوم الوطنية الأمريكية 2007 ، ووسام الجمهورية من الطبقة الأولى في 28 يناير 2009م. ويتمتع العالم المصري مصطفى السيد بعضويه الجمعية الأمريكية لعلوم الطبيعة، كما انه عضو الجمعية الأمريكية لتقدم العلوم، وعضو أكاديمية العالم الثالث للعلوم .

حتى ابليس هاجر من مصر

الشاعر على سلامة
--------------

على باب سفارة كندا.. لمحت ابليس و ف ايده استماره..

بقول له على فين.. قاللي بص .. يا هجره يا اعاره..

يا عم زهقت.. كفرت .. الاقيش معاك سيجاره..

انا انتهيت خلاص .. لا نافع وسواس ولا خناس

ولا ليا عيش وسط الناس..

دي عالم مجرمين.. عندكوا فائض ف الفساد...

في كل البلاد..

ومش محتاجين شياطين .. مليش عيش ف دي البلاد..

....



بقالي سنين عاطل .

و انتوا بتعرفوا تقلبوا الحق باطل..

و تسلكوا القاتل .. و تمشوا ف جنازة المقتول..

ومفيش مشاكل..



يا عم ده انا بقيت أوسوس بالمقلوب..

و أقول للحرامي .. كفايه بقى .. توووووب..

انت ايه . لوحدك هاتعمل كل الذنوب..

و أنا ابليس أشتغل واعظ .. ولا كمساري ف اتوبيس..



يا عم ده انا زمان

كنت استنى حد ينسى يسمي وهو بياكل لقمته..

دلوقتي كل اكلكم ملوث .. و بصراحه الواحد خايف على صحته..

ده مفيش ضمير اساساً عشان اموته..

و كل واحد بمزاجه .. خربانه ذمته..



يا عم ده كل حاجه اتسرقت..

وكده الاجيال الجديده م الحراميه اتظلمت..

يا راجل ده من كتر ما لطشت معايا..

خرجت ف مظاهره مع الناس اللي بتقول كفايه..

و برضه ......... مفيش فايده

Cloud computing




Cloud computing

Cloud computing logical diagramCloud computing is Internet- ("cloud-") based development and use of computer technology ("computing").In concept, it is a paradigm shift whereby details are abstracted from the users who no longer need knowledge of, expertise in, or control over the technology infrastructure "in the cloud" that supports them.It typically involves the provision of dynamically scalable and often virtualized resources as a service over the Internet.

The term cloud is used as a metaphor for the Internet, based on how the Internet is depicted in computer network diagrams and is an abstraction of the underlying infrastructure it conceals. Typical cloud computing providers deliver common business applications online which are accessed from a web browser, while the software and data are stored on the servers.

These applications are broadly divided into the following categories: Software as a Service (SaaS), Utility Computing, Web Services, Platform as a Service (PaaS), Managed Service Providers (MSP), Service Commerce, and Internet Integration. The name cloud computing was inspired by the cloud symbol that is often used to represent the Internet in flow charts and diagrams.

Comparisons
Cloud computing can be confused with:

Grid computing — "a form of distributed computing, whereby a 'super and virtual computer' is composed of a cluster of networked, loosely coupled computers acting in concert to perform very large tasks"
Utility computing — the "packaging of computing resources, such as computation and storage, as a metered service similar to a traditional public utility, such as electricity";
Autonomic computing — "computer systems capable of self-management".
Indeed, many cloud computing deployments depend on grids, have autonomic characteristics, and bill like utilities, but cloud computing tends to expand what is provided by grids and utilities. Some successful cloud architectures have little or no centralized infrastructure or billing systems whatsoever, including peer-to-peer networks such as BitTorrent and Skype, and volunteer computing such as SETI@home.

Characteristics
In general, cloud computing customers do not own the physical infrastructure, instead avoiding capital expenditure by renting usage from a third-party provider. They consume resources as a service and pay only for resources that they use. Many cloud-computing offerings employ the utility computing model, which is analogous to how traditional utility services (such as electricity) are consumed, whereas others bill on a subscription basis. Sharing "perishable and intangible" computing power among multiple tenants can improve utilization rates, as servers are not unnecessarily left idle (which can reduce costs significantly while increasing the speed of application development). A side-effect of this approach is that overall computer usage rises dramatically, as customers do not have to engineer for peak load limits. In addition, "increased high-speed bandwidth" makes it possible to receive the same response times from centralized infrastructure at other sites.

Economics
Cloud computing users can avoid capital expenditure (CapEx) on hardware, software, and services when they pay a provider only for what they use. Consumption is usually billed on a utility (resources consumed, like electricity) or subscription (time-based, like a newspaper) basis with little or no upfront cost. Other benefits of this time sharing-style approach are low barriers to entry, shared infrastructure and costs, low management overhead, and immediate access to a broad range of applications. In general, users can terminate the contract at any time (thereby avoiding return on investment risk and uncertainty), and the services are often covered by service level agreements (SLAs) with financial penalties.
According to Nicholas Carr, the strategic importance of information technology is diminishing as it becomes standardized and less expensive. He argues that the cloud computing paradigm shift is similar to the displacement of electricity generators by electricity grids early in the 20th century.
Although companies might be able to save on upfront capital expenditures, they might not save much and might actually pay more for operating expenses. In situations where the capital expense would be relatively small, or where the organization has more flexibility in their capital budget than their operating budget, the cloud model might not make great fiscal sense. Other factors impacting the scale of any potential cost savings include the efficiency of a company’s data center as compared to the cloud vendor’s, the company's existing operating costs, the level of adoption of cloud computing, and the type of functionality being hosted in the cloud.[16][17]

Architecture
The majority of cloud computing infrastructure, as of 2009[update], consists of reliable services delivered through data centers and built on servers. Clouds often appear as single points of access for all consumers' computing needs. Commercial offerings are generally expected to meet quality of service (QoS) requirements of customers and typically offer SLAs. [18] Open standards are critical to the growth of cloud computing, and open source software has provided the foundation for many cloud computing implementations.[19]

History
The Cloud is a term that borrows from telephony. Up to the 1990s, data circuits (including those that carried Internet traffic) were hard-wired between destinations. Then, long-haul telephone companies began offering Virtual Private Network (VPN) service for data communications. Telephone companies were able to offer VPN-based services with the same guaranteed bandwidth as fixed circuits at a lower cost because they could switch traffic to balance utilization as they saw fit, thus utilizing their overall network bandwidth more effectively. As a result of this arrangement, it was impossible to determine in advance precisely which paths the traffic would be routed over. The cloud symbol was used to denote that which was the responsibility of the provider, and cloud computing extends this to cover servers as well as the network infrastructure.
The underlying concept of cloud computing dates back to 1960, when John McCarthy opined that "computation may someday be organized as a public utility"; indeed it shares characteristics with service bureaus that date back to the 1960s. In 1997, the first academic definition was provided by Ramnath K. Chellappa who called it a computing paradigm where the boundaries of computing will be determined by economic rationale rather than technical limits.[20] The term cloud had already come into commercial use in the early 1990s to refer to large Asynchronous Transfer Mode (ATM) networks.
Loudcloud, founded in 1999 by Marc Andreessen, was one of the first to attempt to commercialize cloud computing with an Infrastructure as a Service model[22]. By the turn of the 21st century, the term "cloud computing" began to appear more widely,[23] although most of the focus at that time was limited to SaaS, called "ASP's" or Application Service Providers, under the terminology of the day.
In the early 2000s, Microsoft extended the concept of SaaS through the development of web services[citation needed]. IBM detailed these concepts in 2001 in the Autonomic Computing Manifesto, which described advanced automation techniques such as self-monitoring, self-healing, self-configuring, and self-optimizing in the management of complex IT systems with heterogeneous storage, servers, applications, networks, security mechanisms, and other system elements that can be virtualized across an enterprise.
Amazon played a key role in the development of cloud computing by modernizing their data centers after the dot-com bubble, which, like most computer networks, were using as little as 10% of their capacity at any one time just to leave room for occasional spikes. Having found that the new cloud architecture resulted in significant internal efficiency improvements whereby small, fast-moving "two-pizza teams" could add new features faster and easier, Amazon started providing access to their systems through Amazon Web Services on a utility computing basis in 2005.This characterization of the genesis of Amazon Web Services has been characterized as an extreme over-simplification by a technical contributor to the Amazon Web Services project .
In 2007, Google, IBM, and a number of universities embarked on a large scale cloud computing research project.[26] By mid-2008, Gartner saw an opportunity for cloud computing "to shape the relationship among consumers of IT services, those who use IT services and those who sell them",[27] and observed that "[o]rganisations are switching from company-owned hardware and software assets to per-use service-based models" so that the "projected shift to cloud computing ... will result in dramatic growth in IT products in some areas and in significant reductions in other areas."[28]

[edit] Political issues
The Cloud spans many borders and "may be the ultimate form of globalization."[29] As such, it becomes subject to complex geopolitical issues, and providers are pressed to satisfy myriad regulatory environments in order to deliver service to a global market. This dates back to the early days of the Internet, when libertarian thinkers felt that "cyberspace was a distinct place calling for laws and legal institutions of its own"[29].

Despite efforts (such as US-EU Safe Harbor) to harmonize the legal environment, as of 2009[update], providers such as Amazon cater to major markets (typically the United States and the European Union) by deploying local infrastructure and allowing customers to select "availability zones."[30] Nonetheless, concerns persist about security and privacy from individual through governmental levels (e.g., the USA PATRIOT Act, the use of national security letters, and the Electronic Communications Privacy Act's Stored Communications Act).

[edit] Legal issues
In March 2007, Dell applied to trademark the term "cloud computing" (U.S. Trademark 77,139,082) in the United States. The "Notice of Allowance" the company received in July 2008 was cancelled in August, resulting in a formal rejection of the trademark application less than a week later.

In November 2007, the Free Software Foundation released the Affero General Public License, a version of GPLv3 intended to close a perceived legal loophole associated with free software designed to be run over a network. Founder and president, Richard Stallman has also warned that cloud computing "will force people to buy into locked, proprietary systems that will cost more and more over time".[31]

[edit] Key characteristics
Agility improves with users able to rapidly and inexpensively re-provision technological infrastructure resources.[32].
Cost is claimed to be greatly reduced and capital expenditure is converted to operational expenditure[33]. This ostensibly lowers barriers to entry, as infrastructure is typically provided by a third-party and does not need to be purchased for one-time or infrequent intensive computing tasks. Pricing on a utility computing basis is fine-grained with usage-based options and fewer IT skills are required for implementation (in-house).[34]
Device and location independence[35] enable users to access systems using a web browser regardless of their location or what device they are using (e.g., PC, mobile). As infrastructure is off-site (typically provided by a third-party) and accessed via the Internet, users can connect from anywhere.[34]
Multi-tenancy enables sharing of resources and costs across a large pool of users thus allowing for:
Centralization of infrastructure in locations with lower costs (such as real estate, electricity, etc.)
Peak-load capacity increases (users need not engineer for highest possible load-levels)
Utilization and efficiency improvements for systems that are often only 10–20% utilized.[24]
Reliability improves through the use of multiple redundant sites, which makes cloud computing suitable for business continuity and disaster recovery.[36] Nonetheless, many major cloud computing services have suffered outages, and IT and business managers can at times do little when they are affected.[37][38]
Scalability via dynamic ("on-demand") provisioning of resources on a fine-grained, self-service basis near real-time, without users having to engineer for peak loads. Performance is monitored, and consistent and loosely-coupled architectures are constructed using web services as the system interface.[34]
Security typically improves due to centralization of data[39], increased security-focused resources, etc., but concerns can persist about loss of control over certain sensitive data, and the lack of security for stored kernels[40]. Security is often as good as or better than under traditional systems, in part because providers are able to devote resources to solving security issues that many customers cannot afford[41]. Providers typically log accesses, but accessing the audit logs themselves can be difficult or impossible. Furthermore, the complexity of security is greatly increased when data is distributed over a wider area and / or number of devices.
Sustainability comes about through improved resource utilization, more efficient systems, and carbon neutrality.[42][43] Nonetheless, computers and associated infrastructure are major consumers of energy.[44]
Maintenance cloud computing applications are easier to maintain, since they don't have to be installed on each user's computer. They are easier to support and to improve since the changes reach the clients instantly.
[edit] Layers
[edit] Clients
See also category: Cloud clients

A cloud client consists of computer hardware and/or computer software that relies on cloud computing for application delivery, or that is specifically designed for delivery of cloud services and that, in either case, is essentially useless without it.[45] For example:

Mobile (Linux based - Palm Pre-WebOS Linux Kernel, Android-Linux Kernel, iPhone-Darwin Linux Kernel, Microsoft based - Windows Mobile)[46][47][48]
Thin client (CherryPal, Wyse, Zonbu, gOS-based systems)[49][50][51]
Thick client / Web browser (Internet Explorer, Mozilla Firefox, Google Chrome, WebKit)
[edit] Application
See also category: Cloud applications

A cloud application leverages cloud computing in software architecture, often eliminating the need to install and run the application on the customer's own computer, thus alleviating the burden of software maintenance, ongoing operation, and support. For example:

Peer-to-peer / volunteer computing (BOINC, Skype)
Web applications (Webmail, Facebook, Twitter, YouTube)
Security as a service (MessageLabs, Purewire, ScanSafe, Zscaler)
Software as a service (A2Zapps.com, Google Apps, Salesforce,Learn.com, Zoho, BigGyan.com)
Software plus services (Microsoft Online Services)
Storage [Distributed]
Content distribution (BitTorrent, Amazon CloudFront)
Synchronisation (Dropbox, Live Mesh, SpiderOak, ZumoDrive)
[edit] Platform
See also category: Cloud platforms

A cloud platform (PaaS) delivers a computing platform and/or solution stack as a service, generally consuming cloud infrastructure and supporting cloud applications. It facilitates deployment of applications without the cost and complexity of buying and managing the underlying hardware and software layers.[52][53] For example:

Services
Identity (OAuth, OpenID)
Payments (Amazon Flexible Payments Service, Google Checkout, PayPal)
Search (Alexa, Google Custom Search, Yahoo! BOSS)
Real-world (Amazon Mechanical Turk)
Solution stacks
Java (Google App Engine)
PHP (Rackspace Cloud Sites)
Python Django (Google App Engine)
Ruby on Rails (Heroku)
.NET (Azure Services Platform, Rackspace Cloud Sites)
Proprietary (Force.com, WorkXpress, Wolf Frameworks)
Storage [Structured]
Databases (Amazon SimpleDB, BigTable)
File storage (Amazon S3, Nirvanix, Rackspace Cloud Files)
Queues (Amazon SQS)
[edit] Infrastructure
See also category: Cloud infrastructure

Cloud infrastructure (IaaS) is the delivery of computer infrastructure, typically a platform virtualization environment, as a service.[54] For example:

Compute (Amazon CloudWatch, RightScale)
Physical machines)
Virtual machines (Amazon EC2, GoGrid, Rackspace Cloud Servers)
OS-level virtualisation
Network (Amazon VPC)
Storage [Raw] (Amazon EBS)
[edit] Servers
The servers layer consists of computer hardware and/or computer software products that are specifically designed for the delivery of cloud services.[45] For example:

Fabric computing (Cisco UCS)
[edit] Architecture

Cloud computing sample architectureCloud architecture,[55] the systems architecture of the software systems involved in the delivery of cloud computing, comprises hardware and software designed by a cloud architect who typically works for a cloud integrator. It typically involves multiple cloud components communicating with each other over application programming interfaces, usually web services.[56]

This closely resembles the Unix philosophy of having multiple programs each doing one thing well and working together over universal interfaces. Complexity is controlled and the resulting systems are more manageable than their monolithic counterparts.

Cloud architecture extends to the client, where web browsers and/or software applications access cloud applications.

Cloud storage architecture is loosely coupled, often assiduously avoiding the use of centralized metadata servers which can become bottlenecks. This enables the data nodes to scale into the hundreds, each independently delivering data to applications or users.

[edit] Types by visibility

Cloud computing types[edit] Public cloud
Public cloud or external cloud describes cloud computing in the traditional mainstream sense, whereby resources are dynamically provisioned on a fine-grained, self-service basis over the Internet, via web applications/web services, from an off-site third-party provider who shares resources and bills on a fine-grained utility computing basis.[34]

[edit] Hybrid cloud
A hybrid cloud environment consisting of multiple internal and/or external providers[57] "will be typical for most enterprises".[58] A hybrid cloud can describe configuration combining a local device, such as a Plug computer with cloud services. It can also describe configurations combining virtual and physical, colocated assets—for example, a mostly virtualized environment that requires physical servers, routers, or other hardware such as a network appliance acting as a firewall or spam filter.[59]

[edit] Private cloud
Private cloud and internal cloud are neologisms that some vendors have recently used to describe offerings that emulate cloud computing on private networks. These (typically virtualisation automation) products claim to "deliver some benefits of cloud computing without the pitfalls", capitalising on data security, corporate governance, and reliability concerns. They have been criticized on the basis that users "still have to buy, build, and manage them" and as such do not benefit from lower up-front capital costs and less hands-on management[58], essentially "[lacking] the economic model that makes cloud computing such an intriguing concept".[60][61]

While an analyst predicted in 2008 that private cloud networks would be the future of corporate IT,[62] there is some uncertainty whether they are a reality even within the same firm.[63] Analysts also claim that within five years a "huge percentage" of small and medium enterprises will get most of their computing resources from external cloud computing providers as they "will not have economies of scale to make it worth staying in the IT business" or be able to afford private clouds.[64]. Analysts have reported on Platform's view that private clouds are a stepping stone to external clouds, particularly for the financial services, and that future datacenters will look like internal clouds.[65]

The term has also been used in the logical rather than physical sense, for example in reference to platform as a service offerings[66], though such offerings including Microsoft's Azure Services Platform are not available for on-premises deployment.[67]

[edit] Types of services
Services provided by cloud computing can be split into three major categories[68]:

[edit] Infrastructure-as-a-Service (IaaS)
Infrastructure-as-a-Service(IaaS) like Amazon Web Services provides virtual servers with unique IP addresses and blocks of storage on demand. Customers benefit from an API from which they can control their servers. Because customers can pay for exactly the amount of service they use, like for electricity or water, this service is also called utility computing.

[edit] Platform-as-a-Service (PaaS)
Platform-as-a-Service(PaaS) is a set of software and development tools hosted on the provider's servers. Developers can create applications using the provider's APIs. Google Apps is one of the most famous Platform-as-a-Service providers. Developers should take notice that there aren't any interoperability standards (yet), so some providers may not allow you to take your application and put it on another platform.

[edit] Software-as-a-Service (SaaS)
Software-as-a-Service (SaaS) is the broadest market. In this case the provider allows the customer only to use its applications. The software interacts with the user through a user interface. These applications can be anything from web based email, to applications like Twitter or Last FM.

فن إرضاء الرئيس

: علاء الأسواني



1 ديسمبر 2009 09:17:36 ص بتوقيت القاهرة

لم أكن لأصدق هذه الواقعة لولا أن شاهدتها بنفسى على شريط تسجيل لقناة المحور :
أثناء مؤتمر الحزب الوطنى الأخير.. وصلت السيدة سوزان مبارك الى القاعة، يحيط بها أفراد الحراسة، وهرع الوزراء والمسئولون لتحيتها ثم اقتربت منها عائشة عبدالهادى وزيرة القوى العاملة وأخذت تلاحقها، كانت الوزيرة عائشة تتحدث فى موضوع بدا أنه لا يحظى باهتمام السيدة سوزان لكنها ظلت تنصت للوزيرة وعلى وجهها ابتسامة مهذبة .

ثم فجأة، أمام الحاضرين وعدسات المصورين وكاميرات التليفزيون، انحنت الوزيرة عائشة عبدالهادى على يد السيدة سوزان مبارك وأخذت تقبلها. بدا المشهد غريبا للغاية ..

إن تقبيل الرجل ليد المرأة عادة فرنسية غير منتشرة فى مصر.. المصريون قد يقبلون يد الأم أو الأب تعبيرا عن الاحترام العميق وفيما عدا ذلك، فإن تقبيل الأيدى يعتبر فى بلادنا أمرا منافيا للكرامة وعزة النفس ..

فى عام 1950 كان حزب الوفد قد أنهكه وجوده خارج السلطة لعدة أعوام، وعندما تولى الوفد تشكيل الحكومة الجديدة التقى زعيم الوفد مصطفى النحاس بالملك فاروق وانحنى ليقبل يده وكان ذلك تصرفا مشينا ظل يلاحق مصطفى النحاس حتى وفاته. ما الذى يدفع وزيرة فى الدولة إلى الانحناء وتقبيل الأيدى؟ .

الحق أن عائشة عبدالهادى لم تحلم يوما بتولى الوزارة لسبب بسيط أنها لم تكمل تعليمها الأساسى، أى أنها فشلت فى الحصول على الشهادة الإعدادية ونجحت فى أن تكون وزيرة.. فى بلد يضم عشرات الآلاف من حملة الدكتوراه ..

إن الوزيرة عائشة تدرك أن توليها للوزارة لا يعود الى كفاءتها أو قدرتها على العمل وإنما يرجع فقط الى رضا الرئيس وأسرته عنها، ومن أجل الاحتفاظ بالرضا الرئاسى فإنها على أتم استعداد لأن تفعل أى شىء بما فى ذلك تقبيل أيدى الرئيس وقرينته وولديه .. السؤال: هل يمكن أن نتوقع من الوزيرة عائشة أن تدافع عن كرامة المصريين وحقوقهم كما يقتضى منصبها كوزيرة للقوى العاملة؟. الإجابة بالنفى القاطع، إن آلاف المصريين الذين يعملون فى دول الخليج يتعرضون لنهب مستحقاتهم على يد الكفيل، ويعانون من المعاملة السيئة المهينة وكثيرا ما يتم حبسهم وجلدهم ظلما.. وهم ينتظرون من حكومة بلادهم أن تدافع عن حقوقهم لكن السيدة عائشة، التى تقبل الأيدى، لا تفعل لهم شيئا ..

بل على العكس، فقد أعلنت عائشة عبدالهادى منذ عامين أنها تعاقدت مع السلطات السعودية من أجل توريد آلاف الخادمات المصريات ليعملن فى بيوت السعوديين.. وقد أصابت هذه الصفقة الشاذة المصريين بالصدمة،



إن واقعة تقبيل الوزيرة عائشة ليد السيدة سوزان مبارك تعكس علاقة الوزراء وكبار المسئولين بالرئيس مبارك وأسرته.. فى نفس التسجيل الذى شاهدته لقناة المحور، يظهر الدكتور على الدين هلال، مسئول الإعلام فى الحزب الوطنى وأستاذ العلوم السياسية وقد وقع فى ورطة طريفة ..

فقد شاء حظه أن يجد نفسه واقفا فى طريق السيدة سوزان مبارك، فارتبك بشدة ولم يدر ماذا يفعل: فهو يخشى أن يفسر إعطاء ظهره للسيدة الأولى وكأنه استهانة بمكانتها فتكون العاقبة وخيمة، كما أنه لا يستطيع أن يغامر بالتوجه إليها والحديث معها مادامت لم تطلب منه ذلك.. ولو أنه قرر الابتعاد فجأة عن مسار السيدة سوزان قد يبدو ذلك أيضا تصرفا لا يليق ..

ماذا يفعل إذن؟ بدا المسئول الكبير مضطربا ومشتت الذهن وظل يتأرجح فى مكانه حتى جاء إليه ضابط حراسة وأزاحه بعيدا حتى تتقدم السيدة سوزان مبارك فى طريقها، هذا الخضوع التام للرئيس وأسرته سمة مشتركة للوزراء جميعا فى مصر .

ولعلنا نذكر فى العام الماضى كيف قام جمال مبارك بتوبيخ وزير التعليم العالى هانى هلال على الملأ فى احتفال للجامعة الأمريكية ومنعه من الجلوس بجواره على المنصة ثم أشار إليه بيده أن ينصرف فورا، لم يغضب الوزير هانى هلال آنذاك لتوبيخه علنا وإنما أصابه الجزع فقط لأن جمال مبارك غاضب عليه ..

فى الدول الديمقراطية، يصل الوزير الى منصبه بواسطة انتخابات نزيهة، وهو يدين بالفضل للناخبين ويبذل كل جهده لكى يحتفظ بثقتهم وأصواتهم .

وإذا اختلف الوزير هناك مع رئيس الدولة فإنه يقدم استقالته فورا لأنه يعلم أنه سيعود الى منصبه إذا فاز فى الانتخابات المقبلة.. أما فى النظام الاستبدادى فإن رأى الناس لا يهم الوزير إطلاقا، لأنه يتولى الوزارة ليس بسبب كفاءته أو عمله وإنما بفضل ولائه للرئيس .

وبالتالى فإن مستقبله السياسى كله معلق بكلمة واحدة من سيادة الرئيس. لن تجد فى مصر أبدا وزيرا يناقش الرئيس مبارك فيما يقوله أو يختلف معه أو حتى يتحفظ على كلمة واحدة قالها. كلهم يمجدون الرئيس ويشيدون بعبقريته وإنجازاته العظيمة التى لا نراها نحن المصريين ولا نشعر بها، (لأنها ببساطة غير موجودة).. رأيت من سنوات مسئولا اقتصاديا بارزا فى الدولة يؤكد على شاشة التليفزيون أن الرئيس مبارك بالرغم من كونه لم يدرس الاقتصاد إلا أن سيادته يتميز «بالإلهام الاقتصادى» الذى يجعله يتوصل الى أفكار اقتصادية جبارة ومبهرة تستعصى على أساتذة الاقتصاد أنفسهم (!).

إن طريقة تولى المناصب فى مصر تستبعد تلقائيا أصحاب الكفاءات والشخصيات القيادية والذين يتمتعون بعزة النفس ويحرصون على كرامتهم.. بينما تمنح المناصب عادة للفاشلين والأتباع والمنافقين والمتعاونين مع أجهزة الأمن.. وقد أدى ذلك الى تدهور الأحوال فى مصر حتى وصلت الى الحضيض فى معظم المجالات .

إن اللحظة التى انحنت فيها عائشة عبدالهادى لتقبل يد السيدة سوزان مبارك، تحمل فى معناها التفسير الكامل لضياع حقوق المصريين داخل الوطن وخارجه. عندما يتم إصلاح ديمقراطى حقيقى، سوف تأتى الانتخابات بمسئولين أكفاء ومحترمين لا يقبلون الأيدى ولا ينافقون الرئيس وأسرته، عندئذ فقط سوف تنهض مصر