Отправляет email-рассылки с помощью сервиса Sendsay
  Все выпуски  

The new IBM Lotus Notes 8 Out of Office functionality


Lotus Notes/Domino -- продукт и инструмент. Выпуск: 255

2010-06-14
Поиск по сайтам о Lotus Notes

Содержание:

CodeStore. Коды Примеры Шаблоны (2)

Had A Quick Look at SilverLight. Don't Like It Much. | Blog
Export Domino View Data to Excel with an XPages Custom Control

Интенет эфир о Lotus Notes. Блоги и форумы (29)

Мошкин Аркадий Альбертович
Сибиркова Светлана Евгеньевна
Пучкова Ксения Богдановна
Вовкович Диана Семеновна
Вадбальский Антон Иванович
Бектуганов Аркадий Игоревич
Survival Guide for Lotus Notes and Domino Administrators
Чувашов Александр Васильевич
Мамедбекова Виталина Руслановна
Скорописчиков Арсений Максимович
Косарева Александра Ростиславовна
Обручин Алексей Максимович
Чалов Федор Вячеславович
Маганин Аркадий Игоревич
Желаемая позиция экономист
Domino and the As/400: Installation and Configuration (Redbook)
Чугунихин Роман Анатольевич
Сандунов Семен Яковлевич
trminator:
Заместитель директора по производству
Младший консультант/ стажер
Цыренов Георгий Захарович
Cytalk - Роль особенно общественных сеток в нашей работе
Полтинина Дарья Федоровна
М. Е. Салтыков-Щедрин. Избранные сочинения М. Е. Салтыков-Щедрин
Набор для вышивания бисером "Кувшинка", 14 см х 14 см Гамма
Lotus Notes R5 for Dummies Quick Reference
Нашествие архитектурных астронавтов
Новая версия ОС RiOS оптимизирует работу Lotus Notes, Microsoft ... http://goo.gl/fb/P8ki5

Вакансии для специалистов (10)

Field Operations/Processing Support - SAP, Lotus Notes
Systems Consultant 2 - Lotus Notes Support
SENIOR LOTUS NOTES DEVELOPER/IT PROJECT MANAGER
Messaging Administrator (Lotus Notes)
Systems Engineer - Lotus Notes Domino
Lotus Notes Developer
Lotus Notes Developer
Lotus Notes Developer
Lotus Notes Domino Engineer
Lotus Notes Developer (CF)

Закладки о Lotus Notes (6)

The new IBM Lotus Notes 8 Out of Office functionality
LotusScript – Obscure Features Primer For Beginners « Brain Flush
IBM Lotus Notes Traveler & the iPad
Out of Office Lotus Notes 8 vs 7
Unternehmen ticken anders oder warum "Wie im Netz" nicht funktioniert - Veranstaltungen - wissensAUSLESE
How to reduce your Notes application development time by 15%
Спонсоры рассылки:
Поиск по сайтам о Lotus Notes/Domino
Полнотекстовый поиск по тематическим сайтам о Lotus Notes
Хостинг на Lotus Domino















Блиц опрос
Материалы на английском
(голосование возможно только из письма рассылки)
  • Нормально. Могу читать
  • Не годиться. Хочу только на русском
  • Компания ПУЛ - разработка приложений на Lotus Notes/Domino

    CodeStore. Коды Примеры Шаблоны

    1. Had A Quick Look at SilverLight. Don't Like It Much. | Blog

    We've probably all heard of Microsoft's "Flex killer", SilverLight, but how does it stack up against Flex? As a simple comparison exercise I thought I'd try and reproduce the Flex contacts database in SilverLight.

    By the time I'd added one XML-consuming DataGrid I gave up in frustration. I don't think Flex has much to worry about for the time being.

    Here's the Silverlight app I started which is consuming the same XML as it's Flex counterpart. As you can see, I didn't get far.

    Getting Started

    To start developing the SiverLight (SL) app I launched Visual Studio Web Express (free!) and created a new SL project.

    For the sake of argument let's assume most Flex or SilverLight business applications are going to be centred around some kind of Data Grid / "view", which fetches XML from a web server. Because most apps are like this. Are they not!

    So, first thing I did was add a DataGrid and then I did a quick Google to find how to make it consume XML from a URL. I quickly found the code I needed and pasted/modified it to work with my own XML schema.

    The C# code-behind for the SL app is, in essence, like this:

    namespace SilverlightDominoDemoApp
    { public class Contact { public string ID { get; set; } public string FirstName { get; set; } public string LastName { get; set; } public string DOB { get; set; } public string Email { get; set; } } public partial class MainPage : UserControl { public MainPage() { InitializeComponent(); //make a new WebClient object WebClient client = new WebClient(); client.DownloadStringCompleted += client_DownloadCompleted; client.DownloadStringAsync(new Uri("http://www.codestore.net/apps/contacts.nsf/vwContactsAsXML?OpenView")); } void client_DownloadCompleted(object sender, DownloadStringCompletedEventArgs e) { if (e.Error == null) { XDocument xml = XDocument.Parse(e.Result); var contacts = from contact in xml.Descendants("documents").Descendants("document")  select new Contact { ID = contact.Attribute("id").Value, FirstName = Convert.ToString(contact.Element("first_name").Value), LastName = Convert.ToString(contact.Element("last_name").Value), DOB = Convert.ToString(contact.Element("date_of_birth").Value), Email = Convert.ToString(contact.Element("email").Value) }; myDataGrid.ItemsSource = contacts; } } }
    }

    What this code does is fetch the XML and then, in the "on complete" event listener for the web request it loops all the "document" nodes using LINQ and creates a new object based on the Contact class. It then binds them to the data grid.

    At this point alarm bells were ringing. What's this strongly-typed class I need to add? This means that to add or remove columns I need to modify the class and re-compile it all?!

    You might remember in part 1 of my Flex App Basics series I talked about building views remotely. The idea being that the grid is designed on the server. The XML defines the columns to display as well as the data for the grid. The SilverLight way looks like it won't adapt itself to working this way. At least not easily. I'm sure there's probably a way to do it, but if it requires an in-depth knowledge of SilverLight in the first place, then it's failed at the first hurdle.

    One of the things I have always loved about Flex is how easy it is pick up and how intuitive it is to develop with. Lots of what I've found out about Flex I've found out simply by guessing what might work, trying it and finding out it does.

    On the other hand, after spending a couple of hours with SL I've found it to be quite un-intuitive. Almost as though it subscribes to the "it's enterprise class, so it needs to be complicated". You can tell it's a Microsoft product.

    As an example, I could find no easy way to set the width of the DataGrid to 100% as percentage values aren't allowed. While I'm sure there's a way to do this, the fact I even need to think about in the first place is kind of off-putting.

    On the plus side. The Silverlight app was created at no cost (thanks to the Express version of Visual Studio I used), whereas Flex/Flash Builder Pro cost me about 400 quid! Although I see that as no price considering what I've had out of it.

    Summary

    While what I did was far from an exhaustive comparison I did see enough to know that I don't think it's worth considering SL as a viable alternative to Flex.

    Part of the reason I ever considered its use was that I assumed it would be easier/quicker to integrate it with an ASP.NET/Microsoft background. Whether this is true or not I don't know. Either way I can't imagine there's anything that radical about it that would make it worth re-learning what I know of Flex.

    It just re-affirms my belief that Flex is an amazing product without limits as to what can be done with it.

    Click here to post a response

    2. Export Domino View Data to Excel with an XPages Custom Control

    Discover how to wrap code that exports a Domino view to Excel in a small package you can use anywhere in any XPages application. Each of the development techniques in the solution — including a shortcut that eliminates the need to write data in native XLS format — is explained in full and then demonstrated in a sample application you can download.

    developerWorks  >  Lotus  >  Forums & community  >  Lotus Sandbox

    Lotus Sandbox

    developerWorks

    Go back

    Show details for [<a href=/ldd/sandbox.nsf/PrintView/349636f5bd64583785256c5c00482cd1?OpenDocument>2 Extended Attachment Editio2 Extended Attachment Edition
    Edit and handle Attachments in Notes 4 the same way as in Notes 6
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/71c7bb2310a15bc385256d17005a6d68?OpenDocument>A new Approach - Web-based DA new Approach - Web-based Date Picker
    Web-based date picker that displays company sponsored holidays
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/2e808c6e7f2abc6585256d17005a701f?OpenDocument>A new approach - Web-based NA new approach - Web-based NAB
    A Web-based NAB with simple search function
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/67f76112ed2e136c852571db0054f760?OpenDocument>A self-guided tour of DominoA self-guided tour of Domino Domain Monitoring (DDM)
    The attached presentation (ddm.ppt) is a self-guided tour of Domino Domain Monitoring (DDM).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ccb30b2fead6c2288525690a0048c83b?OpenDocument>A simple method to use File A simple method to use File Upload Controls on the Web.
    For identifying/using file upload controls on the Web.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/255e4fcdbd8a951385256c940075e28e?OpenDocument>Access Level</a>][<br>]DisplAccess Level
    Displays User Access Level in DB - no need to know your group membership.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ae043110f5e4e7338525688d006a5081?OpenDocument>Accidents Reports</a>][<br>]Accidents Reports
    Simple application for reporting and monitoring industrial accidents.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/fe6574162e6c1b6a852567ca006e79f1?OpenDocument>Account Manager</a>][<br>]MaAccount Manager
    Manages accounts, profiles, and contacts.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/11f736c9d472b15885256996006d7458?OpenDocument>ACL Audit Tool</a>][<br>]TooACL Audit Tool
    Tool to perform an ACL audit of databases/templates on a Domino server.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/81deffed8f49e561852568d4006c98e4?OpenDocument>ACL backup and restore functACL backup and restore functions in LotusScript
    LotusScript agents saving ACLs in NotesDocuments and restoring them back to DBs ACL
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/9290c5e7654f34ea85256a1e0050bc55?OpenDocument>ACL Scanner</a>][<br>]CreateACL Scanner
    Creates reports about ACLs on all databases on one server, and recurses groups.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ac1ba5645421b7e285256c940075ef53?OpenDocument>ACL Setter</a>][<br>]Allows ACL Setter
    Allows you to modify a database ACL without manager access on a server.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/80a0129b9d0b965485256a700048ae65?OpenDocument>ACL &quot;Modificator&quot; ACL "Modificator" 1.0
    Add ACL entries in multiple databases.
    Acme Standard Interface and Acme News databases
    Sample databases from the Iris Today article Building standard interfaces without changing your applications.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/d8bd2253eef9d9918525684a006d1c5a?OpenDocument>Acme.nsf and Zippy.nsf</a>][Acme.nsf and Zippy.nsf
    Sample databases Acme.nsf and Zippy.nsf referenced in the Iris Today article "Exercising XML with Domino Designer."
    Action button to initiate replication on server
    This Action code uses defined Connection documents to start immediate replication through remote console on source server
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0a41daba7017450685256a3e00524375?OpenDocument>Action Button to set InterneAction Button to set Internet Password
    Action Button to set Internet Password
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0e3afa9908928a378525699e004e8fc8?OpenDocument>Add business holidays to theAdd business holidays to the user's calendar
    Quick and dirty code to add business holidays to the user's calendar using front end classes.
    Add sound to a Notes form
    Add Sound Recorder to your e-mail template.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/d94d651dcd540b2485256949006e27db?OpenDocument>Add System DBs</a>][<br>]AddAdd System DBs
    Adds MAIL.BOX, SMTP.BOX, LOG.NSF, etc. from every available server to your workspace.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/69008d904a1ca3ab85256c940075f963?OpenDocument>Address Book Servlet v1.0</aAddress Book Servlet v1.0
    Address Book servlet provides an interface similar to address book dialog box in Lotus Notes client
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/95afbd0f93c19c858525688d006a57b5?OpenDocument>Admin-Dev Tools 2.0</a>][<brAdmin-Dev Tools 2.0
    Tools for day to day admin tasks. Updated from the original version.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f51807e42918e33e00256c090044738f?OpenDocument>Admin ACL 2</a>][<br>]AdminAAdmin ACL 2
    AdminACL is an application that allows you to add any ACL entry with any level to any database you want even if you do not have access to it.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/ca69e90dbf829253852567f3007c4b70?OpenDocument>Admin Helper</a>][<br>]Find Admin Helper
    Find Orphan mail files, check the Out of Office agent owner and the Calendar Profile owner of mail file for existing users.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/80beb21669da8d3185256b1400745b63?OpenDocument>AdminACL</a>][<br>]This toolAdminACL
    This tool allows you, the administrator, to add any group, user, and server to any databases in you organization (in one agent).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7147feda3a9094ed85256b9f00725761?OpenDocument>Advanced Settings sample datAdvanced Settings sample database
    This database includes an advanced version of the Application Settings tool described in the Iris Today article "Application settings tool: an alternative to profiles" by Jonathan Coombs.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/530cf440b8deb01300256bde0031a0ff?OpenDocument>Advanced View Techniques</a>Advanced View Techniques
    Interesting ways to display views using applets & print selected documents from View Applet
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/770532e1a86fbf1385256f0a00637edc?OpenDocument>Advanced XML for Notes</a>][Advanced XML for Notes
    Advanced XML techniques with Domino using data binding and Notes queries
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/b1176bb4b31fada8852567f300753b47?OpenDocument>Advertising server</a>][<br>Advertising server
    Serves advertisements from an internally maintained list.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0385bf0f95d0c98885256989005a29dc?OpenDocument>Agent to Compare 2 DocumentsAgent to Compare 2 Documents in R5
    Agent to Compare 2 Documents in R5 (works with RTF fields, too).
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f38057887f500e43852567c300660362?OpenDocument>Agentless thread map databasAgentless thread map database sample
    Demonstrates a technique for generating thread maps in an application without the use of a background agent.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7967df8d95f585a485256c940076012b?OpenDocument>agentShowInternetHeaders</a>agentShowInternetHeaders
    LotusScript agent to show Internet "received" headers
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/70f703dd400f97d500256bd000318722?OpenDocument>Alarm/Reminder setting from Alarm/Reminder setting from another application
    Set an alarm or reminders in a user's calendar from another application
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f710dcdf7214e953852569e60054fe7a?OpenDocument>Alex & Dilbert Cartoon RetriAlex & Dilbert Cartoon Retrieval Agent
    Database to retrieve and email Dilbert and Alex Cartoons
    Allow value not in list
    To improve Allow value not in list on the WEB
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7b7eff84bd6eeff600256bd8003960e8?OpenDocument>Allow values not in list comAllow values not in list combo for web
    Combo box with allow values not in list for IE5 and above, Netscape 6 and above
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/98176455ff90e2d500256c38004a5f0c?OpenDocument>Alternate Color Rows View inAlternate Color Rows View in a Web Browser - Version 3
    Alternate Color Rows View Version 3 - More features
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/78ad87650e8e6d8085256818007202c2?OpenDocument>AntiSpamFilter Agent</a>][<bAntiSpamFilter Agent
    Anti-spam agent and design elements to enhance spam mail filtering in the standard Notes mail template.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/b376f26b8cbd9f1b8525694d004e24c3?OpenDocument>API Goodies for Lotus Notes<API Goodies for Lotus Notes
    Control various Win API settings from inside Notes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/e6621c730727e8a3852567f4007eaba1?OpenDocument>AppleScript code examples foAppleScript code examples for Notes
    This database contains additional programming examples for AppleScript in Notes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/7d55dec173045350852568a4005d0497?OpenDocument>Application Development DocuApplication Development Documentation Library
    Allows developers of a systems group to store their documentation.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/0af99983727460a000256bd4003996c6?OpenDocument>Archive on CD-ROM</a>][<br>]Archive on CD-ROM
    Agent to archive on CD-ROM.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/9dc708521fd73a43852568a40069cf02?OpenDocument>Archive Options</a>][<br>]ArArchive Options
    Archive your mail db by dates or by sizes.
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/86cf1eb52622488f85256d51004eeb72?OpenDocument>ArraySort</a>][<br>]An arrayArraySort
    An array sort using a fast shell sort algorthim
    Article "Notes application strategies: Document rating" sample database
    Sample database that accompanies the article, "Notes application strategies: Document rating"
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/f5da0954a65348b985256e39004d1583?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: Interactive search" sample database
    Sample database to accompany the article, "Notes application strategies: Interactive search."
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/2e00b11f20d7446b85256e47006624c1?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: Mail Processor" sample database
    Sample database to accompany the article, "Notes application strategies: Mail Processor."
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/a687d600ae1001e985256e550058c84e?OpenDocument>Article &quot;Notes applicatArticle "Notes application strategies: User activity tracking" sample database
    Sample database to accompany the article "Notes application strategies: User activity tracking"
    Show details for [<a href=/ldd/sandbox.nsf/PrintView/1d9d9dd534b1491288256ae3006a997c?OpenDocument>ASP SendMail for Notes/DominASP SendMail for Notes/Domino
    Very simple program in VBScript that sends mail in ASP / WSH natively through Notes/Domino
    Audio CD Tracking
    Keeps track of 100 CD changer and CD collection

    Go back


    Интенет эфир о Lotus Notes. Блоги и форумы

    1. Мошкин Аркадий Альбертович

    1C 8.0 Торговля и склад, IBM Lotus Notes, QuarkXPress

    2. Сибиркова Светлана Евгеньевна

    1C 8.0 Торговля и склад, Adobe Photoshop, IBM Lotus Notes, InDesign, Microsoft Excel, Outlook, WebMoney

    3. Пучкова Ксения Богдановна

    1C 8.0 Бухгалтерия, IBM Lotus Notes, MS Active Directory, Microsoft Access, QuarkXPress, The Bat

    4. Вовкович Диана Семеновна

    1C 8.0 Бухгалтерия, Adobe Photoshop, CorelDraw, IBM Lotus Notes, Internet Explorer, Microsoft Word, Банк-Клиент

    5. Вадбальский Антон Иванович

    1C 8.0 Бухгалтерия, AutoCAD, IBM Lotus Notes, Illustrator, InDesign, Internet Explorer, Microsoft Word, The Bat

    6. Бектуганов Аркадий Игоревич

    1C 8.0 Бухгалтерия, CorelDraw, IBM Lotus Notes, Microsoft Excel, QuarkXPress, Консультант+

    7. Survival Guide for Lotus Notes and Domino Administrators

    IBM’s® Practical, Hands-On Guide to Supporting and Administering Lotus Notes and Lotus Domino This is the only book that focuses entirely on the specific technical, desk-side, and infrastructure issues that support professionals and administrators encounter when implementing and running Lotus Notes in production environments.

    8. Чувашов Александр Васильевич

    IBM Lotus Notes

    9. Мамедбекова Виталина Руслановна

    1C 7.7 Бухгалтерия, 1C 8.0 Бухгалтерия, 1C 8.0 Торговля и склад, IBM Lotus Notes, InDesign, QuarkXPress

    10. Скорописчиков Арсений Максимович

    AutoCAD, CorelDraw, IBM Lotus Notes, Microsoft Office, QuarkXPress, WebMoney, Консультант+

    11. Косарева Александра Ростиславовна

    1C 7.7 Бухгалтерия, IBM Lotus Notes, Illustrator, InDesign, Microsoft Office, Банк-Клиент

    12. Обручин Алексей Максимович

    IBM Lotus Notes, Internet Explorer, MS Active Directory, Microsoft Access, WebMoney

    13. Чалов Федор Вячеславович

    1C 8.0 Торговля и склад, AutoCAD, IBM Lotus Notes, MS Active Directory, Outlook, The Bat

    14. Маганин Аркадий Игоревич

    1C 8.0 Торговля и склад, IBM Lotus Notes, InDesign, Internet Explorer, Microsoft Access, Microsoft Excel, Microsoft PowerPoint

    15. Желаемая позиция экономист

    Word, Excel, Access, Power Point;Internet Explorer;SAP for banking; Lotus Notes.СТАЖИРОВКА:

    16. Domino and the As/400: Installation and Configuration (Redbook)

    Domino and the AS/400 details all the necessary information about how to imple ment Lotus Domino on the AS/400.

    17. Чугунихин Роман Анатольевич

    1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, IBM Lotus Notes, InDesign, Microsoft Office, Консультант+

    18. Сандунов Семен Яковлевич

    AutoCAD, CorelDraw, IBM Lotus Notes, Illustrator, Microsoft Excel, QuarkXPress, WebMoney

    19. trminator:

    По мотивам #758729 — у нас на работе используется Lotus Notes + Lotus Sametime.

    20. Заместитель директора по производству

    1C Предприятие 8.0‚ Lotus Notes 6.5‚ SAP R3.

    21. Младший консультант/ стажер

    MS Word‚ MS Excel‚ MS Powerpoint; Lotus Notes; СПС Консультант Плюс‚ Гарант и др.

    22. Цыренов Георгий Захарович

    IBM Lotus Notes

    23. Cytalk - Роль особенно общественных сеток в нашей работе

    Lotus Connections является отдельным продуктом в линейке IBM, крупные компании могут заказать его установку системным интеграторам в дополнение к платформам Lotus Notes и Lotes Domino.

    24. Полтинина Дарья Федоровна

    1C 8.0 Торговля и склад, CorelDraw, IBM Lotus Notes, Microsoft Word, Outlook, The Bat, WebMoney

    25. М. Е. Салтыков-Щедрин. Избранные сочинения М. Е. Салтыков-Щедрин

    Удобный обмен сообщениями Получайте электронную почту в режиме реального времени, используя свои учётные записи Mail for Exchange, IBM Lotus Notes Traveler, Hotmail, Gmail и другие.

    26. Набор для вышивания бисером "Кувшинка", 14 см х 14 см Гамма

    Удобный обмен сообщениями Получайте электронную почту в режиме реального времени, используя свои учётные записи Mail for Exchange, IBM Lotus Notes Traveler, Hotmail, Gmail и другие.

    27. Lotus Notes R5 for Dummies Quick Reference

    From using super-fast Notes-enhanced information searches to organizing your calendar, this superb, bite-sized reference, Lotus Notes R5 For Dummies Quick Reference , gives you the information you need in order to use all the important features of Lotus Notes R5.

    28. Нашествие архитектурных астронавтов

    Groove, которая пыталась переделать Lotus Notes (огромную синхронизирующую машину) на пиринговый манер.

    29. Новая версия ОС RiOS оптимизирует работу Lotus Notes, Microsoft ... http://goo.gl/fb/P8ki5

    Новая версия ОС RiOS оптимизирует работу Lotus Notes, Microsoft ... http://goo.gl/fb/P8ki5
    Блиц-опрос
    Давай знакомиться. В каких отношениях с Lotus Notes?
    (голосование возможно только из письма рассылки)
  • Lotus Администратор
  • Lotus Программист
  • Lotus Пользователь
  • С Lotus Note не знаком
  • Хочу познакомиться с Lotus Notes/Domino
  • Вакансии для специалистов

    1. Field Operations/Processing Support - SAP, Lotus Notes

    Download U.S. Time Card Download Puerto Rico Time Card Field Operations/Processing Support - SAP, Lotus Notes Posted on: 05/24/10 Job Number: 300190-6948-10-260861  ...

    2. Systems Consultant 2 - Lotus Notes Support

    Title: Systems Consultant 2 - Lotus Notes Support Location: Minnesota-Saint Paul Lotus Notes Email Administrator: Role: Supports the company-wide Lotus Notes messaging system. Responsible for analyse...

    3. SENIOR LOTUS NOTES DEVELOPER/IT PROJECT MANAGER

    Posting Date:04/09/2010 Job Number:HR08732 Job Title:SENIOR LOTUS NOTES DEVELOPER/IT PROJECT MANAGER Work Schedule:M, T, W, Th, F - 08:00 AM - 05:00 PM Shift Detail:1st Job Location:Phoeni...

    4. Messaging Administrator (Lotus Notes)

    Position Title Messaging Administrator (Lotus Notes) Location US - District of Columbia - Washington(US Courts)(DC03) Daily Responsibilities SRA is seeking an Messaging Administrator to join an upomin...

    5. Systems Engineer - Lotus Notes Domino

    Position Title Systems Engineer - Lotus Notes Domino Location US - Virginia - Falls Church(VA99) Clearance Required Yes - Required to Start Clearance Type TS/SCI with Lifestyle Poly Daily Responsibili...

    6. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 10/13/2009 Job Category MIS - Info Tech / Telecommunications Req ID 158730 Able to obtain security clearance? None Currently posse...

    7. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 10/14/2009 Job Category MIS - Info Tech / Telecommunications Req ID 158834 Able to obtain security clearance? None Currently posse...

    8. Lotus Notes Developer

    Lotus Notes Developer Full Time Regular posted 1/28/2010 Job Category MIS - Info Tech / Telecommunications Req ID 166416 Able to obtain security clearance? None Currently posses...

    9. Lotus Notes Domino Engineer

    Lotus Notes Domino Engineer Full Time Regular posted 6/7/2010 Job Category MIS - Info Tech / Telecommunications Req ID 175714 Able to obtain security clearance? None Currently p...

    10. Lotus Notes Developer (CF)

    Lotus Notes Developer (CF) Full Time Regular posted 4/8/2010 Job Category MIS - Info Tech / Telecommunications Req ID 171244 Able to obtain security clearance? None Currently po...

    Источники знаний. Сайты с книгами


    "Красные книги" IBM

    Книги компании IBM по специализированным тематикам о Lotus Software. Основной язык - английский форматы pdf и html

    Книги компании "Интертраст"

    Для администраторов разработчиков и пользователей. Настройка и администрирование, разработка и программирование, пользование системой Lotus Notes
    Документация. YellowBook
    Оригинальная документация по продуктам Lotus Software. Язык англыйский. Форматы pdf html nsf
    IBM Пресс
    Книги от компании IBM. Книги и брошуры на заказ и на бесплатную скачку в формате pdf
    КУДИЦ-ПРЕСС
    Просмотр и заказ книг. Некоторые книги возможно скачать в формате pdf для свободно чтения и просмотра.
    Книги о Lotus Notes в Интернете
    Ссылки на книги и методички находящиеся в свободном пользовании. Ветки форумов обсуждения книг и материалов. Поисковый сервер по хелпам Lotus Notes книги от Google для свободного просмотра

    В избранное о Lotus Notes/Domino В подготовке выпуска использовались материалы и знания
    По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes

    В избранное