Lotus Notes/Domino -- продукт и инструмент. Выпуск: 16
Новости о ПО Lotus Notes1. Технологии электронного документооборота - Mukola.net
2. БЕЛОРУССКИЙ ИТ-ГИГАНТ IBA ВЫБИРАЕТ ESAFE MAIL - Пресс-релиз.ру
Статьи. Публикации. Пресс-релизы1. ÐÑиложение Lead Manager из IBM Lotus Notes V8: ÐÑаÑкий обзоÑУзнайÑе, как можно обÑединÑÑÑ Ð¿ÑÐ¸Ð»Ð¾Ð¶ÐµÐ½Ð¸Ñ Lotus Notes и дÑÑгие ÑÐµÑ Ð½Ð¾Ð»Ð¾Ð³Ð¸Ð¸ Ð´Ð»Ñ ÑÐ¾Ð·Ð´Ð°Ð½Ð¸Ñ ÑниÑиÑиÑованного инÑеÑÑейÑа, в коÑоÑом полÑзоваÑели могÑÑ Ð±Ð¾Ð»ÐµÐµ ÑÑÑекÑивно веÑÑи ÑÐ²Ð¾Ñ Ð´ÐµÐ»Ð¾ и внедÑÑÑÑ Ð² Ð±Ð¸Ð·Ð½ÐµÑ Ð½Ð¾Ð²Ð°ÑоÑÑкие ÑеÑениÑ. Компания ПУЛ - разработка приложений на Lotus Notes/Domino CodeStore. Коды Примеры Шаблоны1. PromptMailTemplateUsed - Get information about the template your mail database inherits from.[<pre>Sub PromptMailTemplateUsed() 'Written by John Smart John.Smart@GreyDuck.com 'Submitted to OpenNTF on 30 Oct 2008 'http://www.openntf.org/projects/codebin/codebin.nsf/CodeByDate/660570790A3B977B862574F2006E3E4F Dim db As New NotesDatabase("", "") Dim doc As NotesDocument Dim strMsg As String Dim strTemplateName As String Dim strTemplateServerName As String Dim strTemplateFileName As String Print "Finding your email database..." Call db.OpenMail() Print "Verifying that your email database inherits from a template..." strTemplateName = db.DesignTemplateName If Len(strTemplateName) = 0 Then Error 1000, "Your mail database doesn't inherit it's design from a template." End If Print "Getting information about where your mail template inherits from..." Set doc = db.GetDocumentByID("FFFF0010") 'icon design element. Thanks to http://www.nsftools.com/tips/NotesTips.htm#defaultelements 'Get template information stored in the icon design element. Thanks to http://www.notesninjas.com/#TemplateFileName strTemplateServerName = doc.GetItemValue("$TemplateServerName")(0) strTemplateFileName = doc.GetItemValue("$TemplateFileName")(0) strMsg = |Design Template Name: | + strTemplateName + | Server: | + strTemplateServerName + | File Path: | + strTemplateFileName + | NOTE: File Path is based on the server's operating system, so a File Path of "/local/notes/data/mail8.ntf" would imply that your template is probably "mail8.ntf" in the root data directory on your server.| Print "" Messagebox strMsg, 0, "Hints on where to find your mail template." End Sub </pre>] 2. LotusScript action button manages Lotus Notes mail filesThis LotusScript code creates an action button that, when applied to any view or folder in Lotus Notes mail files, makes mail file management easy. Using a single action button, Lotus Notes Domino users can easily manage their mail files, investigate file sizes, get quota details, delete attachments and empty message trash bins.3. Ray Ozzie. My Hero? | BlogA funny thing happened last night. There I was sprawled over the sofa, minding my own business, dividing my time between the laptop and Silent Witness, when Karen pipes up: "I've got something to say to you", she says. This normally means the same as "We need to talk". Inside I'm thinking "Oh God, what have I done now!?" but simply ask what's on her mind. "Ray... Ozzie... Clouds", she replies. "Have you been watching the news?" I ask her. Having watched this clip from BBC online earlier in the day I think I knew what she was talking about. Turns out she'd seen it on the TV and thought she'd try and impress me or, at least, feign an interest in whatever it is she thinks I do. What she didn't realise was who Ray Ozzie is or the relevance of what he's done in the past to my life now. "Are you asking because you know he was the man who invented Lotus Notes?", I asked. "No, I didn't know that. Is he your hero then?", she replied. To which I replied "Hmm, not really" and we left it at that. Karen still non-the-wiser as to exactly what I do. It was funny as, when I'd been watching the interview earlier, I couldn't help but look at him and wonder how different my life would be had Lotus Notes not come about. But hey, that's fate for you and I'm not going to question whether my life would be better or worse. Fact is I'm happy where I am and shouldn't ever take that for granted. 4. Modify or Remove any field in the current viewSub InitializeOn Error Goto ErrorHandler Dim s As NotesSession Dim ws As New NotesUIWorkspace Dim currentDb As NotesDatabase Dim uiView As NotesUIView Dim view As NotesView Dim coll As notesViewEntryCollection Dim entry As NotesViewEntry Dim doc As NotesDocument Dim field As String, newValue As String, msg As String, action As String Dim items As Variant Const kActionRemove = "remove" Const kActionReplace = "replace" Const kActionNone = "" Const kMsgNoActionDone = "No changes made." ' setup Set uiView = ws.CurrentView Set view = uiView.View Set coll = view.AllEntries ' get a list of all items Set doc = coll.GetFirstEntry.Document Forall item In coll.GetFirstEntry.Document.items items = items & item.name & "," End Forall ' tighten up the list items = Split(items, ",") items = Fulltrim(items) items = Arrayunique(items) ' find out what action we are doing If Msgbox("Click 'No' to replace values or to exit.", MB_YESNO, "Are you going to REMOVE a field?") = IDYES Then action = kActionRemove Elseif Msgbox("Click 'No' to exit.", MB_YESNO, "Then you must be REPLACING data in a field?") = IDYES Then action = kActionReplace Else action = kActionNone End If ' prompt for the item to change If action <> kActionNone Then field = ws.Prompt(PROMPT_OKCANCELEDITCOMBO, "Please select the field you wish to " & action, "or enter a field manually.", "", items) Select Case action Case kActionRemove ' verify the action If Msgbox("Click 'No' to cancel.", MB_YESNO, "Are you sure you want to REMOVE " & field & " from all document in this view?") = IDYES Then ' loop through all docs in view and remove the item in question Set entry = coll.GetFirstEntry While Not entry Is Nothing Set doc = entry.Document ' Call doc.RemoveItem(field) ' Call doc.Save(True,False) Set entry = coll.GetNextEntry(entry) Wend msg = "Finished removing '" & field & "' from all documents at " & Time() Else msg = kMsgNoActionDone End If Case kActionReplace If Msgbox("This might take a few minutes as each document will be examined.", MB_YESNO, "Do you want see all the current values or type one in manually?") = IDYES Then ' grab all current entries items = "" Set entry = coll.GetFirstEntry While Not entry Is Nothing Set doc = entry.Document items = items & doc.GetItemValue(field)(0) & "," Set entry = coll.GetNextEntry(entry) Wend ' tighten up the list items = Split(items, ",") items = Fulltrim(items) items = Arrayunique(items) ' prompt for a new value newValue = ws.Prompt(PROMPT_OKCANCELEDITCOMBO, "Please select the value you want to use", "or enter a value manually.", "", items) Else ' prompt for a new value newValue = Inputbox("Please enter the new value for '" & field & "") End If ' verify the action If Msgbox("Currently setting '" & field & "' = '" & newValue &"'.", MB_YESNO, "Are you sure you want to set " & field & " = " & newValue & " for all documents in this view?") = IDYES Then ' Call coll.StampAll(field, newValue) msg = "Finished stamping all documents with " & field & " = " & newValue & " at " & Time() Else msg = kMsgNoActionDone End If Case kActionNone msg = kMsgNoActionDone End Select ' fall through to print a message ErrorHandler: If msg = "" Then msg = "Your action did not complete successfully. Please investigate. (" & Now() & ")" Msgbox msg Exit Sub ' gets around "No Resume" error End Sub 5. Developing your video chat-enabled plug-in application on IBM Lotus Sametime ConnectIBM® Lotus® Sametime® 8.0 expands real-time communication with telephony and audio-visual capabilities. It also offers a highly extensible platform based on the Eclipse plug-in framework. This article introduces the Lotus Sametime Telephony client toolkit, which you can use to develop new plug-in applications on top of Lotus Sametime Connect.6. How to create dynamic JavaScript in Notes Domino without formulasIf you need to create a large amount of dynamic JavaScript and you're not familiar with the use of @DBColumn and @DBLookup formulas, this tip is for you. Placing this code in your HTML Head Content section is a simple workaround for busy Lotus Notes Domino developers.7. Get Your Enterprise NAB from the current database ( shorten your code )Function GetEnterpriseNAB( default As String ) As NotesDatabase' returns the NAB from the server the current Db is on ' written by Mike Mortin Dim s As New NotesSession Dim db As NotesDatabase Dim server As String Dim nname As NotesName ' set the default If default = "" Then default = "Admin01/Operations/CA" ' get our parent server to get the NAB Set db = s.CurrentDatabase Set nname = New NotesName(db.Server) server = nname.Common ' now, use default server if we are local If server = "" Then server = default ' finally, grab names.nsf from that server Set GetEnterpriseNAB = New NotesDatabase(server, "names.nsf") End Function 8. Immediate IfFunction IIf (condition As Variant, trueCondition As Variant, falseCondition As Variant) As Variant' such a basic function for all other programming languages ... stands for "Immediate IF" ' written by Mike Mortin If condition Then If Isobject(TrueCondition) Then Set IIf = trueCondition Else IIf = trueCondition End If Else If Isobject(TrueCondition) Then Set IIf = falseCondition Else IIf = falseCondition End If End If End Function 9. Get all the servers in a clusterFunction GetClusterServers(server As String, getAllServers As Boolean) As VariantDim s as New NotesSession Dim cluster As String Dim serverDoc As NotesDocument Dim serverName As NotesName Dim key(1 To 2) As Variant Dim navdoc As NotesViewEntry Dim nav As NotesViewNavigator ' define domain and name as per the default "Servers" view Set serverName = New NotesName(server) key(1) = serverName.Organization key(2) = serverName.Abbreviated Set serverDoc = GetDocFromDb(s.CurrentDatabase, "Servers", key, True) ' get a list of servers in the same cluster cluster = serverDoc.ClusterName(0) Set nav = GetCategoryDocsFromDb(currentDb, "Clusters", cluster) ' go through the category, add names to replica list Set navdoc = nav.GetFirstDocument() While Not navdoc Is Nothing Set serverDoc = navdoc.Document If serverDoc.ServerName(0) <> server Or getAllServers Then Set serverName = New NotesName(serverDoc.ServerName(0)) GetClusterServers = GetClusterServers & serverName.Abbreviated & "," End If Set navdoc = nav.GetNextDocument(navdoc) Wend ' tighten up the list GetClusterServers = Split(GetClusterServers, ",") GetClusterServers = Fulltrim(GetClusterServers) End Function 10. grab category docs from a database ( shorten your code )Function GetCategoryDocsFromDb( db As NotesDatabase, viewName As String, category As String ) As NotesViewNavigator' returns all docs from a given category ' written by Mike Mortin Dim view As NotesView ' get the view Set view = db.GetView(viewName) ' get the docs from the cateogry Set GetCategoryDocsFromDb = view.CreateViewNavFromCategory( category ) End Function 11. grab a document from a database ( shorten your code )Public Function GetDocFromDb( db As NotesDatabase, viewName As String, key() As Variant, exact As Boolean ) As NotesDocument' returns the first doc based on a search key ' written by Mike Mortin Dim view As NotesView ' get the view Set view = db.GetView(viewName) ' get the doc from the key Set GetDocFromDb = view.GetDocumentByKey(key, exact) End Function 12. returns a date the document/email should be considered createdPublic Function GetEmailCreatedDate(doc As NotesDocument) As String' returns a date the document/email should be considered created ' written by Mike Mortin 20080625 If doc.DeliveredDate(0) <> "" Then GetEmailCreatedDate = doc.DeliveredDate(0) Elseif doc.PostedDate(0) <> "" Then GetEmailCreatedDate = doc.PostedDate(0) Else GetEmailCreatedDate = doc.Created End If End Function 13. Integrating CA (formerly Netegrity) SiteMinder 6.0 with IBM Lotus Connections 2.0This white paper provides step-by-instructions on how to integrate CA (formerly Netegrity) SiteMinder 6.0 with IBM Lotus Connections 2.0 to provide your users with the security of a single sign-on environment. Форумы о Lotus Notes/Domino:
Интенет эфир о Lotus Notes. Блоги и форумы1. СЭД технологии электронного документооборотаБольшинство систем такого типа, популярных в России, построено на основе Lotus Notes/Domino. Системы, имеющие свое собственное хранилище файлов или использующие хранилище среды, на основе которой построены (например, Lotus Notes/Domino или Microsoft Exchange), могут гарантировать более эффективное управление доступом к документам и более надежное решение проблемы разграничения доступа.2. Тарасов Дмитрий, Директор, Москва, $0Lotus Notes, Contact Power Professional.3. Ами про - ... никакие эксели с ним не сравнятся. это как lotus notes против outlookлучшее изобретение для масс за последние 20 лет - это бесспорно интернет. хотя ...4. про администрирование, и немного про быт5. За неимением вышеописанного, необходимо хотя бы активно использовать то, что есть, в моем случае Lotus Notes.5. Как перенести почтовые базы пользователя с одного сервера на другойЗдравствуйте!Как можно перенести почтовые базы пользователя с одного сервера на другой (в одном домене)? Как правильно это делать? Спасибо Всем! 6. Thoughts about voting, and new article on controlling printing in the Notes clientJust published in the Domino Designer wiki, my article on selectively controlling printing in the Notes client. Hope you find it useful. I work from home, and my work has been interrupted a lot recen ...7. программное вычисление computed-полей в новом документеусловно говоря, на форме xform есть два поля:1. unids - editable - список unid'ов 2. valves - computed - , который по элементам первого поля берёт в документах ну ккое-нить значение после чего програмно создаётся док (NotesDocument), заполняется его параметры form (="xform") и unids. так вот, как мне сделать так, чтобы в этот документ автоматически добавилось поле valves, вычисленное на основании добавленного unids желательно, конечно, не использовать UIDocument (compose - refresh - save), может есть какой-либо другой метод? напоследок - создавать прийдётся около 3000 подобных документов (ну, не подобных, посложнее конечно) 8. ADMIN_CLIENT_SKIP_DOMINOExplanation: Beginning in with Domino 8.5 there are many more files installed under 'domino' directory of the the data directory. Some of contents, like 'domino/js', have been blocked from access via9. Blackberry Enterprise ServerPIM Sync and Address Book backup Don't assume that Blackberry device address book is backed up to the server via wireless just because it is synchronized to a user's PAB. Some important fields are no10. New application development wikis availableBe sure to visit two new wikis available for the application development community. The new Domino Designer wiki focusses on Domino applications created with Domino Designer. The IBM Composite Applic11. Проблема с кодировкой значений на свежей машинеДобрый день, просветите пожалуйста неопытного человека!Возникла проблема. После переустановки системы, база неправильно отображает значения на русском. Что можно сделать? 12. Баги.А Lotus Notes щщитает что ответ "Оба-на" это охуенно информативно при открытии doc-файла.13. Бесплатный семинар "Практические аспекты использования новых версий Lotus Domino ...Ведущие специалисты отдела корпоративных решений Поликом Про представят на семинаре обзор новых возможностей Lotus Domino и Lotus Notes, а также практические аспекты их использования. 10:10 - 10:40 Использование новых возможностей Lotus Domino и Lotus Notes 8/8.5 (Ведущие специалисты отдела корпоративных решений Поликом Про)14. А вот кому! Спец по Lotus Notes/DominoСпециалист по разработке приложений в среде Lotus Notes и администратор серверов Lotus Domino ищет работу. Опыт работы с Lotus Notes/Domino - 10 лет.15. Re: Lotus Workplace Collaborative LearningМы у себя долго мучались в конторе с AT.Вопросы размещаются на сгенерированных AT страница 16. Mobile Master 7.3.1.3001Есть синхронизация данных с Outlook, Lotus Notes, The Bat, Eudora ,Outlook Express, Google calendar, Palm Desktop, Novell Groupwise, iTunes, и др., закачка музыки/картинок, работа с базами данных и телефонными книгами.17. перевод адресной книги из lotus domino в outlook/outlook expressПодскажите пожалуйста как можно перетащить адресную книгу и желательно почту из lotus domino в outlook/outlook express средствами domino.я знаю стороннии утилиты для этого хотелось обойтись средствами домино. 18. Брюгге, презентации по system iLearn what you need to know to update your backup and recovery strategy for Logical Partition (LPAR) systems, Hardware Management Console (HMC), Lotus Notes and Windows Servers, Linux and AIX in a partition, and the use of Independent ASPs.19. CrossOver от CodeWeavers бесплатноCrossOver отличается от Wine более узкой направленностью: он нацелен на поддержку наиболее затребованных офисных и иных приложений Windows, таких как Microsoft Office разных версий, Microsoft Internet Explorer, Lotus Notes, Adobe Photoshop, Apple iTunes и другие.20. Шатова Людмила, Менеджер по подбору персонала, Москва, $1200Образование - Среднее полное, В период с 2002-по 2003гг.- УЦ"РУБИКОН" по специальности Секретарь-референт Опытный пользователь ПК - Word,Excel,Lotus Notes,Outloock,Internet Машинопись от 150 зн. в мин. мини-АТС, Знание делового этикета Опыт работы: c 17.05.2004-по 02.06.2008гг.21. Шатова Людмила, Секретарь-референт, Москва, $1200Образование - Среднее полное, В период с 2002-по 2003гг.- УЦ"РУБИКОН" по специальности Секретарь-референт Опытный пользователь ПК - Word,Excel,Lotus Notes,Outloock,Internet Машинопись от 150 зн. в мин. мини-АТС, Знание делового этикета Опыт работы: c 17.05.2004-по 02.06.2008гг.22. Domino Domain Monitoring (DDM)Overview IBM Lotus Domino domain monitoring (DDM) provides one location in the Domino Administrator client that you can use to view the overall status of multiple servers across one or more domains,23. IBM open collaboration client solution: An overviewLearn what's involved when introducing a Linux® client pilot in your organization, including planning for business and IT requirements, architecture decisions, risks, and understanding how IBM's open collaboration client is used to implement this desktop of the future, today.24. IBM open collaboration client solution: Organizational planning and user segmentation for desktop migrationLearn the steps involved in migrating your environment to that of a Linux® client, including organizational planning and user segmentation. Based on customer experiences, this article offers a comprehensive guide to planning and executing your migration while minimizing disruption to your users.25. IBM open collaboration client solution: Migrating applications to the Linux desktopHave you wanted to port your infrastructure and business line applications to a Linux desktop environment, but been deterred by the need to access critical Microsoft Windows or legacy applications? Finding a way to support these critical business line applications is crucial when considering the move to Linux. This article highlights the various tools that let you access these applications from Linux desktops.26. Developing your video chat-enabled plug-in application on IBM Lotus Sametime ConnectIBM® Lotus® Sametime® 8.0 expands real-time communication with telephony and audio-visual capabilities. It also offers a highly extensible platform based on the Eclipse plug-in framework. This article introduces the Lotus Sametime Telephony client toolkit, which you can use to develop new plug-in applications on top of Lotus Sametime Connect.27. IBM open collaboration client solution: Architecture decisions and execution options for an IBM open virtual clientCompanies exploring cost-reduction strategies to become more energy efficient and to increase business agility have identified client virtualization as a strategic move to stay competitive in the market. This article highlights some of the virtualization technologies available in today's market for Linux® desktops. This article takes you through various virtualization technologies that utilize the IBM® open collaboration client solution, that add business value to your IT infrastructure, and that get you started on the desktops of the future, which leverage the power of Web 2.0 and cloud computing.28. Lotus Domino 8.1 на Asp Linux 5Решили сменить сервер на новый... Red Hat EL 5 дорогой, поэтому приобрели ASP Linux 5 (ну и по некоторым ещё причинам). Сейчас система работает на старом пк в связке lotus domino 6.0 - red hat 7.2 и к сожалениюне я её не создавал... Подскажите во первых что вернее сделать, каким образом легче (или лучше) произвести перенос (полный перенос баз и замена первого, либо второй сервер и дальнейший переход на него). Клиентских мест 30 штук, рабочих баз 7-8 и общий объём 30 Гб всей инфы.Также подскажите пожалуйста , какие дополнительные пакеты должны быти установлены перед установкой Lotus Domino 8.1 на ASP Linux Server 5 x64 (от Red Hat EL 5). Как я понял у всех праблема возникает с java при загрузке установки? Описание самой установки неоднократно на форумах читал, а опыта пока нет))) И если ставить пакеты java, то для 64х или x586... Не хотелось бы наставить кучу лишнего... А также настройки прозводить с Gnome и нужен ли KDE или это не принципиально? Заранее благодарен. 29. Lotus Domino 8.1 на Asp Linux 5Решили сменить сервер на новый... Red Hat EL 5 дорогой, поэтому приобрели ASP Linux 5 (ну и по некоторым ещё причинам). Сейчас система работает на старом пк в связке lotus domino 6.0 - red hat 7.2 и к сожалениюне я её не создавал... Подскажите во первых что вернее сделать, каким образом легче (или лучше) произвести перенос (полный перенос баз и замена первого, либо второй сервер и дальнейший переход на него). Клиентских мест 30 штук, рабочих баз 7-8 и общий объём 30 Гб всей инфы.Также подскажите пожалуйста , какие дополнительные пакеты должны быти установлены перед установкой Lotus Domino 8.1 на ASP Linux Server 5 x64 (от Red Hat EL 5). Как я понял у всех праблема возникает с java при загрузке установки? Описание самой установки неоднократно на форумах читал, а опыта пока нет))) И если ставить пакеты java, то для 64х или x586... Не хотелось бы наставить кучу лишнего... А также настройки прозводить с Gnome и нужен ли KDE или это не принципиально? Заранее благодарен. 30. Lotus Domino на ASP Linux 5.0Решили сменить сервер на новый... Red Hat EL 5 дорогой, поэтому приобрели ASP Linux 5 (ну и по некоторым ещё причинам). Сейчас система работает на старом пк в связке lotus domino 6.0 - red hat 7.2 и к сожалениюне я её не создавал... Подскажите во первых что вернее сделать, каким образом легче (или лучше) произвести перенос (полный перенос баз и замена первого, либо второй сервер и дальнейший переход на него). Клиентских мест 30 штук, рабочих баз 7-8 и общий объём 30 Гб всей инфы.Также подскажите пожалуйста , какие дополнительные пакеты должны быти установлены перед установкой Lotus Domino 8.1 на ASP Linux Server 5 x64 (от Red Hat EL 5). Как я понял у всех праблема возникает с java при загрузке установки? Описание самой установки неоднократно на форумах читал, а опыта пока нет))) И если ставить пакеты java, то для 64х или x586... Не хотелось бы наставить кучу лишнего... А также настройки прозводить с Gnome и нужен ли KDE или это не принципиально? Заранее благодарен. 31. Mobile Master 7.3.1 Build 3001Есть синхронизация данных с Outlook, Lotus Notes, The Bat, Eudora ,Outlook Express, Google calendar, Palm Desktop, Novell Groupwise, iTunes, и др., закачка музыки/картинок, работа с базами данных и телефонными книгами.32. Выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент. Выпуск: 11" от 27 ...Вышел новый выпуск рассылки "Lotus Notes/Domino -- продукт и инструмент.33. Сижу, пытаюсь настроить Lotus Notes и ПО Сертификаты... работы - до ушей и ...Сижу, пытаюсь настроить Lotus Notes и ПО Сертификаты... работы - до ушей и ...34. Backup Lotus Databasesпривет всем лотусникам или лотусистамне знаю как собственно сабж как можно ежедневно делать бак ап-ы 3-4 баз в лотусе при этом должны заменятся старые бакапы думал написать агент шедюлный но наверника есть более разумный ход 35. Левая рука справа, а правая - слева!Так, например, моим любимым заказчивам не нравятся все те формы в системе документооборота на базе IBM Lotus Domino, которые для них сделали разработчики этого самого документооборота.36. Р"С"РїСгСГРє СѬР°СГСГС"Р"РєРё "Lotus Notes/Domino -- РїСѬРѭРґСгРєС" Рё РёРѬСГС ...Р"С"СРѭР" РѬРѭРІС"Р№ РІС"РїСгСГРє СѬР°СГСГС"Р"РєРё "Lotus Notes/Domino -- РїСѬРѭРґСгРєС" Рё РёРѬСГС"СѬСгРѭРѭРѬС".37. ДожилисьОт нефик делать читаю хелп к Lotus Notes на японском..38. Батюшкин Ярослав, Офис-менеджер / Помощник руководителя, Москва, $1800Microsoft Windows, Word, Excel, Internet Explorer, Opera, Lotus Notes 6,5 и более поздние версии Дополнительная информация Водительские права:39. Integrating CA (formerly Netegrity) SiteMinder 6.0 with IBM Lotus Connections 2.0This white paper provides step-by-instructions on how to integrate CA (formerly Netegrity) SiteMinder 6.0 with IBM Lotus Connections 2.0 to provide your users with the security of a single sign-on environment.40. Re: Односторонняя репликация программноДело в том, что мне нужна автоматическая репликация в пределах одного сервера. Т.е есть БД1, которая лежит на сервере, на этом же сервере лежат ее реплики в разных папках. Надо чтобы БД1 своим репликам отдавала документы, но не принимала ничего.41. Удалил сервер ...м.. вообщем возникла проблема такого плана.Был когда то ещё один сервер(типа для разработки). Потом надобность в нем отпала. Через админ процесс удалил его. На машине сделал снес его. После сноса , через какое то время пошли строки в логах Цитата Unable to replicate with server SERVER2/DOMAIN: Unable to find path to server. To trace this connection, use File - Preferences - User Preferences - Ports - Trace (Notes client) or Trace command (Domino server) Записей в каталоге , мониторинге , и вообще где только можно о нем НЕТ. Заметил что безобразие в консольных логах прекращается каогда отключить Event monitor ( tell event quit). Но и без него жизнь трудна. Вообщем , помогите разобраться. Блиц-опрос
Вакансии для специалистов1. Lead Lotus Notes DeveloperFunctional expert in the area of Lotus Notes Development and Support. - 5+ yrs Development experience- Acted as Lead or Manager of Lotus Notes team- Designer and Team Studio- Lotus Script, Java Script...2. Lotus Notes Engineer/ArchitectThis position is to architect the Domino design of the international sites and dedicated servers for the new BNY Mellon Domino environment. - Knowlegde of Domino 8 - Knowlegde of Domino on AIX prefere...3. Lotus Notes/Domino ArchitectW-2 CANDIDATES ONLY!Project Description: This position is to architect the Domino design of the international sites and dedicated servers for the new BNY Mellon Domino environment. - Knowlegde of Domi...4. Lotus Notes MIgration to ExchangeWe are looking for an experienced email migration expert to help our client with a major migration from Lotus Notes to Exchange project.Candidate will join a team that is responsible for migrating, tr...5. Lotus Notes DeveloperOur client is looking for a seasoned Lotus Notes Developer who will be responsible for all phases of analysis, design, development, implementation, and support of new and existing software application...6. Lotus Notes / Oracle Developer!!!!!!!!!!! Contract to Hire !!!!!!!!!!!!!!!!Candidate MUST HAVE:5+ years experience in Lotus Notes 3+ years of Oracle programming experience (MUST)Location: San Jose, CA or Los Angeles, CAThis projec...7. Lotus Notes Administrator R7.0 IT Information : CW_CA_LOTUS - $1000 Referral RewardJob Title: Lotus Notes Administrator R7.0 IT Information : CW_CA_LOTUSShort Description: Lotus Notes Administrator R7.0 IT Information Technology Server Domino Provide system admiLocation: Valencia, C...8. Lotus Notes MIgration to Exchange--Description--Classification: ConsultingCompensation: $25.00 to $30.00 per hourWe are looking for an experienced email migration expert to help our client with a major migration from Lotus Notes to E...9. Lotus Notes Domino ProgrammerPlease send resume at dave@sunrisesys.com with Job id - NC730Lotus in the subject line.Please include your complete name, location, availability, rate and contact information in the body of the email ...10. Lotus Notes DeveloperNWN Corporation is seeking a strong Lotus Notes Developer for a six month contract. The selected candidate will provide support the legacy Lotus Domino/Notes web applications & databases along with so...Закладки о Lotus Notes1. HOWTO: Install & setup Lotus Notes for Linux - Ubuntu Forums2. wissel.net :: How much attachments are on your servers?3. Creating Excel Spreadsheets In Notes4. eProductivity - The Ultimate Personal Productivity Tool for Lotus Notes_5. IBM developerWorks : Lotus developer resources6. Microsoft's Exchange Isn't the Only Way to Get the Message OutThere's this application I need to tell you about. It lets people collaborate and connect online. They can share and collaboratively edit documents and applications, they can engage in group forums and discussions, and they can network with, follow, and find experts in the company. It has presence built in throughout the application, and it has a robust development model that enables a lot of application mashups.7. MindPlan - Mind Map & Project Management for Lotus Notes8. LotusScript.doc ... document your LotusScriptSo what is LotusScript.doc? Well basically it aims to be for LotusScript what javadoc is for Java, that is a standard easy way to generate HTML documentation for LotusScript code in Notes applications.9. The History of Notes and Domino10. Lotus Guru11. nsftools - Lotus Notes Performance Tips12. Domino Developer Plugin for Aptana Studio13. IBM - 732060: (参考)Microsoft Office 2007 の XML 形式のファイルを Lotus Notes/Domino で閲覧することはできますかИсточники знаний. Сайты с книгами
Lotus Notes. Видео и изображения1. NSFLightboxA demo of creating a Lightbox-style image gallery in a Lotus Notes application using layers, embedded editors and client-side JavaScript. Author: uprightgrand 2. Crossware Mail Signature running on Windows MobileDemonstration of Crossware Mail Signature for Lotus Notes running on Windows Mobile Author: crossware01 3. Demo PatMaS - Starten (1/17)Beispiel für ein Patientenmanagementsystem auf Lotus Notes 6.5 Basis Author: doktornotes
По вопросам спонсорства, публикации материалов, участия обращайтесь к ведущему рассылку LotusDomiNotes |
В избранное | ||