SharePoint Integrator 2.5 Social Preview
Новости о ПО Lotus Notes1. Год оптимизации - Бизнес Новости
Статьи. Публикации. Пресс-релизы1. Часть 2. Разработка составных приложений: Сборка составных приложенийВо второй, заключительной, части мы расскажем о том, как делать проект с расчетом на его дальнейшие модификации. Мы также остановимся на вопросах связывания и на создании шаблонов компоновки.2. Представление бренда компании в клиентах IBM Lotus Sametime Connect версии 8.0 и вышеДанная статья описывает процесс установки и изменения плагина размещения бренда (branding plug-in) Lotus Sametime на примере плагина для размещения бренда вымышленной компании Your Co.3. Реализация многоязычных сайтов при помощи IBM Workplace Web Content Management в IBM WebSphere PortalПри помощи пакета IBM Workplace Web Content Management, можно создавать сайты, работающие с содержимым на разных языках. В сочетании с возможностями механизма персонализации IBM WebSphere Portal Workplace Web Content Management может предоставлять персонализированное содержимое на основе предпочтений пользователей.4. Расширенные функции отображений Java в IBM Lotus Notes 8.5После конвертации вашего приложения с целью использования отображений Java вы можете выполнить описанные в данной статье шаги, чтобы использовать преимущества новых функций отображений, таких как древовидные списки, компактные отображения, бизнес-карты, многозадачные кнопки и пользовательские контекстные меню.5. Первые шаги: настройка приложений IBM Lotus Notes для работы с Java-компонентами Lotus Notes 8Данная статья описывает действия, которые требуется выполнить разработчикам IBM Lotus Domino для перевода их собственных стандартных приложений Lotus Domino® в отображения Java.6. Первые шаги: настройка приложений IBM Lotus Notes для работы с Java-компонентами Lotus Notes 8Данная статья описывает действия, которые требуется выполнить разработчикам IBM Lotus Domino для перевода их собственных стандартных приложений Lotus Domino® в отображения Java.7. Расширенные функции отображений Java в IBM Lotus Notes 8.5После конвертации вашего приложения с целью использования отображений Java вы можете выполнить описанные в данной статье шаги, чтобы использовать преимущества новых функций отображений, таких как древовидные списки, компактные отображения, бизнес-карты, многозадачные кнопки и пользовательские контекстные меню. Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. Product demosTry live demos of Lotus software products firsthand and view on-demand demos introducing you to the features of Lotus software products, including Lotus Notes and Domino, Lotus Sametime, Lotus Quickr, and more.2. LotusScript agent moves new mail to folderUse this LotusScript agent in a Lotus Notes mail-in database to move new mail to a specified folder.3. Flex App Basics 8: Display Column Values As Icons | BlogAs Notes/Domino developers we're used to being able to display icons in Views fairly easily. You just tick a box on the column properties and make sure the column value equals a number, which ties to the icon you want to show.
Not sure why I bored you with that bit. You all knew that already, didn't you. Flex AlternativeHow do we do implement a column icon in Flex though? Using a custom column renderer, that's how. First thing to do is create a new custom Component. I created a file in Flex Builder at /src/net/codestore/flex/ColumnIconRenderer.mxml. The content of the file is below: <?xml version="1.0" encoding="utf-8"?> <mx:Box xmlns:mx="http://www.adobe.com/2006/mxml" verticalAlign="middle" horizontalAlign="center"> <mx:Script> <![CDATA[ import net.codestore.flex.IconLibrary; [Bindable] private var _columnName:String; public function set columnName(colName:String):void{ _columnName = colName; } override protected function updateDisplayList(unscaledWidth:Number, unscaledHeight:Number):void { super.updateDisplayList(unscaledWidth, unscaledHeight); var tmp:Class = IconLibrary[data[_columnName].toString().toUpperCase()+'_ICON']; if (tmp is Class){ img.visible=true; img.source = tmp; } else { //Icon doesn't exist in library img.visible = false; } } ]]> </mx:Script> <mx:Image id="img" /> </mx:Box> The component is nothing more than a Box with an Image in the middle of it. We use the (very useful) method updateDisplayList which (as I understand it) gets called each time Flex renders or refreshes the display. In this method we look for an icon resource that matches the name specified in the column to which the renderer is tied. If the IconLibrary (more on that tomorrow) doesn't contain the icon specified we just hide the image. Here's an example of the XML I'm sending to the Contact Manager database to use an Icon Column:
Notice the parts I've highlighted. I've defined a column called "Attachments" to go at the end of the view, which is of type "icon" and is tied to the <file_icon> node of each document. For any document that has an attachment the value will be paper_clip and the result looks like this:
The only other part to this is that you need to apply this new custom column renderer to the column of the grid. To do this, in the ActionScript that loads the XML and creates all the columns there's the following bit of code: if (column.hasOwnProperty("@type") && column.@type=="icon"){ var iconRenderer:ClassFactory = new ClassFactory(net.codestore.flex.ColumnIconRenderer); iconRenderer.properties = { columnName: column.valueOf() }; col.itemRenderer = iconRenderer; col.width=20; col.resizable=false; } In this bit of code the column object represents the <column> node I mentioned above, where type="icon". Notice that we're passing column.valueOf() to the columnName property of the renderer. The valueOf() the column node will be "file_icon" in this case and tells the renderer which child node to get its value from for each document. All we need to do then is set the column's width and make it fixed. Hey, presto. It works. It goes without saying, you're not limited to one type of icon per column or one icon column per view. You can have as many columns showing as many different icons as you choose -- just like in Notes! The beauty of this componentized, server-based XML approach being that it's all controlled from within your NSF and doesn't involve re-compiling any Flash SWFs. 4. Lotus documentationThe Lotus documentation pages provide links to resources, such as product documentation, white papers, Redbooks, and more.5. Lotus downloadsAccess Lotus downloads, including product trials, emerging technologies, updates, fixes, utilities and drivers.6. Extend the Sametime Connect Client with a Useful Plug-in for Sametime Administrators -- An Update for 7.5.1+Learn to customize the Sametime Connect client in releases 7.5 and above by developing and installing a mini application (miniApp) that provides continuous updates on Sametime server connections. You don't have to be a Java programmer to obtain or reuse Java code for miniApp plug-ins that install on Sametime Connect to incorporate frequently used functions. Get step-by-step instructions on installing the development environment and developing and installing the miniApp.7. Domino Web Development from the Ground Up: Convert a Simple Notes Application for Web UseConverting Notes applications for use from the Web allows users without Notes clients to access your applications from anywhere. Discover how the Domino server converts Notes design elements for the browser and how you can improve the appearance and functionality of action buttons, views, and other page elements to make your Domino Web applications both look and work better.8. Configuring single sign-on for IBM Lotus Connections in the Kerberos environmentIn this article, we discuss the configuration of a Kerberos-based single sign-on solution from a Microsoft® Windows® desktop to IBM® Lotus® Connections running on IBM WebSphere® Application Server.9. Lotus SymphonyIBM Lotus Symphony, provided at no charge, is a set of intuitive, easy-to-use business productivity applications for creating, editing and sharing documents, spreadsheets and presentations. Lotus Symphony is available for a wide range of platforms, including Apple Mac OS X, Microsoft Windows, Red Hat Linux, SUSE Linux and Ubuntu Linux.10. IBM Mashup CenterIBM Mashups Center is an end-to-end enterprise mashup platform, supporting rapid assembly of dynamic web applications with the management, security, and governance capabilities IT requires. It enables the rapid creation, sharing, and discovery of reusable application building blocks (widgets, feeds, mashups) that can be easily assembled into new applications or leveraged within existing applications, including the assembly of new widgets that can be deployed to products such as WebSphere Portal and Lotus Connections. Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. TEXTBOOKS COLLECTION: Daftar Teksbook AJSams Teach Yourself Microsoft Outlook 98 in 10 Minutes (Teach Yourself…);Joseph W. красавица;Sams Teach Yourself Lotus Notes 5 in 10 Minutes;Jane Calabria;SAMS;29 July, 1999 -;2. Маркцева Инна ВитальевнаIBM Lotus Notes, MS Active Directory, Microsoft Access, Microsoft Word3. Могутин Олег Владиславович1C 8.0 Бухгалтерия, IBM Lotus Notes, Microsoft Office, Банк-Клиент, Консультант+4. Дмитриченко Аркадий Даниилович1C 8.0 Торговля и склад, AutoCAD, IBM Lotus Notes, Internet Explorer, MS Active Directory, The Bat, Банк-Клиент5. Кузмина Виктория Георгиевна1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, IBM Lotus Notes, Microsoft Access, Microsoft PowerPoint6. Пистоль Екатерина Ярославовна1C 7.7 Торговля и склад, CorelDraw, IBM Lotus Notes, Illustrator, Internet Explorer, Консультант+7. Грибачева Александра Евгеньевна1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, Adobe Photoshop, IBM Lotus Notes8. Лачева Лилия Владиславовна1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, 1C 8.0 Торговля и склад, IBM Lotus Notes, The Bat, Консультант+9. Димитров Ярослав Арсениевич1C 8.0 Торговля и склад, Adobe Photoshop, CorelDraw, IBM Lotus Notes, Microsoft Office10. Мелюхин Федор Николаевич1C 7.7 Бухгалтерия, 1C 7.7 Торговля и склад, IBM Lotus Notes, InDesign, Outlook, The Bat, WebMoney11. This novel I’ve been writingI'm trying to find an agent to help me sell my second novel (meanwhile I'm doing a little refitting on the first). In case anyone's interested to read some of it online, the first few chapters of The ...12. Lotus Notes 6 под Wine замедление работы к обеду:)Всем доброго времени суток.Имеется клиент LN 6.0.3 работающий под wine в Ubuntu. Была замечена следующая особенность: 1) При выполнении одного и того же кода значительное число раз, наблюдается замедление работы с нескольких секунд до нескольких минут. 2) Часто используемые формы со значительным количеством подформ начинают также тормозить. Есть подозрение, что не работает сборщик мусора для LS. А вот вторая странность, заставила усомниться в реальности происходящего. В Authors поле (Text List) документа находится имя пользователя. При некотором открытии базы (вида) документ не открывается для редактирования указанным пользователем. После переоткрытия клиента все вопросы исчезают. Не знаю как это влияет, но у форм стоит автоматический EditMode=True, и количество ролей в ACL 25 штук 13. Configuring single sign-on for IBM Lotus Connections in the Kerberos environmentIn this article, we discuss the configuration of a Kerberos-based single sign-on solution from a Microsoft® Windows® desktop to IBM® Lotus® Connections running on IBM WebSphere® Application Server.14. Документооборот в Lotus 8.5Есть документооборот на Lotus 7, если его развернуть на Lotus 8.5 то есть косяки или нет. Подскажите пожалуйста из личного опыта. Если есть то какие?Заранее благодарен! 15. Crm на базе LotusЛюди, подскажите кто знает:Интересует crm система на базе Lotus. Есть конкретная (как я понимаю это надстройка),которая устраивает функционалом и интерфейсом, не устраивает только ценой )) Аналогичной надстройкой довелось пользовался ещё 5 лет назад (и она была совершенно от другого разработчика) и как я понимаю это далеко не новая разработка, хотелось бы понять что это такое? Надстройка, которую может написать специалист владеющий определёнными навыками или же это приложение создано было давно и его просто перепродают, немного доработав или ещё проще просто вставив своё лого? Стоит задача по внедрению crm на основе Lotus, поэтому хочется разобраться, что же в итоге предлагают купить? Новое решение или это давно разработанный продукт, позиционируемый как новое решение... я почему то склоняюсь ко второму варианту и возможно кто то из посетителей форума сталкивался с подобными продуктами и подскажет откуда ноги растут. Во вложение скрин интерфейса и демо самой надстройки. Блиц-опрос
Вакансии для специалистов1. Graduate Programmer with Lotus Notes experienceGraduate Programmer with Lotus Notes Aberdeen c£18000 DOE Graduate Programmer with Lotus Notes: A fantastic opportunity not to be missed out of has arisen for a Graduate Programmer with Lotus Notes experience to join an eBusiness Department of a..., Salary: c£18000...2. Lotus Notes DeveloperLotus Notes Developer Req. ID: 5980 # Positions: 1 Location: US-IN-Carmel Posted Date: 12/4/2009 Position Type: Full Time Apply for this career opportunity: * Apply for this opportunityonline * R...3. Lotus Notes/Domino DeveloperLotus Notes/Domino Developer Full Time Regular posted 11/23/2009 Job Category MIS - Info Tech / Telecommunications Req ID 161695 Able to obtain security clearance? None Currently p...4. Lotus Notes DeveloperLotus Notes Developer Full Time Regular posted 10/16/2009 Job Category MIS - Info Tech / Telecommunications Req ID 159027 Able to obtain security clearance? None Currently possess ...5. Lotus Notes DeveloperLotus 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 possess ...6. Lotus Notes DeveloperLotus 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 possess ...7. Lotus Notes DeveloperLotus 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 possess s...8. Lotus Notes DeveloperLotus Notes Developer Great opportunity for a Jr. Level Notes Developer!!!!!!!!!!!!!!! Client located in the Atlantic City area is looking for a Lotus Notes Developer for a long term assignment. The ...9. Lotus Notes DeveloperLotus Notes Developer Job ID: 2010-16103 # of Openings Remaining: 1 Location: US-VA-Reston Category: Information Technology Residency Status: U.S. Citizenship Required Clearance: .. Desired Experienc...10. Lotus Notes/ Domino Developer 3Title: Lotus Notes/ Domino Developer 3 Category: Information Systems Location: Reston, VA / USA | Sector: Information Systems Posting ID: IT/099802 This job is eligible for theRefer a Friendprogram...11. Systems Engineer, Senior- Lotus Notes/Domino 8Req ID 34713BR Title Systems Engineer, Senior- Lotus Notes/Domino 8 Division MCTS-Mission,Cyber & Technology Solutions Group Location VIRGINIA Herndon Security Clearance Required Yes Clearance Level N...12. J2ME developer ( Blackberry or Android)Masters in computer Science , 3+ year of daily experience with Java ME development(BlackBerry or Android )Detailed knowledge of OOP, OOD, design patterns, and best-practise for mobile development. Knowledge of BlackBerry (RIM) - and Android APIs. Fluent in English at a high level!. Knowledge of technologies: Java in general, BlackBerry Java APIs and low-level C++ capabilities, Android Java (and Linux C++) platform , XML parsers . Experienced designer of speedy & user friendly interfaces. Linux OS. General knowledge of Windows, Exchange, Lotus Notes and databases. Company offers: - An international work environment that is characterized by flexibility, an informal atmosphere and a fast pace; - A dynamic international workplace with unparalleled opportunities for personal and professional growth; - Highly professional and motivated colleagues who value and support your contributions; - An attractive compensation package that will match your responsibility; - A well-defined career path that spans the entire range from entry level to very senior levels. For Details: e-mail: office@jobconsult.com.ua ,phone: 219-08-34 Закладки о Lotus Notes1. Jan Schulz2. IBM - Steps for installing Lotus Notes 8 on a Citrix Presentation server3. Mindoo Blog4. Slashdot Journal | Syncing IBM Lotus Notes to Google CalendarThe age old problem. Pulling the IBM dinosaur into the cloud. So far, this has proven to be extremely challenging, due mainly to my company's restrictive policies. Previously, I had it forwarding mail to Gmail, using the ALL rule, but that was swiftly crushed when they fucking disallowed it. Assholes. So now, I just want to do AT THE VERY LEAST, an export of Notes appointments into Gmail so I don't have to type it in manually. I garnered some information from here: http://cfguy.instantspot.com/blog/2007/2/28/Syncing-Lotus-Notes-with-Google-Calendar Here's what I've tried so far. * Notes iCal Support This was the original suggestion which would have allowed me to export events as iCal, but it wouldn't even install on my system. * lngooglecalsync This requires your Domino server be accessible via HTTP, and ours is not (that I know of). Version .4 is supposed to have this update, but as of now, it does not. * lngooglecalsync This requires your Domino s5. Slashdot Journal | Lotus Notes Sucks, Scheduler, Productivity, and MiscellanyNever Use Lotus Notes Again I made the best discovery last night. Though it comes a little bit late, it's better than never. Lotus Notes can forward ALL your email to any address. I chose Gmail of course. I know I've tried this before, the but the option didn't exist. It does now (Lotus Notes Version 7). 1. Open your mail 2. In the left panel, expand Tools 3. Click on Rules 4. New Rule 5. WHEN: All Documents send Full Copy to And that's it! You can also set up Gmail to send mail as your Lotus Notes addy, but it will only put that in the "Reply To" field. Users can still see that it was sent from Gmail, so this may not be advisable. Scheduler Discoveries I should have done a Google Code Search before starting this project. Goddamnit. I should have thought about the countless number of schedulers that have been built in the past. I can still benefit from this though. Improvements can still be made. Productivity Along with forwarding all my LN mail to Gmail, I've b6. Episode – 011 – SpeedGeeking (XPages and UI Layout) | Notes In 97. CuriousMitch :: An (unfortunately) Much Needed Tool for Duplicate Entries on Notes Calendars8. Tool to find duplicated entries in Notes calendar9. Open Source Lotus Notes client10. Swiftfile Mail Assistant 4,0 for Notes11. Lotus Notes Reference card12. How To Code HTML Email Newsletters (All New Version) | ReachCustomersOnline.com13. Introduction to HTML Email14. Lotus Notes HTML Email Tips15. IBM Lotus Knows (LotusKnows) on Twitter16. YouTube - News von der Lotusphere 2010 (Teil 1)lotusphere 201017. Notes/Domino Fix List - Fixes by Release18. Working with oneUI theme19. wissel.net :: Using the IBM OneUI in your XPages applications - now with CSS class picker20. OneUI Documentation21. wissel.net :: Setting up DXLMagic to run from the command line22. The healing processThe healing process is started by sharing your thoughts. Release your pain by sharing your experiences of Lotus Notes with me and the others here using the form below. Constructive criticism is of course encouraged (maybe we can stumble over some go23. how to open new windows in Notes 8.5.1Источники знаний. Сайты с книгами
Lotus Notes. Видео и изображения1. SharePoint Integrator 2.5 Social Preview
Author: JonasAtMainsoft 2. The case of the missing emails.mp4
Author: tipsintwo
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||