Index: lams_central/src/java/org/lamsfoundation/lams/authoring/ObjectExtractor.java =================================================================== diff -u -r62d0bb09a4512210d42ebd60885c7e1834c0cc5e -r93d9ed164843c3e37b6bc66fbb3061b20db7abbd --- lams_central/src/java/org/lamsfoundation/lams/authoring/ObjectExtractor.java (.../ObjectExtractor.java) (revision 62d0bb09a4512210d42ebd60885c7e1834c0cc5e) +++ lams_central/src/java/org/lamsfoundation/lams/authoring/ObjectExtractor.java (.../ObjectExtractor.java) (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -34,21 +34,20 @@ import java.util.TreeSet; import java.util.Vector; -import javax.servlet.http.HttpSession; - import org.apache.log4j.Logger; import org.lamsfoundation.lams.dao.IBaseDAO; import org.lamsfoundation.lams.learningdesign.Activity; import org.lamsfoundation.lams.learningdesign.ActivityOrderComparator; +import org.lamsfoundation.lams.learningdesign.BranchActivityEntry; import org.lamsfoundation.lams.learningdesign.BranchCondition; import org.lamsfoundation.lams.learningdesign.BranchingActivity; import org.lamsfoundation.lams.learningdesign.ChosenGrouping; import org.lamsfoundation.lams.learningdesign.ComplexActivity; import org.lamsfoundation.lams.learningdesign.GateActivity; import org.lamsfoundation.lams.learningdesign.Group; -import org.lamsfoundation.lams.learningdesign.BranchActivityEntry; import org.lamsfoundation.lams.learningdesign.Grouping; import org.lamsfoundation.lams.learningdesign.GroupingActivity; +import org.lamsfoundation.lams.learningdesign.LearnerChoiceGrouping; import org.lamsfoundation.lams.learningdesign.LearningDesign; import org.lamsfoundation.lams.learningdesign.LearningLibrary; import org.lamsfoundation.lams.learningdesign.License; @@ -79,14 +78,11 @@ import org.lamsfoundation.lams.tool.dao.IToolSessionDAO; import org.lamsfoundation.lams.usermanagement.User; import org.lamsfoundation.lams.usermanagement.WorkspaceFolder; -import org.lamsfoundation.lams.usermanagement.dto.UserDTO; import org.lamsfoundation.lams.util.Configuration; import org.lamsfoundation.lams.util.ConfigurationKeys; import org.lamsfoundation.lams.util.wddx.WDDXProcessor; import org.lamsfoundation.lams.util.wddx.WDDXProcessorConversionException; import org.lamsfoundation.lams.util.wddx.WDDXTAGS; -import org.lamsfoundation.lams.web.session.SessionManager; -import org.lamsfoundation.lams.web.util.AttributeNames; /** * @author Manpreet Minhas @@ -108,13 +104,13 @@ * */ public class ObjectExtractor implements IObjectExtractor { - + private static final Integer DEFAULT_COORD = new Integer(10); // default coordinate used if the entry from Flash is 0 or less. protected IBaseDAO baseDAO = null; protected ILearningDesignDAO learningDesignDAO = null; - protected IActivityDAO activityDAO =null; - protected ITransitionDAO transitionDAO =null; + protected IActivityDAO activityDAO = null; + protected ITransitionDAO transitionDAO = null; protected ILearningLibraryDAO learningLibraryDAO = null; protected ILicenseDAO licenseDAO = null; protected IGroupingDAO groupingDAO = null; @@ -125,55 +121,53 @@ protected IBranchActivityEntryDAO branchActivityEntryDAO = null; private Integer mode = null; - + /* The newActivityMap is a local copy of all the current activities. This will include * the "top level" activities and subactivities. It is used to "crossreference" activities * as we go, without having to repull them from the database. The keys are the UIIDs * of the activities, not the IDs. It is important that the values in this map are the Activity * objects related to the Hibernate session as they are updated by the parseTransitions code. - */ - protected HashMap newActivityMap = new HashMap(); + */ + protected HashMap newActivityMap = new HashMap(); /* * Record the tool sessions and activities as we go for edit on fly. This is needed in case we delete any. * Cannot get them at the end as Hibernate tries to store the activities before getting the * tool sessions, and this fails due to a foriegn key error. Its the foriegn key error * that we are trying to avoid! */ - protected HashMap> toolSessionMap = new HashMap>(); // Activity UIID -> ToolSession + protected HashMap> toolSessionMap = new HashMap>(); // Activity UIID -> ToolSession /* Used for easy access (rather than going back to the db) and makes it easier to clean them up at the end * - they can't be deleted easily via the cascades as we don't get a list of deleted entries sent back * from the client! We would end up with mappings still attached to a sequence activity that shouldn't be there! Not * done as a map as we sometimes will check via UIID, sometimes by ID */ protected List oldbranchActivityEntryList = new ArrayList(); - - protected HashMap oldActivityMap = new HashMap(); // Activity UIID -> Activity + + protected HashMap oldActivityMap = new HashMap(); // Activity UIID -> Activity /* cache of groupings - too hard to get them from the db */ - protected HashMap groupings = new HashMap(); - protected HashMap groups = new HashMap(); - protected HashMap branchEntries = new HashMap(); - protected HashMap defaultActivityMap = new HashMap(); + protected HashMap groupings = new HashMap(); + protected HashMap groups = new HashMap(); + protected HashMap branchEntries = new HashMap(); + protected HashMap defaultActivityMap = new HashMap(); /* can't delete as we go as they are linked to other items and have no way of knowing from the packet which ones * will need to be deleted, so start off assuming all need to be deleted and remove the ones we want to keep. */ - protected HashMap groupingsToDelete = new HashMap(); + protected HashMap groupingsToDelete = new HashMap(); protected LearningDesign learningDesign = null; protected Date modificationDate = null; /* cache of system tools so we aren't going back to the db all the time */ - protected HashMap systemTools = new HashMap(); - - protected Logger log = Logger.getLogger(ObjectExtractor.class); + protected HashMap systemTools = new HashMap(); + protected Logger log = Logger.getLogger(ObjectExtractor.class); + /** Constructor to be used if Spring method injection is used */ - public ObjectExtractor() { + public ObjectExtractor() { modificationDate = new Date(); } /** Constructor to be used if Spring method injection is not used */ - public ObjectExtractor(IBaseDAO baseDAO, - ILearningDesignDAO learningDesignDAO, IActivityDAO activityDAO, - ILearningLibraryDAO learningLibraryDAO, ILicenseDAO licenseDAO, - IGroupingDAO groupingDAO, IToolDAO toolDAO, ISystemToolDAO systemToolDAO, - IGroupDAO groupDAO, ITransitionDAO transitionDAO, IToolSessionDAO toolSessionDAO) { + public ObjectExtractor(IBaseDAO baseDAO, ILearningDesignDAO learningDesignDAO, IActivityDAO activityDAO, + ILearningLibraryDAO learningLibraryDAO, ILicenseDAO licenseDAO, IGroupingDAO groupingDAO, IToolDAO toolDAO, + ISystemToolDAO systemToolDAO, IGroupDAO groupDAO, ITransitionDAO transitionDAO, IToolSessionDAO toolSessionDAO) { this.baseDAO = baseDAO; this.learningDesignDAO = learningDesignDAO; this.activityDAO = activityDAO; @@ -187,7 +181,7 @@ this.toolSessionDAO = toolSessionDAO; modificationDate = new Date(); } - + /** Spring injection methods */ public IActivityDAO getActivityDAO() { return activityDAO; @@ -261,7 +255,6 @@ this.toolDAO = toolDAO; } - public ISystemToolDAO getSystemToolDAO() { return systemToolDAO; } @@ -290,36 +283,35 @@ return branchActivityEntryDAO; } - public void setBranchActivityEntryDAO( - IBranchActivityEntryDAO branchActivityEntryDAO) { + public void setBranchActivityEntryDAO(IBranchActivityEntryDAO branchActivityEntryDAO) { this.branchActivityEntryDAO = branchActivityEntryDAO; } /* (non-Javadoc) * @see org.lamsfoundation.lams.authoring.IObjectExtractor#extractSaveLearningDesign(java.util.Hashtable) */ - public LearningDesign extractSaveLearningDesign(Hashtable table, LearningDesign existingLearningDesign, WorkspaceFolder workspaceFolder, User user) throws WDDXProcessorConversionException, ObjectExtractorException { + public LearningDesign extractSaveLearningDesign(Hashtable table, LearningDesign existingLearningDesign, + WorkspaceFolder workspaceFolder, User user) throws WDDXProcessorConversionException, ObjectExtractorException { // if the learningDesign already exists, update it, otherwise create a new one. - learningDesign = existingLearningDesign!= null ? existingLearningDesign : new LearningDesign(); - + learningDesign = existingLearningDesign != null ? existingLearningDesign : new LearningDesign(); + // Check the copy type. Can only update it if it is COPY_TYPE_NONE (ie authoring copy) - Integer copyTypeID = WDDXProcessor.convertToInteger(table,WDDXTAGS.COPY_TYPE); - if ( copyTypeID == null ) { + Integer copyTypeID = WDDXProcessor.convertToInteger(table, WDDXTAGS.COPY_TYPE); + if (copyTypeID == null) { copyTypeID = LearningDesign.COPY_TYPE_NONE; } - if ( learningDesign != null && learningDesign.getCopyTypeID() != null && - ! learningDesign.getCopyTypeID().equals(copyTypeID) && !learningDesign.getEditOverrideLock()) { + if (learningDesign != null && learningDesign.getCopyTypeID() != null + && !learningDesign.getCopyTypeID().equals(copyTypeID) && !learningDesign.getEditOverrideLock()) { throw new ObjectExtractorException("Unable to save learning design. Cannot change copy type on existing design."); } - if ( ! copyTypeID.equals(LearningDesign.COPY_TYPE_NONE) && !learningDesign.getEditOverrideLock()) { + if (!copyTypeID.equals(LearningDesign.COPY_TYPE_NONE) && !learningDesign.getEditOverrideLock()) { throw new ObjectExtractorException("Unable to save learning design. Learning design is read-only"); } learningDesign.setCopyTypeID(copyTypeID); - learningDesign.setWorkspaceFolder(workspaceFolder); + learningDesign.setWorkspaceFolder(workspaceFolder); learningDesign.setUser(user); - // Pull out all the existing groups. there isn't an easy way to pull them out of the db requires an outer join across // three objects (learning design -> grouping activity -> grouping) so put both the existing ones and the new ones @@ -329,137 +321,157 @@ // Branch activity mappings are indirectly accessible via sequence activities or groupings. Have a separate list // to make them easier to delete unwanted ones later. intialiseBranchActivityMappings(); - + // get a mapping of all the existing activities and their tool sessions, in case we need to delete some tool sessions later. initialiseToolSessionMap(learningDesign); - + //get the core learning design stuff - default to invalid learningDesign.setValidDesign(Boolean.FALSE); - if (keyExists(table, WDDXTAGS.LEARNING_DESIGN_UIID)) - learningDesign.setLearningDesignUIID(WDDXProcessor.convertToInteger(table,WDDXTAGS.LEARNING_DESIGN_UIID)); - if (keyExists(table, WDDXTAGS.DESCRIPTION)) - learningDesign.setDescription(WDDXProcessor.convertToString(table,WDDXTAGS.DESCRIPTION)); - if (keyExists(table, WDDXTAGS.TITLE)) - learningDesign.setTitle(WDDXProcessor.convertToString(table, WDDXTAGS.TITLE)); - if (keyExists(table, WDDXTAGS.MAX_ID)) - learningDesign.setMaxID(WDDXProcessor.convertToInteger(table,WDDXTAGS.MAX_ID)); - if (keyExists(table, WDDXTAGS.VALID_DESIGN)) - learningDesign.setValidDesign(WDDXProcessor.convertToBoolean(table,WDDXTAGS.VALID_DESIGN)); - if (keyExists(table, WDDXTAGS.READ_ONLY)) - learningDesign.setReadOnly(WDDXProcessor.convertToBoolean(table,WDDXTAGS.READ_ONLY)); - if (keyExists(table, WDDXTAGS.EDIT_OVERRIDE_LOCK)) + if (keyExists(table, WDDXTAGS.LEARNING_DESIGN_UIID)) { + learningDesign.setLearningDesignUIID(WDDXProcessor.convertToInteger(table, WDDXTAGS.LEARNING_DESIGN_UIID)); + } + if (keyExists(table, WDDXTAGS.DESCRIPTION)) { + learningDesign.setDescription(WDDXProcessor.convertToString(table, WDDXTAGS.DESCRIPTION)); + } + if (keyExists(table, WDDXTAGS.TITLE)) { + learningDesign.setTitle(WDDXProcessor.convertToString(table, WDDXTAGS.TITLE)); + } + if (keyExists(table, WDDXTAGS.MAX_ID)) { + learningDesign.setMaxID(WDDXProcessor.convertToInteger(table, WDDXTAGS.MAX_ID)); + } + if (keyExists(table, WDDXTAGS.VALID_DESIGN)) { + learningDesign.setValidDesign(WDDXProcessor.convertToBoolean(table, WDDXTAGS.VALID_DESIGN)); + } + if (keyExists(table, WDDXTAGS.READ_ONLY)) { + learningDesign.setReadOnly(WDDXProcessor.convertToBoolean(table, WDDXTAGS.READ_ONLY)); + } + if (keyExists(table, WDDXTAGS.EDIT_OVERRIDE_LOCK)) { learningDesign.setEditOverrideLock(WDDXProcessor.convertToBoolean(table, WDDXTAGS.EDIT_OVERRIDE_LOCK)); - if (keyExists(table, WDDXTAGS.DATE_READ_ONLY)) - learningDesign.setDateReadOnly(WDDXProcessor.convertToDate(table, WDDXTAGS.DATE_READ_ONLY)); - if (keyExists(table, WDDXTAGS.OFFLINE_INSTRUCTIONS)) - learningDesign.setOfflineInstructions(WDDXProcessor.convertToString(table,WDDXTAGS.OFFLINE_INSTRUCTIONS)); - if (keyExists(table, WDDXTAGS.ONLINE_INSTRUCTIONS)) - learningDesign.setOnlineInstructions(WDDXProcessor.convertToString(table,WDDXTAGS.ONLINE_INSTRUCTIONS)); - if (keyExists(table, WDDXTAGS.HELP_TEXT)) - learningDesign.setHelpText(WDDXProcessor.convertToString(table,WDDXTAGS.HELP_TEXT)); + } + if (keyExists(table, WDDXTAGS.DATE_READ_ONLY)) { + learningDesign.setDateReadOnly(WDDXProcessor.convertToDate(table, WDDXTAGS.DATE_READ_ONLY)); + } + if (keyExists(table, WDDXTAGS.OFFLINE_INSTRUCTIONS)) { + learningDesign.setOfflineInstructions(WDDXProcessor.convertToString(table, WDDXTAGS.OFFLINE_INSTRUCTIONS)); + } + if (keyExists(table, WDDXTAGS.ONLINE_INSTRUCTIONS)) { + learningDesign.setOnlineInstructions(WDDXProcessor.convertToString(table, WDDXTAGS.ONLINE_INSTRUCTIONS)); + } + if (keyExists(table, WDDXTAGS.HELP_TEXT)) { + learningDesign.setHelpText(WDDXProcessor.convertToString(table, WDDXTAGS.HELP_TEXT)); + } //don't receive version from flash anymore(it was hardcoded). Get it from lams configuration database. learningDesign.setVersion(Configuration.get(ConfigurationKeys.SERVER_VERSION_NUMBER)); - - if (keyExists(table, WDDXTAGS.DURATION)) - learningDesign.setDuration(WDDXProcessor.convertToLong(table,WDDXTAGS.DURATION)); - - if (keyExists(table, WDDXTAGS.DURATION)) - learningDesign.setDuration(WDDXProcessor.convertToLong(table,WDDXTAGS.DURATION)); - - if (keyExists(table, WDDXTAGS.CONTENT_FOLDER_ID)) + + if (keyExists(table, WDDXTAGS.DURATION)) { + learningDesign.setDuration(WDDXProcessor.convertToLong(table, WDDXTAGS.DURATION)); + } + + if (keyExists(table, WDDXTAGS.DURATION)) { + learningDesign.setDuration(WDDXProcessor.convertToLong(table, WDDXTAGS.DURATION)); + } + + if (keyExists(table, WDDXTAGS.CONTENT_FOLDER_ID)) { learningDesign.setContentFolderID(WDDXProcessor.convertToString(table, WDDXTAGS.CONTENT_FOLDER_ID)); - - if (keyExists(table, WDDXTAGS.SAVE_MODE)) + } + + if (keyExists(table, WDDXTAGS.SAVE_MODE)) { mode = WDDXProcessor.convertToInteger(table, WDDXTAGS.SAVE_MODE); + } // Set creation date and modification date based on the server timezone, not the client. - if ( learningDesign.getCreateDateTime() == null ) + if (learningDesign.getCreateDateTime() == null) { learningDesign.setCreateDateTime(modificationDate); - learningDesign.setLastModifiedDateTime(modificationDate); + } + learningDesign.setLastModifiedDateTime(modificationDate); - if (keyExists(table, WDDXTAGS.LICENCE_ID)) - { - Long licenseID = WDDXProcessor.convertToLong(table,WDDXTAGS.LICENCE_ID); - if( licenseID!=null ){ + if (keyExists(table, WDDXTAGS.LICENCE_ID)) { + Long licenseID = WDDXProcessor.convertToLong(table, WDDXTAGS.LICENCE_ID); + if (licenseID != null) { License license = licenseDAO.getLicenseByID(licenseID); - learningDesign.setLicense(license); - } else { + learningDesign.setLicense(license); + } + else { learningDesign.setLicense(null); //special null value set } - } - if (keyExists(table, WDDXTAGS.LICENSE_TEXT)) - learningDesign.setLicenseText(WDDXProcessor.convertToString(table,WDDXTAGS.LICENSE_TEXT)); + } + if (keyExists(table, WDDXTAGS.LICENSE_TEXT)) { + learningDesign.setLicenseText(WDDXProcessor.convertToString(table, WDDXTAGS.LICENSE_TEXT)); + } - if (keyExists(table, WDDXTAGS.ORIGINAL_DESIGN_ID)) - { - Long parentLearningDesignID = WDDXProcessor.convertToLong(table,WDDXTAGS.ORIGINAL_DESIGN_ID); - if( parentLearningDesignID != null ){ + if (keyExists(table, WDDXTAGS.ORIGINAL_DESIGN_ID)) { + Long parentLearningDesignID = WDDXProcessor.convertToLong(table, WDDXTAGS.ORIGINAL_DESIGN_ID); + if (parentLearningDesignID != null) { LearningDesign parent = learningDesignDAO.getLearningDesignById(parentLearningDesignID); learningDesign.setOriginalLearningDesign(parent); } - else - learningDesign.setOriginalLearningDesign(null); + else { + learningDesign.setOriginalLearningDesign(null); + } } - - + learningDesignDAO.insertOrUpdate(learningDesign); - + // now process the "parts" of the learning design - parseGroupings((Vector)table.get(WDDXTAGS.GROUPINGS)); - parseActivities((Vector)table.get(WDDXTAGS.ACTIVITIES)); - parseActivitiesToMatchUpParentandInputActivities((Vector)table.get(WDDXTAGS.ACTIVITIES)); - parseTransitions((Vector)table.get(WDDXTAGS.TRANSITIONS)); - parseBranchMappings((Vector)table.get(WDDXTAGS.BRANCH_MAPPINGS)); + parseGroupings((Vector) table.get(WDDXTAGS.GROUPINGS)); + parseActivities((Vector) table.get(WDDXTAGS.ACTIVITIES)); + parseActivitiesToMatchUpParentandInputActivities((Vector) table.get(WDDXTAGS.ACTIVITIES)); + parseTransitions((Vector) table.get(WDDXTAGS.TRANSITIONS)); + parseBranchMappings((Vector) table.get(WDDXTAGS.BRANCH_MAPPINGS)); progressDefaultChildActivities(); - + learningDesign.setFirstActivity(learningDesign.calculateFirstActivity()); learningDesignDAO.insertOrUpdate(learningDesign); deleteUnwantedGroupings(); deleteUnwantedToolSessions(learningDesign); - - return learningDesign; - } + return learningDesign; + } + /** Link SequenceActivities up with their firstActivity entries and BranchingActivities with their * default branch. Also tidy up the order ids for sequence activities so that they are in the same * order as the transitions - needed for the IMSLD export conversion to work. Not all * the transitions may be drawn yet, so number off the others best we can. * @throws WDDXProcessorConversionException */ private void progressDefaultChildActivities() throws WDDXProcessorConversionException { - - if ( defaultActivityMap.size() > 0 ) { - for ( Integer defaultChildUIID : defaultActivityMap.keySet() ) { + + if (defaultActivityMap.size() > 0) { + for (Integer defaultChildUIID : defaultActivityMap.keySet()) { ComplexActivity complex = defaultActivityMap.get(defaultChildUIID); Activity defaultActivity = newActivityMap.get(defaultChildUIID); - if ( defaultActivity == null ) { - String msg = "Unable to find the default child activity ("+defaultChildUIID - +") for the activity ("+complex - +") referred to in First Child to Sequence map."; - throw new WDDXProcessorConversionException(msg); - } else { + if (defaultActivity == null) { + String msg = "Unable to find the default child activity (" + defaultChildUIID + ") for the activity (" + + complex + ") referred to in First Child to Sequence map."; + throw new WDDXProcessorConversionException(msg); + } + else { complex.setDefaultActivity(defaultActivity); // fix up the order ids for SequenceActivities - if ( complex.isSequenceActivity() ) { + if (complex.isSequenceActivity()) { Set unprocessedChildren = new TreeSet(new ActivityOrderComparator()); unprocessedChildren.addAll(complex.getActivities()); - + unprocessedChildren.remove(defaultActivity); defaultActivity.setOrderId(1); int nextOrderId = 2; - Activity nextActivity = defaultActivity.getTransitionFrom() != null ? defaultActivity.getTransitionFrom().getToActivity() : null; - while ( nextActivity != null ) { + Activity nextActivity = defaultActivity.getTransitionFrom() != null ? defaultActivity.getTransitionFrom() + .getToActivity() : null; + while (nextActivity != null) { boolean removed = unprocessedChildren.remove(nextActivity); - if ( ! removed ) { - log.error("Next activity should be a child of the current sequence, but it isn't. Could we have a loop in the transitions? Aborting the ordering of ids based on transitions. Sequence activity "+complex+" next activity "+nextActivity); + if (!removed) { + log + .error("Next activity should be a child of the current sequence, but it isn't. Could we have a loop in the transitions? Aborting the ordering of ids based on transitions. Sequence activity " + + complex + " next activity " + nextActivity); break; } nextActivity.setOrderId(nextOrderId++); - nextActivity = nextActivity.getTransitionFrom() != null ? nextActivity.getTransitionFrom().getToActivity() : null; + nextActivity = nextActivity.getTransitionFrom() != null ? nextActivity.getTransitionFrom() + .getToActivity() : null; } - - if ( unprocessedChildren.size() > 0 ) { + + if (unprocessedChildren.size() > 0) { Iterator iter = unprocessedChildren.iterator(); while (iter.hasNext()) { nextActivity = (Activity) iter.next(); @@ -469,11 +481,10 @@ } } } - + } } - /** * Initialise the map of groupings with those in the db from a previous save. * This must be called as soon as the learning design is read from the db and before it is changed. @@ -484,10 +495,10 @@ while (iter.hasNext()) { Grouping grouping = (Grouping) iter.next(); groupings.put(grouping.getGroupingUIID(), grouping); - groupingsToDelete.put(grouping.getGroupingUIID(),grouping); + groupingsToDelete.put(grouping.getGroupingUIID(), grouping); } } - + private void intialiseBranchActivityMappings() { oldbranchActivityEntryList = branchActivityEntryDAO.getEntriesByLearningDesign(learningDesign.getLearningDesignId()); } @@ -499,20 +510,21 @@ private void initialiseToolSessionMap(LearningDesign learningDesign) { if (learningDesign.getEditOverrideLock() && learningDesign.getEditOverrideUser() != null) { Iterator iter = learningDesign.getActivities().iterator(); - while ( iter.hasNext() ) { + while (iter.hasNext()) { Activity activity = (Activity) iter.next(); oldActivityMap.put(activity.getActivityUIID(), activity); - List toolSessions = (List) toolSessionDAO.getToolSessionByActivity(activity); - if ( toolSessions != null && toolSessions.size() > 0 ) - toolSessionMap.put(activity.getActivityUIID(),toolSessions); + List toolSessions = toolSessionDAO.getToolSessionByActivity(activity); + if (toolSessions != null && toolSessions.size() > 0) { + toolSessionMap.put(activity.getActivityUIID(), toolSessions); + } } } } /** Delete the old unneeded groupings. Won't be done via a cascade */ private void deleteUnwantedGroupings() { - for ( Grouping grouping: groupingsToDelete.values()) { - groupingDAO.delete(grouping); + for (Grouping grouping : groupingsToDelete.values()) { + groupingDAO.delete(grouping); } } @@ -523,25 +535,38 @@ private void deleteUnwantedToolSessions(LearningDesign learningDesign) throws ObjectExtractorException { if (learningDesign.getEditOverrideLock() && learningDesign.getEditOverrideUser() != null) { - for ( Integer uiid : toolSessionMap.keySet() ) { - if ( ! newActivityMap.containsKey(uiid) ) { + for (Integer uiid : toolSessionMap.keySet()) { + if (!newActivityMap.containsKey(uiid)) { List toolSessions = toolSessionMap.get(uiid); - if ( toolSessions != null ) { - + if (toolSessions != null) { + Activity activity = oldActivityMap.get(uiid); - if ( toolSessions.size() > 1 ) { - throw new ObjectExtractorException("More than one tool session exists for activity "+activity.getTitle()+" ("+uiid+") but this shouldn't be possible. Cannot delete this tool session so editing is not allowed!"); - } else if (toolSessions.size() == 1) { + if (toolSessions.size() > 1) { + throw new ObjectExtractorException( + "More than one tool session exists for activity " + + activity.getTitle() + + " (" + + uiid + + ") but this shouldn't be possible. Cannot delete this tool session so editing is not allowed!"); + } + else if (toolSessions.size() == 1) { ToolSession toolSession = (ToolSession) toolSessions.get(0); - if ( activity.isGroupingActivity() ) { - throw new ObjectExtractorException("Activity "+activity.getTitle()+" ("+activity.getActivityUIID()+") has a tool session but it is grouped. Cannot delete this tool session so editing is not allowed!"); + if (activity.isGroupingActivity()) { + throw new ObjectExtractorException( + "Activity " + + activity.getTitle() + + " (" + + activity.getActivityUIID() + + ") has a tool session but it is grouped. Cannot delete this tool session so editing is not allowed!"); } - + // all okay, do ahead and delete the tool session - if ( log.isDebugEnabled()) - log.debug("Removing tool session for activity "+activity.getTitle()+" ("+activity.getActivityUIID()+")"); - + if (log.isDebugEnabled()) { + log.debug("Removing tool session for activity " + activity.getTitle() + " (" + + activity.getActivityUIID() + ")"); + } + toolSessionDAO.removeToolSession(toolSession); } } @@ -559,88 +584,92 @@ * @param groupingsList * @throws WDDXProcessorConversionException */ - - private void parseGroupings(List groupingsList) - throws WDDXProcessorConversionException - { - //iterate through the list of groupings objects - //each object should contain information groupingUUID, groupingID, groupingTypeID - if (groupingsList != null) - { - Iterator iterator = groupingsList.iterator(); - while(iterator.hasNext()) - { - Hashtable groupingDetails = (Hashtable)iterator.next(); - if( groupingDetails != null ) - { - Grouping grouping = extractGroupingObject(groupingDetails); - groupingDAO.insertOrUpdate(grouping); - groupings.put(grouping.getGroupingUIID(),grouping); - } - } - - } + + private void parseGroupings(List groupingsList) throws WDDXProcessorConversionException { + //iterate through the list of groupings objects + //each object should contain information groupingUUID, groupingID, groupingTypeID + if (groupingsList != null) { + Iterator iterator = groupingsList.iterator(); + while (iterator.hasNext()) { + Hashtable groupingDetails = (Hashtable) iterator.next(); + if (groupingDetails != null) { + Grouping grouping = extractGroupingObject(groupingDetails); + groupingDAO.insertOrUpdate(grouping); + groupings.put(grouping.getGroupingUIID(), grouping); + } + } + + } } - - public Grouping extractGroupingObject(Hashtable groupingDetails) throws WDDXProcessorConversionException{ - - Integer groupingUUID = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.GROUPING_UIID); - Integer groupingTypeID=WDDXProcessor.convertToInteger(groupingDetails,WDDXTAGS.GROUPING_TYPE_ID); - if (groupingTypeID== null) { + public Grouping extractGroupingObject(Hashtable groupingDetails) throws WDDXProcessorConversionException { + + Integer groupingUUID = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.GROUPING_UIID); + Integer groupingTypeID = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.GROUPING_TYPE_ID); + if (groupingTypeID == null) { throw new WDDXProcessorConversionException("groupingTypeID is missing"); } - Grouping grouping = groupings.get(groupingUUID); - // check that the grouping type is still okay - if it is we keep the grouping otherwise - // we get rid of the old hibernate object. - if ( grouping != null ) { - if ( grouping.getGroupingTypeId().equals(groupingTypeID) ) { - groupingsToDelete.remove(groupingUUID); - } else { - groupings.remove(grouping.getGroupingUIID()); - grouping = null; - } - } - - if (grouping == null) { - Object object = Grouping.getGroupingInstance(groupingTypeID); - grouping = (Grouping)object; - - if (keyExists(groupingDetails, WDDXTAGS.GROUPING_UIID)) - grouping.setGroupingUIID(WDDXProcessor.convertToInteger(groupingDetails,WDDXTAGS.GROUPING_UIID)); - } - - if(grouping.isRandomGrouping()) - createRandomGrouping((RandomGrouping)grouping,groupingDetails); - else if(grouping.isChosenGrouping()) - createChosenGrouping((ChosenGrouping)grouping,groupingDetails); - else - createLessonClass((LessonClass)grouping, groupingDetails); + Grouping grouping = groupings.get(groupingUUID); + // check that the grouping type is still okay - if it is we keep the grouping otherwise + // we get rid of the old hibernate object. + if (grouping != null) { + if (grouping.getGroupingTypeId().equals(groupingTypeID)) { + groupingsToDelete.remove(groupingUUID); + } + else { + groupings.remove(grouping.getGroupingUIID()); + grouping = null; + } + } - if (keyExists(groupingDetails,WDDXTAGS.MAX_NUMBER_OF_GROUPS)) - grouping.setMaxNumberOfGroups(WDDXProcessor.convertToInteger(groupingDetails,WDDXTAGS.MAX_NUMBER_OF_GROUPS)); + if (grouping == null) { + Object object = Grouping.getGroupingInstance(groupingTypeID); + grouping = (Grouping) object; + if (keyExists(groupingDetails, WDDXTAGS.GROUPING_UIID)) { + grouping.setGroupingUIID(WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.GROUPING_UIID)); + } + } + + if (grouping.isRandomGrouping()) { + createRandomGrouping((RandomGrouping) grouping, groupingDetails); + } + else if (grouping.isChosenGrouping()) { + createChosenGrouping((ChosenGrouping) grouping, groupingDetails); + } + + else if (grouping.isLearnerChoiceGrouping()) { + createLearnerChoiceGrouping((LearnerChoiceGrouping) grouping, groupingDetails); + } + else { + createLessonClass((LessonClass) grouping, groupingDetails); + } + + if (keyExists(groupingDetails, WDDXTAGS.MAX_NUMBER_OF_GROUPS)) { + grouping.setMaxNumberOfGroups(WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.MAX_NUMBER_OF_GROUPS)); + } + Set groupsToDelete = new HashSet(grouping.getGroups()); - List groupsList = (Vector)groupingDetails.get(WDDXTAGS.GROUPS); - if ( groupsList != null && groupsList.size() > 0 ) { + List groupsList = (Vector) groupingDetails.get(WDDXTAGS.GROUPS); + if (groupsList != null && groupsList.size() > 0) { Iterator iter = groupsList.iterator(); - while ( iter.hasNext() ) { - Hashtable groupDetails = (Hashtable)iter.next(); + while (iter.hasNext()) { + Hashtable groupDetails = (Hashtable) iter.next(); Group group = extractGroupObject(groupDetails, grouping); groups.put(group.getGroupUIID(), group); groupsToDelete.remove(group); } } - - if ( groupsToDelete.size() > 0 ) { + + if (groupsToDelete.size() > 0) { Iterator iter = groupsToDelete.iterator(); - while ( iter.hasNext() ) { + while (iter.hasNext()) { Group group = (Group) iter.next(); - if ( group.getBranchActivities() != null ) { + if (group.getBranchActivities() != null) { Iterator branchIter = group.getBranchActivities().iterator(); - while ( branchIter.hasNext() ) { + while (branchIter.hasNext()) { BranchActivityEntry entry = (BranchActivityEntry) branchIter.next(); entry.setGroup(null); } @@ -651,74 +680,108 @@ } return grouping; } - + @SuppressWarnings("unchecked") private Group extractGroupObject(Hashtable groupDetails, Grouping grouping) throws WDDXProcessorConversionException { Group group = null; - Integer groupUIID = WDDXProcessor.convertToInteger(groupDetails,WDDXTAGS.GROUP_UIID); - if ( groupUIID == null ) { - throw new WDDXProcessorConversionException("Group is missing its UUID. Group "+groupDetails+" grouping "+grouping); - } - Long groupID = WDDXProcessor.convertToLong(groupDetails,WDDXTAGS.GROUP_ID); - + Integer groupUIID = WDDXProcessor.convertToInteger(groupDetails, WDDXTAGS.GROUP_UIID); + if (groupUIID == null) { + throw new WDDXProcessorConversionException("Group is missing its UUID. Group " + groupDetails + " grouping " + + grouping); + } + Long groupID = WDDXProcessor.convertToLong(groupDetails, WDDXTAGS.GROUP_ID); + // Does it exist already? If the group was created at runtime, there will be an ID but no IU ID field. // If it was created in authoring, will have a UI ID and may or may not have an ID. // So try to match up on UI ID first, failing that match on ID. Then the worst case, which is the group // is created at runtime but then modified in authoring (and has has a new UI ID added) is handled. - if ( grouping.getGroups() != null && grouping.getGroups().size() > 0 ) { + if (grouping.getGroups() != null && grouping.getGroups().size() > 0) { Group uiid_match = null; Group id_match = null; Iterator iter = grouping.getGroups().iterator(); while (uiid_match == null && iter.hasNext()) { Group possibleGroup = (Group) iter.next(); - if ( groupUIID.equals(possibleGroup.getGroupUIID()) ) { + if (groupUIID.equals(possibleGroup.getGroupUIID())) { uiid_match = possibleGroup; } - if ( groupID != null && groupID.equals(possibleGroup.getGroupId()) ) { + if (groupID != null && groupID.equals(possibleGroup.getGroupId())) { id_match = possibleGroup; } } group = uiid_match != null ? uiid_match : id_match; } - if ( group == null ) { + if (group == null) { group = new Group(); grouping.getGroups().add(group); } - - group.setGroupName(WDDXProcessor.convertToString(groupDetails,WDDXTAGS.GROUP_NAME)); + + group.setGroupName(WDDXProcessor.convertToString(groupDetails, WDDXTAGS.GROUP_NAME)); group.setGrouping(grouping); group.setGroupUIID(groupUIID); - - if ( keyExists(groupDetails,WDDXTAGS.ORDER_ID) ) - group.setOrderId(WDDXProcessor.convertToInteger(groupDetails,WDDXTAGS.ORDER_ID)); - else + + if (keyExists(groupDetails, WDDXTAGS.ORDER_ID)) { + group.setOrderId(WDDXProcessor.convertToInteger(groupDetails, WDDXTAGS.ORDER_ID)); + } + else { group.setOrderId(0); - + } + return group; } - private void createRandomGrouping(RandomGrouping randomGrouping,Hashtable groupingDetails) throws WDDXProcessorConversionException{ + private void createRandomGrouping(RandomGrouping randomGrouping, Hashtable groupingDetails) + throws WDDXProcessorConversionException { // the two settings are mutually exclusive. Flash takes care of this, but we'll code it here too just to make sure. - Integer numLearnersPerGroup = WDDXProcessor.convertToInteger(groupingDetails,WDDXTAGS.LEARNERS_PER_GROUP); - if (numLearnersPerGroup!=null && numLearnersPerGroup.intValue()>0) { - randomGrouping.setLearnersPerGroup(numLearnersPerGroup); - randomGrouping.setNumberOfGroups(null); - } else { - Integer numGroups = WDDXProcessor.convertToInteger(groupingDetails,WDDXTAGS.NUMBER_OF_GROUPS); - if (numGroups!=null && numGroups.intValue()>0) { - randomGrouping.setNumberOfGroups(numGroups); - } else { - randomGrouping.setNumberOfGroups(null); - } - randomGrouping.setLearnersPerGroup(null); - } + Integer numLearnersPerGroup = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.LEARNERS_PER_GROUP); + if (numLearnersPerGroup != null && numLearnersPerGroup.intValue() > 0) { + randomGrouping.setLearnersPerGroup(numLearnersPerGroup); + randomGrouping.setNumberOfGroups(null); + } + else { + Integer numGroups = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.NUMBER_OF_GROUPS); + if (numGroups != null && numGroups.intValue() > 0) { + randomGrouping.setNumberOfGroups(numGroups); + } + else { + randomGrouping.setNumberOfGroups(null); + } + randomGrouping.setLearnersPerGroup(null); + } } - private void createChosenGrouping(ChosenGrouping chosenGrouping,Hashtable groupingDetails) throws WDDXProcessorConversionException{ + + private void createChosenGrouping(ChosenGrouping chosenGrouping, Hashtable groupingDetails) + throws WDDXProcessorConversionException { //no extra properties as yet } - + + private void createLearnerChoiceGrouping(LearnerChoiceGrouping learnerChoiceGrouping, Hashtable groupingDetails) + throws WDDXProcessorConversionException { + + Integer numLearnersPerGroup = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.LEARNERS_PER_GROUP); + if (numLearnersPerGroup != null && numLearnersPerGroup.intValue() > 0) { + learnerChoiceGrouping.setLearnersPerGroup(numLearnersPerGroup); + learnerChoiceGrouping.setNumberOfGroups(null); + learnerChoiceGrouping.setEqualNumberOfLearners(null); + } + else { + Integer numGroups = WDDXProcessor.convertToInteger(groupingDetails, WDDXTAGS.NUMBER_OF_GROUPS); + if (numGroups != null && numGroups.intValue() > 0) { + learnerChoiceGrouping.setNumberOfGroups(numGroups); + } + else { + learnerChoiceGrouping.setNumberOfGroups(null); + } + learnerChoiceGrouping.setLearnersPerGroup(null); + Boolean equalNumberOfLearnersPerGroup = WDDXProcessor.convertToBoolean(groupingDetails, + WDDXTAGS.EQUAL_NUMBER_OF_LEARNERS_PER_GROUP); + if (equalNumberOfLearnersPerGroup != null) { + learnerChoiceGrouping.setEqualNumberOfLearners(equalNumberOfLearnersPerGroup); + } + } + } + /** * Parses the list of activities sent from the WDDX packet. The current activities that * belong to this learning design will be compared with the new list of activities. Any new activities will @@ -731,32 +794,31 @@ * @throws ObjectExtractorException */ @SuppressWarnings("unchecked") - private void parseActivities(List activitiesList) - throws WDDXProcessorConversionException, ObjectExtractorException { - - if(activitiesList!=null){ + private void parseActivities(List activitiesList) throws WDDXProcessorConversionException, ObjectExtractorException { + + if (activitiesList != null) { Iterator iterator = activitiesList.iterator(); - while(iterator.hasNext()){ - Hashtable activityDetails = (Hashtable)iterator.next(); - Activity activity = extractActivityObject(activityDetails); + while (iterator.hasNext()) { + Hashtable activityDetails = (Hashtable) iterator.next(); + Activity activity = extractActivityObject(activityDetails); activityDAO.insertOrUpdate(activity); - newActivityMap.put(activity.getActivityUIID(), activity); + newActivityMap.put(activity.getActivityUIID(), activity); } } // clear the transitions. // clear the old set and reset up the activities set. Done this way to keep the Hibernate cascading happy. // this means we don't have to manually remove the transition object. - // Note: This will leave orphan content in the tool tables. It can be removed by the tool content cleaning job, - // which may be run from the admin screen or via a cron job. - + // Note: This will leave orphan content in the tool tables. It can be removed by the tool content cleaning job, + // which may be run from the admin screen or via a cron job. + learningDesign.getActivities().clear(); learningDesign.getActivities().addAll(newActivityMap.values()); - + //TODO: Need to double check that the toolID/toolContentID combinations match entries in lams_tool_content table, or put FK on table. learningDesignDAO.insertOrUpdate(learningDesign); } - + /** * Because the activities list was processed before by the method parseActivities, it is assumed that * all activities have already been saved into the database. So now we can go through and find the any parent @@ -767,60 +829,59 @@ * @throws WDDXProcessorConversionException * @throws ObjectExtractorException */ - private void parseActivitiesToMatchUpParentandInputActivities(List activitiesList) throws WDDXProcessorConversionException, ObjectExtractorException - { - if (activitiesList != null) - { + private void parseActivitiesToMatchUpParentandInputActivities(List activitiesList) throws WDDXProcessorConversionException, + ObjectExtractorException { + if (activitiesList != null) { Iterator iterator = activitiesList.iterator(); - while(iterator.hasNext()){ - - Hashtable activityDetails = (Hashtable)iterator.next(); - - Integer activityUUID = WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.ACTIVITY_UIID); - Activity existingActivity = newActivityMap.get(activityUUID); - + while (iterator.hasNext()) { + + Hashtable activityDetails = (Hashtable) iterator.next(); + + Integer activityUUID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_UIID); + Activity existingActivity = newActivityMap.get(activityUUID); + // match up activity to parent based on UIID - if (keyExists(activityDetails, WDDXTAGS.PARENT_UIID)) - { + if (keyExists(activityDetails, WDDXTAGS.PARENT_UIID)) { Integer parentUIID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.PARENT_UIID); - if( parentUIID!=null ) { + if (parentUIID != null) { Activity parentActivity = newActivityMap.get(parentUIID); - if ( parentActivity == null ) { - throw new ObjectExtractorException("Parent activity "+parentUIID+" missing for activity "+existingActivity.getTitle()+": "+existingActivity.getActivityUIID()); + if (parentActivity == null) { + throw new ObjectExtractorException("Parent activity " + parentUIID + " missing for activity " + + existingActivity.getTitle() + ": " + existingActivity.getActivityUIID()); } existingActivity.setParentActivity(parentActivity); existingActivity.setParentUIID(parentUIID); - if(parentActivity.isComplexActivity()){ + if (parentActivity.isComplexActivity()) { ((ComplexActivity) parentActivity).addActivity(existingActivity); activityDAO.update(parentActivity); } - - } else { + + } + else { existingActivity.setParentActivity(null); existingActivity.setParentUIID(null); existingActivity.setOrderId(null); // top level activities don't have order ids. } - } - + } + // match up activity to input activities based on UIID. At present there will be only one input activity existingActivity.getInputActivities().clear(); Integer inputActivityUIID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.INPUT_TOOL_ACTIVITY_UIID); - if ( inputActivityUIID != null ) { + if (inputActivityUIID != null) { Activity inputActivity = newActivityMap.get(inputActivityUIID); - if ( inputActivity == null ) { - throw new ObjectExtractorException("Input activity "+inputActivityUIID+" missing for activity "+existingActivity.getTitle()+": "+existingActivity.getActivityUIID()); + if (inputActivity == null) { + throw new ObjectExtractorException("Input activity " + inputActivityUIID + " missing for activity " + + existingActivity.getTitle() + ": " + existingActivity.getActivityUIID()); } existingActivity.getInputActivities().add(inputActivity); - } - + } + activityDAO.update(existingActivity); - + } } } - - - + /** * Like parseActivities, parseTransitions parses the list of transitions from the wddx packet. * New transitions will be added, existing transitions updated and any transitions that are no @@ -831,225 +892,253 @@ * @throws WDDXProcessorConversionException */ @SuppressWarnings("unchecked") - private void parseTransitions(List transitionsList) throws WDDXProcessorConversionException{ - - HashMap newMap = new HashMap(); - - if(transitionsList!=null){ - Iterator iterator= transitionsList.iterator(); - while(iterator.hasNext()){ - Hashtable transitionDetails = (Hashtable)iterator.next(); + private void parseTransitions(List transitionsList) throws WDDXProcessorConversionException { + + HashMap newMap = new HashMap(); + + if (transitionsList != null) { + Iterator iterator = transitionsList.iterator(); + while (iterator.hasNext()) { + Hashtable transitionDetails = (Hashtable) iterator.next(); Transition transition = extractTransitionObject(transitionDetails); // Check if transition actually exists. extractTransitionObject returns null // if neither the to/from activity exists. - if ( transition != null ) { + if (transition != null) { transitionDAO.insertOrUpdate(transition); - newMap.put(transition.getTransitionUIID(),transition); + newMap.put(transition.getTransitionUIID(), transition); } } } - + // clean up the links for any old transitions. Iterator iter = learningDesign.getTransitions().iterator(); while (iter.hasNext()) { Transition element = (Transition) iter.next(); Integer uiID = element.getTransitionUIID(); Transition match = newMap.get(uiID); - if ( match == null ) { + if (match == null) { // transition is no more, clean up the old activity links cleanupTransition(element); } } // clear the old set and reset up the transition set. Done this way to keep the Hibernate cascading happy. // this means we don't have to manually remove the transition object. - // Note: This will leave orphan content in the tool tables. It can be removed by the tool content cleaning job, - // which may be run from the admin screen or via a cron job. + // Note: This will leave orphan content in the tool tables. It can be removed by the tool content cleaning job, + // which may be run from the admin screen or via a cron job. learningDesign.getTransitions().clear(); learningDesign.getTransitions().addAll(newMap.values()); - + learningDesignDAO.insertOrUpdate(learningDesign); - - + } - public Activity extractActivityObject(Hashtable activityDetails) throws WDDXProcessorConversionException, ObjectExtractorException { - - //it is assumed that the activityUUID will always be sent by flash. - Integer activityUUID = WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.ACTIVITY_UIID); - Activity activity = null; + + public Activity extractActivityObject(Hashtable activityDetails) throws WDDXProcessorConversionException, + ObjectExtractorException { + + //it is assumed that the activityUUID will always be sent by flash. + Integer activityUUID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_UIID); + Activity activity = null; Integer activityTypeID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_TYPE_ID); - if ( activityTypeID == null ) { + if (activityTypeID == null) { throw new ObjectExtractorException("activityTypeID missing"); } //get the activity with the particular activity uuid, if null, then new object needs to be created. - Activity existingActivity = activityDAO.getActivityByUIID(activityUUID, learningDesign); - if (existingActivity != null && ! existingActivity.getActivityTypeId().equals(activityTypeID) ) { - existingActivity = null; - } - - if ( existingActivity != null ) { + Activity existingActivity = activityDAO.getActivityByUIID(activityUUID, learningDesign); + if (existingActivity != null && !existingActivity.getActivityTypeId().equals(activityTypeID)) { + existingActivity = null; + } + + if (existingActivity != null) { activity = existingActivity; - } else { - activity = Activity.getActivityInstance(activityTypeID.intValue()); - } - processActivityType(activity,activityDetails); - - - if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_TYPE_ID)) - activity.setActivityTypeId(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_TYPE_ID)); - if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_UIID)) - activity.setActivityUIID(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.ACTIVITY_UIID)); - if (keyExists(activityDetails, WDDXTAGS.DESCRIPTION)) - activity.setDescription(WDDXProcessor.convertToString(activityDetails,WDDXTAGS.DESCRIPTION)); - if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_TITLE)) - activity.setTitle(WDDXProcessor.convertToString(activityDetails,WDDXTAGS.ACTIVITY_TITLE)); - if (keyExists(activityDetails, WDDXTAGS.HELP_TEXT)) - activity.setHelpText(WDDXProcessor.convertToString(activityDetails,WDDXTAGS.HELP_TEXT)); + } + else { + activity = Activity.getActivityInstance(activityTypeID.intValue()); + } + processActivityType(activity, activityDetails); - activity.setXcoord( getCoord(activityDetails, WDDXTAGS.XCOORD)); - activity.setYcoord( getCoord(activityDetails, WDDXTAGS.YCOORD)); + if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_TYPE_ID)) { + activity.setActivityTypeId(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_TYPE_ID)); + } + if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_UIID)) { + activity.setActivityUIID(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_UIID)); + } + if (keyExists(activityDetails, WDDXTAGS.DESCRIPTION)) { + activity.setDescription(WDDXProcessor.convertToString(activityDetails, WDDXTAGS.DESCRIPTION)); + } + if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_TITLE)) { + activity.setTitle(WDDXProcessor.convertToString(activityDetails, WDDXTAGS.ACTIVITY_TITLE)); + } + if (keyExists(activityDetails, WDDXTAGS.HELP_TEXT)) { + activity.setHelpText(WDDXProcessor.convertToString(activityDetails, WDDXTAGS.HELP_TEXT)); + } - if (keyExists(activityDetails, WDDXTAGS.GROUPING_UIID)) - { - Integer groupingUIID = WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.GROUPING_UIID); - if ( groupingUIID != null ){ + activity.setXcoord(getCoord(activityDetails, WDDXTAGS.XCOORD)); + activity.setYcoord(getCoord(activityDetails, WDDXTAGS.YCOORD)); + + if (keyExists(activityDetails, WDDXTAGS.GROUPING_UIID)) { + Integer groupingUIID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.GROUPING_UIID); + if (groupingUIID != null) { Grouping grouping = groupings.get(groupingUIID); - if ( grouping != null ) { + if (grouping != null) { setGrouping(activity, grouping, groupingUIID); - } else { - log.warn("Unable to find matching grouping for groupingUIID"+groupingUIID+". Activity UUID"+activityUUID+" will not be grouped."); + } + else { + log.warn("Unable to find matching grouping for groupingUIID" + groupingUIID + ". Activity UUID" + + activityUUID + " will not be grouped."); clearGrouping(activity); } - } else { + } + else { clearGrouping(activity); } - } else { + } + else { clearGrouping(activity); - } - - if (keyExists(activityDetails, WDDXTAGS.ORDER_ID)) - activity.setOrderId(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.ORDER_ID)); - if (keyExists(activityDetails, WDDXTAGS.DEFINE_LATER)) - activity.setDefineLater(WDDXProcessor.convertToBoolean(activityDetails,WDDXTAGS.DEFINE_LATER)); - + } + + if (keyExists(activityDetails, WDDXTAGS.ORDER_ID)) { + activity.setOrderId(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ORDER_ID)); + } + if (keyExists(activityDetails, WDDXTAGS.DEFINE_LATER)) { + activity.setDefineLater(WDDXProcessor.convertToBoolean(activityDetails, WDDXTAGS.DEFINE_LATER)); + } + activity.setLearningDesign(learningDesign); - - if (keyExists(activityDetails, WDDXTAGS.LEARNING_LIBRARY_ID)) - { - Long learningLibraryID = WDDXProcessor.convertToLong(activityDetails,WDDXTAGS.LEARNING_LIBRARY_ID); - if( learningLibraryID!=null ){ + + if (keyExists(activityDetails, WDDXTAGS.LEARNING_LIBRARY_ID)) { + Long learningLibraryID = WDDXProcessor.convertToLong(activityDetails, WDDXTAGS.LEARNING_LIBRARY_ID); + if (learningLibraryID != null) { LearningLibrary library = learningLibraryDAO.getLearningLibraryById(learningLibraryID); activity.setLearningLibrary(library); - } else { + } + else { activity.setLearningLibrary(null); } } - + // Set creation date based on the server timezone, not the client. - if ( activity.getCreateDateTime() == null ) + if (activity.getCreateDateTime() == null) { activity.setCreateDateTime(modificationDate); + } - if (keyExists(activityDetails, WDDXTAGS.RUN_OFFLINE)) - activity.setRunOffline(WDDXProcessor.convertToBoolean(activityDetails,WDDXTAGS.RUN_OFFLINE)); - if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_CATEGORY_ID)) - activity.setActivityCategoryID(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.ACTIVITY_CATEGORY_ID)); - if (keyExists(activityDetails, WDDXTAGS.LIBRARY_IMAGE)) - activity.setLibraryActivityUiImage(WDDXProcessor.convertToString(activityDetails,WDDXTAGS.LIBRARY_IMAGE)); - - if (keyExists(activityDetails, WDDXTAGS.GROUPING_SUPPORT_TYPE)) - activity.setGroupingSupportType(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.GROUPING_SUPPORT_TYPE)); - - if (keyExists(activityDetails, WDDXTAGS.STOP_AFTER_ACTIVITY)) - activity.setStopAfterActivity(WDDXProcessor.convertToBoolean(activityDetails,WDDXTAGS.STOP_AFTER_ACTIVITY)); + if (keyExists(activityDetails, WDDXTAGS.RUN_OFFLINE)) { + activity.setRunOffline(WDDXProcessor.convertToBoolean(activityDetails, WDDXTAGS.RUN_OFFLINE)); + } + if (keyExists(activityDetails, WDDXTAGS.ACTIVITY_CATEGORY_ID)) { + activity.setActivityCategoryID(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.ACTIVITY_CATEGORY_ID)); + } + if (keyExists(activityDetails, WDDXTAGS.LIBRARY_IMAGE)) { + activity.setLibraryActivityUiImage(WDDXProcessor.convertToString(activityDetails, WDDXTAGS.LIBRARY_IMAGE)); + } + if (keyExists(activityDetails, WDDXTAGS.GROUPING_SUPPORT_TYPE)) { + activity.setGroupingSupportType(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.GROUPING_SUPPORT_TYPE)); + } + + if (keyExists(activityDetails, WDDXTAGS.STOP_AFTER_ACTIVITY)) { + activity.setStopAfterActivity(WDDXProcessor.convertToBoolean(activityDetails, WDDXTAGS.STOP_AFTER_ACTIVITY)); + } + return activity; } private Integer getCoord(Hashtable details, String wddxtag) throws WDDXProcessorConversionException { Integer coord = null; - if ( keyExists(details, wddxtag) ) { + if (keyExists(details, wddxtag)) { coord = WDDXProcessor.convertToInteger(details, wddxtag); } - return coord == null || coord >= 0 ? coord : DEFAULT_COORD; + return coord == null || coord >= 0 ? coord : ObjectExtractor.DEFAULT_COORD; } - + private void clearGrouping(Activity activity) { activity.setGrouping(null); activity.setGroupingUIID(null); activity.setApplyGrouping(false); } - + private void setGrouping(Activity activity, Grouping grouping, Integer groupingUIID) { activity.setGrouping(grouping); activity.setGroupingUIID(groupingUIID); activity.setApplyGrouping(true); } - private void processActivityType(Activity activity, Hashtable activityDetails) - throws WDDXProcessorConversionException, ObjectExtractorException { - if(activity.isGroupingActivity()) - buildGroupingActivity((GroupingActivity)activity,activityDetails); - else if(activity.isToolActivity()) - buildToolActivity((ToolActivity)activity,activityDetails); - else if(activity.isGateActivity()) - buildGateActivity(activity,activityDetails); - else - buildComplexActivity((ComplexActivity)activity,activityDetails); + private void processActivityType(Activity activity, Hashtable activityDetails) throws WDDXProcessorConversionException, + ObjectExtractorException { + if (activity.isGroupingActivity()) { + buildGroupingActivity((GroupingActivity) activity, activityDetails); + } + else if (activity.isToolActivity()) { + buildToolActivity((ToolActivity) activity, activityDetails); + } + else if (activity.isGateActivity()) { + buildGateActivity(activity, activityDetails); + } + else { + buildComplexActivity((ComplexActivity) activity, activityDetails); + } } - private void buildComplexActivity(ComplexActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException, ObjectExtractorException{ + + private void buildComplexActivity(ComplexActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException, ObjectExtractorException { // clear all the children - will be built up again by parseActivitiesToMatchUpParentActivityByParentUIID // we don't use all-delete-orphan on the activities relationship so we can do this clear. activity.getActivities().clear(); - + activity.setDefaultActivity(null); Integer defaultActivityMapUIID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.DEFAULT_ACTIVITY_UIID); - if ( defaultActivityMapUIID != null ) { + if (defaultActivityMapUIID != null) { defaultActivityMap.put(defaultActivityMapUIID, activity); } - - if(activity instanceof OptionsActivity) - buildOptionsActivity((OptionsActivity)activity,activityDetails); - else if (activity instanceof ParallelActivity) - buildParallelActivity((ParallelActivity)activity,activityDetails); - else if ( activity instanceof BranchingActivity) - buildBranchingActivity((BranchingActivity)activity,activityDetails); - else - buildSequenceActivity((SequenceActivity)activity,activityDetails); + + if (activity instanceof OptionsActivity) { + buildOptionsActivity((OptionsActivity) activity, activityDetails); + } + else if (activity instanceof ParallelActivity) { + buildParallelActivity((ParallelActivity) activity, activityDetails); + } + else if (activity instanceof BranchingActivity) { + buildBranchingActivity((BranchingActivity) activity, activityDetails); + } + else { + buildSequenceActivity((SequenceActivity) activity, activityDetails); + } } - private void buildBranchingActivity(BranchingActivity branchingActivity,Hashtable activityDetails) - throws WDDXProcessorConversionException, ObjectExtractorException { - if ( branchingActivity.isChosenBranchingActivity() ) { + private void buildBranchingActivity(BranchingActivity branchingActivity, Hashtable activityDetails) + throws WDDXProcessorConversionException, ObjectExtractorException { + if (branchingActivity.isChosenBranchingActivity()) { branchingActivity.setSystemTool(getSystemTool(SystemTool.TEACHER_CHOSEN_BRANCHING)); - } else if ( branchingActivity.isGroupBranchingActivity() ) { + } + else if (branchingActivity.isGroupBranchingActivity()) { branchingActivity.setSystemTool(getSystemTool(SystemTool.GROUP_BASED_BRANCHING)); - } else if ( branchingActivity.isToolBranchingActivity() ) { + } + else if (branchingActivity.isToolBranchingActivity()) { branchingActivity.setSystemTool(getSystemTool(SystemTool.TOOL_BASED_BRANCHING)); } branchingActivity.setStartXcoord(getCoord(activityDetails, WDDXTAGS.START_XCOORD)); branchingActivity.setStartYcoord(getCoord(activityDetails, WDDXTAGS.START_YCOORD)); branchingActivity.setEndXcoord(getCoord(activityDetails, WDDXTAGS.END_XCOORD)); branchingActivity.setEndYcoord(getCoord(activityDetails, WDDXTAGS.END_YCOORD)); - } - - private void buildGroupingActivity(GroupingActivity groupingActivity,Hashtable activityDetails) - throws WDDXProcessorConversionException, ObjectExtractorException { + } + + private void buildGroupingActivity(GroupingActivity groupingActivity, Hashtable activityDetails) + throws WDDXProcessorConversionException, ObjectExtractorException { /** * read the createGroupingUUID, get the Grouping Object, and set CreateGrouping to that object */ - Integer createGroupingUIID = WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.CREATE_GROUPING_UIID); - Grouping grouping = groupings.get(createGroupingUIID); - if (grouping!=null) - { - groupingActivity.setCreateGrouping(grouping); - groupingActivity.setCreateGroupingUIID(createGroupingUIID); - } - + Integer createGroupingUIID = WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.CREATE_GROUPING_UIID); + Grouping grouping = groupings.get(createGroupingUIID); + if (grouping != null) { + groupingActivity.setCreateGrouping(grouping); + groupingActivity.setCreateGroupingUIID(createGroupingUIID); + } + SystemTool systemTool = getSystemTool(SystemTool.GROUPING); groupingActivity.setSystemTool(systemTool); - - /*Hashtable groupingDetails = (Hashtable) activityDetails.get(WDDXTAGS.GROUPING_DTO); + + /*Hashtable groupingDetails = (Hashtable) activityDetails.get(WDDXTAGS.GROUPING_DTO); if( groupingDetails != null ){ Grouping grouping = extractGroupingObject(groupingDetails); groupingActivity.setCreateGrouping(grouping); @@ -1059,75 +1148,96 @@ groupingActivity.setCreateGroupingUIID(null); } */ } - private void buildOptionsActivity(OptionsActivity optionsActivity,Hashtable activityDetails) throws WDDXProcessorConversionException{ - if (keyExists(activityDetails, WDDXTAGS.MAX_OPTIONS)) - optionsActivity.setMaxNumberOfOptions(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.MAX_OPTIONS)); - if (keyExists(activityDetails, WDDXTAGS.MIN_OPTIONS)) - optionsActivity.setMinNumberOfOptions(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.MIN_OPTIONS)); - if (keyExists(activityDetails, WDDXTAGS.OPTIONS_INSTRUCTIONS)) - optionsActivity.setOptionsInstructions(WDDXProcessor.convertToString(activityDetails,WDDXTAGS.OPTIONS_INSTRUCTIONS)); + + private void buildOptionsActivity(OptionsActivity optionsActivity, Hashtable activityDetails) + throws WDDXProcessorConversionException { + if (keyExists(activityDetails, WDDXTAGS.MAX_OPTIONS)) { + optionsActivity.setMaxNumberOfOptions(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.MAX_OPTIONS)); + } + if (keyExists(activityDetails, WDDXTAGS.MIN_OPTIONS)) { + optionsActivity.setMinNumberOfOptions(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.MIN_OPTIONS)); + } + if (keyExists(activityDetails, WDDXTAGS.OPTIONS_INSTRUCTIONS)) { + optionsActivity.setOptionsInstructions(WDDXProcessor.convertToString(activityDetails, WDDXTAGS.OPTIONS_INSTRUCTIONS)); + } } - private void buildParallelActivity(ParallelActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ + + private void buildParallelActivity(ParallelActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { } - private void buildSequenceActivity(SequenceActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ + + private void buildSequenceActivity(SequenceActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { activity.setSystemTool(getSystemTool(SystemTool.SEQUENCE)); } - - private void buildToolActivity(ToolActivity toolActivity,Hashtable activityDetails) throws WDDXProcessorConversionException{ - if ( log.isDebugEnabled() ) { - log.debug("In tool activity UUID"+activityDetails.get(WDDXTAGS.ACTIVITY_UIID) - +" tool content id=" +activityDetails.get(WDDXTAGS.TOOL_CONTENT_ID)); + + private void buildToolActivity(ToolActivity toolActivity, Hashtable activityDetails) throws WDDXProcessorConversionException { + if (log.isDebugEnabled()) { + log.debug("In tool activity UUID" + activityDetails.get(WDDXTAGS.ACTIVITY_UIID) + " tool content id=" + + activityDetails.get(WDDXTAGS.TOOL_CONTENT_ID)); } - - if (keyExists(activityDetails, WDDXTAGS.TOOL_CONTENT_ID)) - toolActivity.setToolContentId(WDDXProcessor.convertToLong(activityDetails,WDDXTAGS.TOOL_CONTENT_ID)); - - if (keyExists(activityDetails, WDDXTAGS.TOOL_ID)) - { - Tool tool =toolDAO.getToolByID(WDDXProcessor.convertToLong(activityDetails,WDDXTAGS.TOOL_ID)); - toolActivity.setTool(tool); + + if (keyExists(activityDetails, WDDXTAGS.TOOL_CONTENT_ID)) { + toolActivity.setToolContentId(WDDXProcessor.convertToLong(activityDetails, WDDXTAGS.TOOL_CONTENT_ID)); } + + if (keyExists(activityDetails, WDDXTAGS.TOOL_ID)) { + Tool tool = toolDAO.getToolByID(WDDXProcessor.convertToLong(activityDetails, WDDXTAGS.TOOL_ID)); + toolActivity.setTool(tool); + } } - private void buildGateActivity(Object activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ - if(activity instanceof SynchGateActivity) - buildSynchGateActivity((SynchGateActivity)activity,activityDetails); - else if (activity instanceof PermissionGateActivity) - buildPermissionGateActivity((PermissionGateActivity)activity,activityDetails); - else if (activity instanceof SystemGateActivity) - buildSystemGateActivity((SystemGateActivity)activity,activityDetails); - else - buildScheduleGateActivity((ScheduleGateActivity)activity,activityDetails); - GateActivity gateActivity = (GateActivity)activity ; - gateActivity.setGateActivityLevelId(WDDXProcessor.convertToInteger(activityDetails,WDDXTAGS.GATE_ACTIVITY_LEVEL_ID)); - gateActivity.setGateOpen(WDDXProcessor.convertToBoolean(activityDetails,WDDXTAGS.GATE_OPEN)); - + + private void buildGateActivity(Object activity, Hashtable activityDetails) throws WDDXProcessorConversionException { + if (activity instanceof SynchGateActivity) { + buildSynchGateActivity((SynchGateActivity) activity, activityDetails); + } + else if (activity instanceof PermissionGateActivity) { + buildPermissionGateActivity((PermissionGateActivity) activity, activityDetails); + } + else if (activity instanceof SystemGateActivity) { + buildSystemGateActivity((SystemGateActivity) activity, activityDetails); + } + else { + buildScheduleGateActivity((ScheduleGateActivity) activity, activityDetails); + } + GateActivity gateActivity = (GateActivity) activity; + gateActivity.setGateActivityLevelId(WDDXProcessor.convertToInteger(activityDetails, WDDXTAGS.GATE_ACTIVITY_LEVEL_ID)); + gateActivity.setGateOpen(WDDXProcessor.convertToBoolean(activityDetails, WDDXTAGS.GATE_OPEN)); + } - private void buildSynchGateActivity(SynchGateActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ + + private void buildSynchGateActivity(SynchGateActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { activity.setSystemTool(getSystemTool(SystemTool.SYNC_GATE)); } - private void buildPermissionGateActivity(PermissionGateActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ + + private void buildPermissionGateActivity(PermissionGateActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { activity.setSystemTool(getSystemTool(SystemTool.PERMISSION_GATE)); } - private void buildSystemGateActivity(SystemGateActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ + + private void buildSystemGateActivity(SystemGateActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { activity.setSystemTool(getSystemTool(SystemTool.SYSTEM_GATE)); } - private void buildScheduleGateActivity(ScheduleGateActivity activity,Hashtable activityDetails) throws WDDXProcessorConversionException{ - //activity.setGateStartDateTime(WDDXProcessor.convertToDate(activityDetails,WDDXTAGS.GATE_START_DATE)); + + private void buildScheduleGateActivity(ScheduleGateActivity activity, Hashtable activityDetails) + throws WDDXProcessorConversionException { + //activity.setGateStartDateTime(WDDXProcessor.convertToDate(activityDetails,WDDXTAGS.GATE_START_DATE)); //activity.setGateEndDateTime(WDDXProcessor.convertToDate(activityDetails,WDDXTAGS.GATE_END_DATE)); - activity.setGateStartTimeOffset(WDDXProcessor.convertToLong(activityDetails,WDDXTAGS.GATE_START_OFFSET)); - activity.setGateEndTimeOffset(WDDXProcessor.convertToLong(activityDetails,WDDXTAGS.GATE_END_OFFSET)); + activity.setGateStartTimeOffset(WDDXProcessor.convertToLong(activityDetails, WDDXTAGS.GATE_START_OFFSET)); + activity.setGateEndTimeOffset(WDDXProcessor.convertToLong(activityDetails, WDDXTAGS.GATE_END_OFFSET)); SystemTool systemTool = getSystemTool(SystemTool.SCHEDULE_GATE); activity.setSystemTool(systemTool); } - - private void createLessonClass(LessonClass lessonClass, Hashtable groupingDetails) throws WDDXProcessorConversionException{ - if (keyExists(groupingDetails, WDDXTAGS.STAFF_GROUP_ID)) - { - Group group = groupDAO.getGroupById(WDDXProcessor.convertToLong(groupingDetails,WDDXTAGS.STAFF_GROUP_ID)); - if(group!=null) + private void createLessonClass(LessonClass lessonClass, Hashtable groupingDetails) throws WDDXProcessorConversionException { + if (keyExists(groupingDetails, WDDXTAGS.STAFF_GROUP_ID)) { + Group group = groupDAO.getGroupById(WDDXProcessor.convertToLong(groupingDetails, WDDXTAGS.STAFF_GROUP_ID)); + if (group != null) { lessonClass.setStaffGroup(group); - } + } + } } /** Create the transition from a WDDX based hashtable. It is easier to go @@ -1143,67 +1253,72 @@ * @param transitionDetails * @throws WDDXProcessorConversionException */ - private Transition extractTransitionObject(Hashtable transitionDetails) throws WDDXProcessorConversionException{ - - Integer transitionUUID = WDDXProcessor.convertToInteger(transitionDetails,WDDXTAGS.TRANSITION_UIID); - if ( transitionUUID == null ) { - throw new WDDXProcessorConversionException("Transition is missing its UUID "+transitionDetails); - } - - Integer toUIID=WDDXProcessor.convertToInteger(transitionDetails,WDDXTAGS.TO_ACTIVITY_UIID); - if ( toUIID == null ) { - throw new WDDXProcessorConversionException("Transition is missing its toUUID "+transitionDetails); - } + private Transition extractTransitionObject(Hashtable transitionDetails) throws WDDXProcessorConversionException { - Integer fromUIID=WDDXProcessor.convertToInteger(transitionDetails,WDDXTAGS.FROM_ACTIVITY_UIID); - if(fromUIID == null){ - throw new WDDXProcessorConversionException("Transition is missing its fromUUID "+transitionDetails); - } + Integer transitionUUID = WDDXProcessor.convertToInteger(transitionDetails, WDDXTAGS.TRANSITION_UIID); + if (transitionUUID == null) { + throw new WDDXProcessorConversionException("Transition is missing its UUID " + transitionDetails); + } - Transition transition = null; - Transition existingTransition = findTransition(transitionUUID, toUIID, fromUIID); - - if (existingTransition == null) { - transition = new Transition(); - } else { - transition = existingTransition; - } + Integer toUIID = WDDXProcessor.convertToInteger(transitionDetails, WDDXTAGS.TO_ACTIVITY_UIID); + if (toUIID == null) { + throw new WDDXProcessorConversionException("Transition is missing its toUUID " + transitionDetails); + } - transition.setTransitionUIID(transitionUUID); - + Integer fromUIID = WDDXProcessor.convertToInteger(transitionDetails, WDDXTAGS.FROM_ACTIVITY_UIID); + if (fromUIID == null) { + throw new WDDXProcessorConversionException("Transition is missing its fromUUID " + transitionDetails); + } + + Transition transition = null; + Transition existingTransition = findTransition(transitionUUID, toUIID, fromUIID); + + if (existingTransition == null) { + transition = new Transition(); + } + else { + transition = existingTransition; + } + + transition.setTransitionUIID(transitionUUID); + Activity toActivity = newActivityMap.get(toUIID); - if ( toActivity != null ) { + if (toActivity != null) { transition.setToActivity(toActivity); transition.setToUIID(toUIID); //update the transitionTo property for the activity toActivity.setTransitionTo(transition); - } else { + } + else { transition.setToActivity(null); transition.setToUIID(null); } - + Activity fromActivity = newActivityMap.get(fromUIID); - if ( fromActivity != null ) { + if (fromActivity != null) { transition.setFromActivity(fromActivity); transition.setFromUIID(fromUIID); //update the transitionFrom property for the activity fromActivity.setTransitionFrom(transition); - } else { + } + else { transition.setFromActivity(null); transition.setFromUIID(null); } - - transition.setDescription(WDDXProcessor.convertToString(transitionDetails,WDDXTAGS.DESCRIPTION)); - transition.setTitle(WDDXProcessor.convertToString(transitionDetails,WDDXTAGS.TITLE)); - // Set creation date based on the server timezone, not the client. - if ( transition.getCreateDateTime() == null ) + transition.setDescription(WDDXProcessor.convertToString(transitionDetails, WDDXTAGS.DESCRIPTION)); + transition.setTitle(WDDXProcessor.convertToString(transitionDetails, WDDXTAGS.TITLE)); + + // Set creation date based on the server timezone, not the client. + if (transition.getCreateDateTime() == null) { transition.setCreateDateTime(modificationDate); + } - if ( transition.getToActivity() != null && transition.getFromActivity() != null ) { - transition.setLearningDesign(learningDesign); - return transition; - } else { + if (transition.getToActivity() != null && transition.getFromActivity() != null) { + transition.setLearningDesign(learningDesign); + return transition; + } + else { // One of the to/from is missing, can't store this transition. Make sure we clean up the related activities cleanupTransition(transition); transition.setLearningDesign(null); @@ -1216,10 +1331,10 @@ * but not a too activity. These cases should be picked up by Flash, but just in case. */ private void cleanupTransition(Transition transition) { - if(transition.getFromActivity().getTransitionFrom().equals(transition)){ + if (transition.getFromActivity().getTransitionFrom().equals(transition)) { transition.getFromActivity().setTransitionFrom(null); } - if(transition.getToActivity().getTransitionTo().equals(transition)){ + if (transition.getToActivity().getTransitionTo().equals(transition)) { transition.getToActivity().setTransitionTo(null); } } @@ -1233,44 +1348,46 @@ * will trigger a duplicate key exception. So we need to reuse any that have the same to/from. */ private Transition findTransition(Integer transitionUUID, Integer toUIID, Integer fromUIID) { - Transition existingTransition = null; + Transition existingTransition = null; Set transitions = learningDesign.getTransitions(); Iterator iter = transitions.iterator(); - while (existingTransition==null && iter.hasNext()) { + while (existingTransition == null && iter.hasNext()) { Transition element = (Transition) iter.next(); - if ( transitionUUID != null && transitionUUID.equals(element.getTransitionUIID()) ) { + if (transitionUUID != null && transitionUUID.equals(element.getTransitionUIID())) { existingTransition = element; - } else if ( ( toUIID != null && toUIID.equals(element.getToUIID())) && - (fromUIID != null && fromUIID.equals(element.getFromUIID())) ) { + } + else if (toUIID != null && toUIID.equals(element.getToUIID()) && fromUIID != null + && fromUIID.equals(element.getFromUIID())) { existingTransition = element; } } return existingTransition; - } - + } + /** * Checks whether the hashtable contains the key specified by key * If the key exists, returns true, otherwise return false. * @param table The hashtable to check * @param key The key to find * @return */ - private boolean keyExists(Hashtable table, String key) - { - if (table.containsKey(key)) - return true; - else - return false; + private boolean keyExists(Hashtable table, String key) { + if (table.containsKey(key)) { + return true; + } + else { + return false; + } } public void setMode(Integer mode) { this.mode = mode; } - + public Integer getMode() { return mode; } - + /** * Parses the mappings used for branching. They map groups to the sequence activities * that form a branch within a branching activity. @@ -1283,131 +1400,142 @@ * @param branchMappingsList * @throws WDDXProcessorConversionException */ - - private void parseBranchMappings(List branchMappingsList) - throws WDDXProcessorConversionException - { - if (branchMappingsList != null) - { - Iterator iterator = branchMappingsList.iterator(); - while(iterator.hasNext()) - { - extractBranchActivityEntry((Hashtable)iterator.next()); - } - } - - // now go through and delete any old branch mappings that are no longer used. - // need to remove them from their collections to make sure it isn't accidently re-added. - Iterator iter = oldbranchActivityEntryList.iterator(); - while (iter.hasNext()) { + + private void parseBranchMappings(List branchMappingsList) throws WDDXProcessorConversionException { + if (branchMappingsList != null) { + Iterator iterator = branchMappingsList.iterator(); + while (iterator.hasNext()) { + extractBranchActivityEntry((Hashtable) iterator.next()); + } + } + + // now go through and delete any old branch mappings that are no longer used. + // need to remove them from their collections to make sure it isn't accidently re-added. + Iterator iter = oldbranchActivityEntryList.iterator(); + while (iter.hasNext()) { BranchActivityEntry oldEntry = (BranchActivityEntry) iter.next(); SequenceActivity sequenceActivity = oldEntry.getBranchSequenceActivity(); - if ( sequenceActivity != null ) { + if (sequenceActivity != null) { sequenceActivity.getBranchEntries().remove(oldEntry); } Group group = oldEntry.getGroup(); - if (group != null ) { + if (group != null) { group.getBranchActivities().remove(oldEntry); } activityDAO.delete(oldEntry); } } - + @SuppressWarnings("unchecked") /** Get the BranchActivityEntry details. This may be either for group based branching, or it may be for tool output based branching */ private BranchActivityEntry extractBranchActivityEntry(Hashtable details) throws WDDXProcessorConversionException { - Long entryId = WDDXProcessor.convertToLong(details, WDDXTAGS.BRANCH_ACTIVITY_ENTRY_ID); - Integer entryUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.BRANCH_ACTIVITY_ENTRY_UIID); - if ( entryUIID == null ) { - throw new WDDXProcessorConversionException("Group based branch mapping entry is missing its UUID. Entry "+details); - } + Long entryId = WDDXProcessor.convertToLong(details, WDDXTAGS.BRANCH_ACTIVITY_ENTRY_ID); + Integer entryUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.BRANCH_ACTIVITY_ENTRY_UIID); + if (entryUIID == null) { + throw new WDDXProcessorConversionException("Group based branch mapping entry is missing its UUID. Entry " + details); + } - Integer sequenceActivityUIID=WDDXProcessor.convertToInteger(details,WDDXTAGS.BRANCH_SEQUENCE_ACTIVITY_UIID); - Integer branchingActivityUIID=WDDXProcessor.convertToInteger(details,WDDXTAGS.BRANCH_ACTIVITY_UIID); - - SequenceActivity sequenceActivity = null; - Activity activity = newActivityMap.get(sequenceActivityUIID); - if ( activity == null ) { - throw new WDDXProcessorConversionException("Sequence Activity listed in the branch mapping list is missing. Mapping entry UUID "+entryUIID+" sequenceActivityUIID "+sequenceActivityUIID); - } else if ( ! activity.isSequenceActivity() ) { - throw new WDDXProcessorConversionException("Activity listed in the branch mapping list is not a sequence activity. Mapping entry UUID "+entryUIID+" sequenceActivityUIID "+sequenceActivityUIID); - } else { - sequenceActivity = (SequenceActivity) activity; - } - - Activity branchingActivity = newActivityMap.get(branchingActivityUIID); - if ( branchingActivity == null ) { - throw new WDDXProcessorConversionException("Branching Activity listed in the branch mapping list is missing. Mapping entry UUID "+entryUIID+" branchingActivityUIID "+branchingActivityUIID); - } - if ( ! branchingActivity.isBranchingActivity() ) { - throw new WDDXProcessorConversionException("Activity listed in the branch mapping list is not a branching activity. Mapping entry UUID "+entryUIID+" branchingActivityUIID "+branchingActivityUIID); - } + Integer sequenceActivityUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.BRANCH_SEQUENCE_ACTIVITY_UIID); + Integer branchingActivityUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.BRANCH_ACTIVITY_UIID); + SequenceActivity sequenceActivity = null; + Activity activity = newActivityMap.get(sequenceActivityUIID); + if (activity == null) { + throw new WDDXProcessorConversionException( + "Sequence Activity listed in the branch mapping list is missing. Mapping entry UUID " + entryUIID + + " sequenceActivityUIID " + sequenceActivityUIID); + } + else if (!activity.isSequenceActivity()) { + throw new WDDXProcessorConversionException( + "Activity listed in the branch mapping list is not a sequence activity. Mapping entry UUID " + entryUIID + + " sequenceActivityUIID " + sequenceActivityUIID); + } + else { + sequenceActivity = (SequenceActivity) activity; + } + Activity branchingActivity = newActivityMap.get(branchingActivityUIID); + if (branchingActivity == null) { + throw new WDDXProcessorConversionException( + "Branching Activity listed in the branch mapping list is missing. Mapping entry UUID " + entryUIID + + " branchingActivityUIID " + branchingActivityUIID); + } + if (!branchingActivity.isBranchingActivity()) { + throw new WDDXProcessorConversionException( + "Activity listed in the branch mapping list is not a branching activity. Mapping entry UUID " + entryUIID + + " branchingActivityUIID " + branchingActivityUIID); + } + // If the mapping was created at runtime, there will be an ID but no IU ID field. // If it was created in authoring, will have a UI ID and may or may not have an ID. // So try to match up on UI ID first, failing that match on ID. Then the worst case, which is the mapping // is created at runtime but then modified in authoring (and has has a new UI ID added) is handled. - BranchActivityEntry uiid_match = null; + BranchActivityEntry uiid_match = null; BranchActivityEntry id_match = null; - if ( sequenceActivity.getBranchEntries() != null ) { - Iterator iter = sequenceActivity.getBranchEntries().iterator(); + if (sequenceActivity.getBranchEntries() != null) { + Iterator iter = sequenceActivity.getBranchEntries().iterator(); while (uiid_match == null && iter.hasNext()) { BranchActivityEntry possibleEntry = (BranchActivityEntry) iter.next(); - if ( entryUIID.equals(possibleEntry.getEntryUIID()) ) { + if (entryUIID.equals(possibleEntry.getEntryUIID())) { uiid_match = possibleEntry; } - if ( entryId != null && entryId.equals(possibleEntry.getEntryId()) ) { + if (entryId != null && entryId.equals(possibleEntry.getEntryId())) { id_match = possibleEntry; } } } - BranchActivityEntry entry = uiid_match != null ? uiid_match : id_match; + BranchActivityEntry entry = uiid_match != null ? uiid_match : id_match; - // Does it exist already? If it does, remove it from the "old" set (which is used for doing deletions later). - oldbranchActivityEntryList.remove(entry); - - BranchCondition condition = extractCondition((Hashtable)details.get(WDDXTAGS.BRANCH_CONDITION), entry); + // Does it exist already? If it does, remove it from the "old" set (which is used for doing deletions later). + oldbranchActivityEntryList.remove(entry); - Integer groupUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.GROUP_UIID); - Group group = null; - if ( groupUIID != null ) { - group = groups.get(groupUIID); - if ( group == null ) { - throw new WDDXProcessorConversionException("Group listed in the branch mapping list is missing. Mapping entry UUID "+entryUIID+" groupUIID "+groupUIID); - } - } - - if ( condition == null && group == null ) { - throw new WDDXProcessorConversionException("Branch mapping has neither a group or a condition. Not a valid mapping. "+details); - } + BranchCondition condition = extractCondition((Hashtable) details.get(WDDXTAGS.BRANCH_CONDITION), entry); - if ( entry == null ) { - if ( condition != null ) { - entry = condition.allocateBranchToCondition(entryUIID, sequenceActivity, (BranchingActivity)branchingActivity); - } else { - entry = group.allocateBranchToGroup(entryUIID, sequenceActivity, (BranchingActivity)branchingActivity); - } - } else { - entry.setEntryUIID(entryUIID); - entry.setBranchSequenceActivity(sequenceActivity); - entry.setBranchingActivity((BranchingActivity)branchingActivity); - } - - entry.setGroup(group); - entry.setCondition(condition); + Integer groupUIID = WDDXProcessor.convertToInteger(details, WDDXTAGS.GROUP_UIID); + Group group = null; + if (groupUIID != null) { + group = groups.get(groupUIID); + if (group == null) { + throw new WDDXProcessorConversionException( + "Group listed in the branch mapping list is missing. Mapping entry UUID " + entryUIID + " groupUIID " + + groupUIID); + } + } - if ( sequenceActivity.getBranchEntries() == null ) { - sequenceActivity.setBranchEntries(new HashSet()); - } - sequenceActivity.getBranchEntries().add(entry); - activityDAO.update(sequenceActivity); + if (condition == null && group == null) { + throw new WDDXProcessorConversionException("Branch mapping has neither a group or a condition. Not a valid mapping. " + + details); + } - if ( group != null ) - groupingDAO.update(group); - + if (entry == null) { + if (condition != null) { + entry = condition.allocateBranchToCondition(entryUIID, sequenceActivity, (BranchingActivity) branchingActivity); + } + else { + entry = group.allocateBranchToGroup(entryUIID, sequenceActivity, (BranchingActivity) branchingActivity); + } + } + else { + entry.setEntryUIID(entryUIID); + entry.setBranchSequenceActivity(sequenceActivity); + entry.setBranchingActivity((BranchingActivity) branchingActivity); + } + + entry.setGroup(group); + entry.setCondition(condition); + + if (sequenceActivity.getBranchEntries() == null) { + sequenceActivity.setBranchEntries(new HashSet()); + } + sequenceActivity.getBranchEntries().add(entry); + activityDAO.update(sequenceActivity); + + if (group != null) { + groupingDAO.update(group); + } + return entry; } @@ -1417,65 +1545,65 @@ * @return * @throws WDDXProcessorConversionException */ - private BranchCondition extractCondition(Hashtable conditionTable, - BranchActivityEntry entry) throws WDDXProcessorConversionException { - - BranchCondition condition = null; + private BranchCondition extractCondition(Hashtable conditionTable, BranchActivityEntry entry) + throws WDDXProcessorConversionException { - if ( conditionTable != null && conditionTable.size() > 0 ) { + BranchCondition condition = null; - Long conditionID=WDDXProcessor.convertToLong(conditionTable,WDDXTAGS.CONDITION_ID); - if ( entry != null ) { - condition = entry.getCondition(); - } - if ( condition != null && conditionID != null && ! condition.getConditionId().equals(conditionID)) { - log.warn("Unexpected behaviour: condition supplied in WDDX packet has a different ID to matching branch activity entry in the database. Dropping old database condition." - +" Old db condition "+condition+" new entry in WDDX "+conditionTable); - condition = null; // Hibernate should dispose of it automatically via the cascade - } - - Integer conditionUIID=WDDXProcessor.convertToInteger(conditionTable,WDDXTAGS.CONDITION_UIID); - if ( conditionUIID == null ) { - throw new WDDXProcessorConversionException("Condition is missing its UUID: "+conditionTable); - } + if (conditionTable != null && conditionTable.size() > 0) { - String endValue = WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_END_VALUE); - - if ( condition == null ) { - condition = new BranchCondition(null, conditionUIID, - WDDXProcessor.convertToInteger(conditionTable,WDDXTAGS.ORDER_ID), - WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_NAME), - WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_DISPLAY_NAME), - WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_TYPE), - WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_START_VALUE), - endValue, - WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_EXACT_MATCH_VALUE) ); - } else { - condition.setConditionUIID(conditionUIID); - condition.setDisplayName(WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_DISPLAY_NAME)); - condition.setEndValue(endValue); - condition.setExactMatchValue(WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_EXACT_MATCH_VALUE) ); - condition.setName(WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_NAME)); - condition.setOrderId(WDDXProcessor.convertToInteger(conditionTable,WDDXTAGS.ORDER_ID)); - condition.setStartValue(WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_START_VALUE)); - condition.setType(WDDXProcessor.convertToString(conditionTable,WDDXTAGS.CONDITION_TYPE)); - } - } + Long conditionID = WDDXProcessor.convertToLong(conditionTable, WDDXTAGS.CONDITION_ID); + if (entry != null) { + condition = entry.getCondition(); + } + if (condition != null && conditionID != null && !condition.getConditionId().equals(conditionID)) { + log + .warn("Unexpected behaviour: condition supplied in WDDX packet has a different ID to matching branch activity entry in the database. Dropping old database condition." + + " Old db condition " + condition + " new entry in WDDX " + conditionTable); + condition = null; // Hibernate should dispose of it automatically via the cascade + } + + Integer conditionUIID = WDDXProcessor.convertToInteger(conditionTable, WDDXTAGS.CONDITION_UIID); + if (conditionUIID == null) { + throw new WDDXProcessorConversionException("Condition is missing its UUID: " + conditionTable); + } + + String endValue = WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_END_VALUE); + + if (condition == null) { + condition = new BranchCondition(null, conditionUIID, WDDXProcessor.convertToInteger(conditionTable, + WDDXTAGS.ORDER_ID), WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_NAME), WDDXProcessor + .convertToString(conditionTable, WDDXTAGS.CONDITION_DISPLAY_NAME), WDDXProcessor.convertToString( + conditionTable, WDDXTAGS.CONDITION_TYPE), WDDXProcessor.convertToString(conditionTable, + WDDXTAGS.CONDITION_START_VALUE), endValue, WDDXProcessor.convertToString(conditionTable, + WDDXTAGS.CONDITION_EXACT_MATCH_VALUE)); + } + else { + condition.setConditionUIID(conditionUIID); + condition.setDisplayName(WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_DISPLAY_NAME)); + condition.setEndValue(endValue); + condition.setExactMatchValue(WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_EXACT_MATCH_VALUE)); + condition.setName(WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_NAME)); + condition.setOrderId(WDDXProcessor.convertToInteger(conditionTable, WDDXTAGS.ORDER_ID)); + condition.setStartValue(WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_START_VALUE)); + condition.setType(WDDXProcessor.convertToString(conditionTable, WDDXTAGS.CONDITION_TYPE)); + } + } return condition; } private SystemTool getSystemTool(Long systemToolId) { SystemTool tool = systemTools.get(systemToolId); - if ( tool == null ) { + if (tool == null) { tool = systemToolDAO.getSystemToolByID(systemToolId); - if ( tool != null ) { + if (tool != null) { systemTools.put(systemToolId, tool); - } else { - log.error("ObjectExtractor: Unable to find matching system tool for id "+systemToolId); } + else { + log.error("ObjectExtractor: Unable to find matching system tool for id " + systemToolId); + } } return tool; } } - Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/ar_JO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/bg_BG_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/cy_GB_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/da_DK_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/de_DE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/el_GR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/en_AU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/en_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/es_ES_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/fr_FR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/authoring/hu_HU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/authoring/hu_HU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/authoring/hu_HU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3cv_activity_helpURL_undefinedNem található súgó ehhez: {0}.Alert message when a tool activity has no help url defined.pi_group_naming_btn_lblCsoportnevekLabel for button that opens Group Naming dialog.to_condition_invalid_value_rangeA {0} kívül esik egy már létező feltétel tartományán.Alert message when a submitted condition interferes with another previously submitted condition.cv_activityProtected_activity_link_msgEz: {0} kapcsolódik ehhez: {1}.Alert message when removing a Tool or Grouping Activity that is linked to a Branching Activity on the canvas.close_mc_tooltipKis méretTooltip message for close button on Branching canvas.branch_mapping_dlg_condition_linked_allMég vannak feltételekPhrase used at start of linked conditions alert message when clearing all.pi_define_monitor_cb_lblFigyelő meghatározásaCheckbox label for option to define group to branch mappings in Monitor.mnu_file_newÚjMenu bar Newtrans_dlg_nogateMégseDrop down default for gate typeccm_open_activitycontentTevékenység Megnyitása/SzerkesztéseLabel for Custom Context Menuws_entre_file_nameKérem, írja be a terv nevét, és katintson a Mentés gombra!Error message when user try to save a design with no file namews_dlg_descriptionLeírásLabel for description in Workspace dialog - Properties tabcv_readonly_lblCsak olvashatóLabel for top left of canvas shown when a read-only design is open.cv_untitled_lblNévtelen - 1Label for Design Title bar on canvasal_empty_designSajnálom, üres tervet nem lehet menteni.alert message when user want to save an empty designcv_autosave_rec_titleFigyelmeztetésAlert title for auto save recovery message.mnu_file_recoverHelyreállításMenu bar Recovermnu_file_apply_changesAlkalmazApply Changesapply_changes_btnAlkalmazApply Changescancel_btnMégseToolbar - Cancel Buttoncv_element_readOnly_action_deltörölveAction label for read only alert message for a Canvas Transition.cv_element_readOnly_action_modmódosítvaAction label for read only alert message for a Canvas Transition.mnu_file_finishBefejezésMenu bar File - Finish (Edit Mode)about_popup_version_lblVerzióLabel displaying the version no on the About dialog.about_popup_trademark_lblA {0} a {0} Foundation védjegye( {1} ).Label displaying the trademark statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txt URL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.act_tool_titleTevékenységekTitle for Activity Toolkit Panelal_alertÉrtesítésGeneric title for Alert windowal_cancelMégseTo Confirm title for LFErroral_confirmMegerősítésTo Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langloadA nyelvi adatok nem töltődtek be.message for unsuccessful language loadingchosen_grp_lblKiválasztottLabel for the grouping drop down in the PropertyInspectorcopy_btnMásolásToolbar > Copy Buttoncv_invalid_trans_targetNem hozhat létre átmenetet ehhez az objektumhoz.Error message for when transition tool is dropped outside of valid target activitycv_valid_design_savedGratulálok! Az ön terve érvényes és mentésre került.Message when a valid design has been saveddelete_btnTörlésLabel for Delete buttongroup_btnCsoportToolbar > Group Buttongrouping_act_titleCsoportosításDefault title for the grouping activityld_val_activity_columnTevékenységThe heading on the activity in the ValidationIssuesDialogld_val_doneRendbenThe button label for the dialogmnu_editSzerkesztésMenu bar Editmnu_edit_copyMásolásMenu bar Edit > Copymnu_edit_cutKivágásMenu bar Edit > Cutmnu_edit_pasteBeillesztésMenu bar Edit > Pastemnu_edit_redoMégisMenu bar Edit > Redomnu_edit_undoVisszavonásMenu bar Edit > Undomnu_fileFájlMenu bar Filemnu_file_closeBezárásMenu bar Closemnu_file_openMegnyitásMenu bar Openmnu_file_saveMentésMenu bar savemnu_file_saveasMentés máskéntMenu bar Save asmnu_helpSúgóMenu bar Helpmnu_help_abtNévjegyMenu bar Aboutmnu_toolsEszközökMenu bar Toolsmnu_tools_prefsBeállításokMenu bar preferencesmnu_tools_transÁtmenetMenu bar draw transitionnew_btnÚjToolbar > New Buttonnone_act_lblMégseNo gate activity selectedopen_btnMegnyitásToolbar > Open Buttonoptional_btnOpcionálisToolbar > Optional Buttonpaste_btnBeillesztésToolbar > Paste Buttonperm_act_lblEngedélyLabel for permission gate activitypi_activity_type_groupingTevékenység csoportosításaActivity type for grouping in Property Inspectorpi_definelaterKésőbb definiálniLabel for Define later for PIpi_group_typeCsoportosítás típusaProperty Inspector Grouping type drop downpi_hoursÓraHours label in Property Inspectorpi_lbl_currentgroupAktuális csoportosításCurrent grouping label for PIpi_lbl_descLeírásDescription Label for PIpi_lbl_groupCsoportosításGrouping label for PIpi_lbl_titleCímTitle label for PIpi_minsPercMins label in teh property inspectorpi_no_groupingNincsCombo title for no groupingpi_num_learnersTanulók számaPI Num learners labelpi_optional_titleOpcionális tevékenységTitle for oprional activity property inspectorpi_runofflineOffline futtatásLabel for Run Oflinepi_titleTulajdonságokOn the title bar of the PIprefs_dlg_cancelMégse6prefs_dlg_lng_lblNyelv7prefs_dlg_okOK5prefs_dlg_titleBeállítások4preview_btnElőnézetToolbar > Preview Buttonproperty_inspector_titleTulajdonságokOn the title bar of the PIrandom_grp_lblVéletlenszerűLabel for the grouping drop down in the PropertyInspectorrename_btnÁtnevezésLabel for Rename Buttonsave_btnMentésToolbar > Save buttonsched_act_lblÜtemezésLabel for schedule gate activitysynch_act_lblEgyeztetésUsed as a label for the Synch Gate Activity Typetk_titleTevékenységekLabel for Activities Toolkit Paneltrans_btnÁtmenetToolbar > Transition Buttontrans_dlg_cancelMégseCancel button on transition dialogtrans_dlg_gateSzinkronizálásHeader for the transition props dialogtrans_dlg_gatetypecmbTípusGate type combo labeltrans_dlg_okOKOK Button on transition dialogtrans_dlg_titleÁtmenetTitle for the transition properties dialogws_RootRootRoot folder title for workspacews_copy_same_folderA forrás- és a célkönyvtár azonosThe user has tried to drag and drop to the same placews_dlg_cancel_buttonMégse2ws_dlg_filenameFájlnévLabel for File name in workspace windowws_dlg_location_buttonHelyWorkspace dialogue Location btn labelws_dlg_ok_buttonOKWsp Dia OK Button labelws_dlg_open_btnMegnyitásWsp Dia Open Button labelws_dlg_properties_buttonTulajdonságokWorkspace dialogue Properties btn labelws_dlg_save_btnMentésWsp Dia Save Button labelws_dlg_titleMunkaterület0ws_newfolder_cancelMégseCancel on the new folder name diaws_newfolder_insKérem adja meg az új mappa nevétInstructions on the new name pop upws_newfolder_okOKOK on the new folder name diaws_no_permissionSajnálom, ezt a forrást nem oszthatja meg írásraMessage when user does not have write permission to complete actionws_rename_insKérem, adja meg az új nevetMessage of the new name for the userws_tree_mywspMunkaterületemThe root level of the treews_tree_orgsCsoportjaimShown in the top level of the tree in the workspacews_view_license_buttonNézetTo show the license to the usersys_error_msg_startA következő rendszerhiba történt: Common System error message starting linesys_errorRendszerhibaSystem Error elert window titleal_sendKüldésSend button label on the system error dialoglbl_num_activitiesTevékenységekreplacement for word activitiesopt_activity_titleOpcionális tevékenységTitle for Optional Activity Containerws_license_lblLicencLabel for Licence drop down on workspace properties tab viewal_cannot_move_activitySajnálom, ezt a tevékenységet nem lehet áthelyezni.Alert message when user tries to move child activity of any parallel activitymnu_help_helpSzerzői súgólabel for menu bar Help - Authoring Help optionws_del_confirm_msgBiztosan törölni kívánja ezt az állományt / könyvtárat?Confirmation message when user tries to delete a file or folder in workspace dialog boxpi_num_groupsCsoportok számaNumber of groups in Property inspectorcv_activity_copy_invalidSajnálom, nem megengedett az altevékenység másolása.Error message when user try to copy child activity from either optional or parallel activity containercv_activity_cut_invalidSajnálom, nem megengedett az altevékenység kivágása.Error message when user try to cut child activity from either optional or parallel activity containercv_invalid_trans_target_to_activityEgy átmenet a(z) {0} felé már létezikError message when a transition to the activity already existcopy_btn_tooltipA kiválasztott tevékenység másolásatool tip message for copy button in toolbarpaste_btn_tooltipA kiválasztott tevékenység beillesztésetool tip message for paste button in toolbargate_btn_tooltipMegállási pont létrehozásatool tip message for gate button in toolbargroup_btn_tooltipTevékenységcsoport kialakításatool tip message for group button in toolbarpreview_btn_tooltipTanulói nézetTool tip message for preview button in toolbarccm_copy_activityTevékenység másolásaLabel for Custom Context Menuccm_paste_activityTevékenység beillesztéseLabel for Custom Context Menumnu_file_exitKilépésFile Menu Exitcv_design_export_unsavedA tervet nem lehet expottálni. Kérem, előbb mentse!Alert message when trying to export can unsaved design.mnu_file_exportExportálásMenu bar Exportws_no_file_openAz állományt nem találhatóAlert message if no matching file is found to open in selected folder of Workspace.branch_btnElágazásLabel for disabled Branch button shown as submenu for flow button in Toolbarflow_btnFolyamatLabel for Flow button in Toolbarmnu_file_importImportálásMenu bar Importws_click_virtual_folderNem használhatja ezt a mappát.Alert message for trying to use a virtual folder to save/open a file.pi_parallel_titlePárhuzamos tevékenységTitle for parallel activity property inspectorcv_invalid_trans_target_from_activityEgy átmenet a(z) {0} felől már létezikError message when a transition from the activity already existredundant_branch_mappings_msgA terv használaton kívüli elágazás-leképezéseket tartalmaz, melyek szintén törlődnek. Folytatja?Alert confirmation message displayed when the user is saving the design and redundant or unused branch mappings exist in the design.to_conditions_dlg_title_lblAz eszközkimenet feltételeinek megadásaDialog title for creating new tool output conditions.groupmatch_dlg_title_lblCsoportok leképezése elágazásokraMap Groups to Branchesabout_popup_copyright_lbl© 2002-2008 {0} Alapítvány.Label displaying copyright statement in About dialog.branch_mapping_auto_condition_msgMinden fennmaradó feltételt az alapértelmezett elágazásra képez le.Alert message for notifying the user that the unmapped Conditions will be mapped to the default Branch.tool_branch_act_lblElágazás eszközkimenet alapjánBranching type label for Tool output Branching.app_chk_themeloadNem sikerült betölteni a téma adataitmessage for unsuccessful theme loadingapp_fail_continueAz alkalmazás leáll. A hibával kapcsolatban kérjen tanácsot!message if application cannot continue due to any errordb_datasend_confirmKöszönjük, hogy elküldte az adatokat a szerverre.Message when user sucessfully dumps data to the servergate_btnKapuToolbar > Gate Buttoncv_invalid_design_savedA terve még nem érvényes, de azért elmentettük. Kattintson az 'Példányok'-ra, hogy megtudja a hiba okát!Message when an invalid design has been savedcv_show_validationPéldányokThe button on the confirm dialogld_val_issue_columnPéldányThe heading on the issue in the ValidationIssuesDialogld_val_titleA példányok érvényesítéseThe title for the dialoglicense_not_selectedMég nem választott engedélyt - Kérjük, válasszon egyet!Shown if no license is selected in the drop down in workspacemnu_tools_optVálasztható RajzeszközMenu bar Optionalnew_confirm_msgBiztos benne, hogy törölni akarja a képernyőn lévő tervét?Msg when user clicks new while working on the existing designprefs_dlg_theme_lblTéma8ws_chk_overwrite_resourceVigyázzon: a jelenet felülírását választotta!ws_click_folder_fileKérem, egy mappára kattintson, vagy ha felül akar írni egy tervet, akkor arra!Error msg if no folder or file is selectedws_click_file_openKérem, a megnyitáshoz kattintson egy tervre!Alert message if folder tried to be opened.sys_error_msg_finishA folytatáshoz újra kellene indítania a LAMS Szerző-t. El szeretné menteni a hibáról szóló alábbi információt, hogy segítse a probléma megoldásában?Common System error message finish paragraphpi_activity_type_gateTevékenység a kapunálActivity type for gate in PIpi_end_offsetA kapu lezárásaEnd offset labelpi_start_offsetA kapu megnyitásaStart offset labelprefix_copyofMásolás...Prefix for copy paste command for canvas activitiespi_daysNapDays label in property inspector for gate toolal_doneKészLabel for dialog completion button.to_conditions_dlg_from_lblEttőlLabel for start value in condition range for long or numeric output values.to_conditions_dlg_to_lblEddigLabel for end value in condition range for long or numeric output values.ws_license_comment_lblTovábbi licenszinformációkLabel for Licence Comment description below license drop downact_lock_chkKérem oldja fel a Választható Tevékenység tárolóját, mielőtt ezt a tevékenységet választhatónak állítaná be!Alert Message if user drags the activity to locked optional activity container ccm_author_activityhelpA Szerzői Tevékenység súgójaLabel for Custom Context Menucv_invalid_optional_activityTávolítson el minden be- és kivezető átmenetet ebből: {0}, mielőtt választható tevékenységnek állítaná be!Alert message when user try to drop an activity with to or from transition into optional containercv_trans_target_act_missingAz átmenethez hiányzik a másik tevékenység.Error message when target activity for transition is missingcv_design_unsavedA vászon tervét megváltoztatta. Folytatja anélkül hogy mentené?Alert message when opening/importing when current design on canvas is unsaved or modified.al_activity_copy_invalidSajnálom! Választania kell egy tevékenységet, mielőtt a másolásra kattintana.Alert message when user select copy activity in context menu or clicks copy button in the menu before selecting any activity on the canvasopen_btn_tooltipMegjeleníti a Fájl párbeszédet a Tevékenység Jelenet megnyitásához.Tool tip message for open button in toolbarnew_btn_tooltipTörli az aktuális jelenetet, és újból használatra késszé teszi a munkaterületetTool tip message for new button in toolbarsave_btn_tooltipAz aktuális Tevékenység Jelenet gyorsmentése.tool tip message for save button in toolbartrans_btn_tooltipHasználja ezt a tollat a tevékenységek közti átmenetek megrajzolásához (vagy tartsa lenyomva a CTRL billentyűt)!tool tip message for transition button in toolbarto_conditions_dlg_range_lblTartományHeading label for section in the dialog to set numeric condition range.flow_btn_tooltipFolyamatellenőrző tevékenység létrehozásatool tip message for flow button in toolbaroptional_btn_tooltipVálasztható tevékenységek létrehozásatool tip message for optional button in toolbarbranch_btn_tooltipElágazás létrehozása (majd csak a LAMS 2.1-es verziójában)tool tip message for branch button in toolbarccm_piTulajdonságok felügyelése...Label for Custom Context Menubranch_mapping_dlg_branch_col_lblElágazásColumn heading for showing sequence name of the mapping.al_activity_openContent_invalidSajnálom, de ki kell választania egy tevékenységet mielőtt a tevékenység gyorsmenüjében rákattint a Megnyitás/Szerkesztés menüpontra!alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasws_chk_overwrite_existingEz a mappa már tartalmaz egy {0} nevű fájlt. Alert message when saving a design with the same filename as an existing design.cv_activity_dbclick_readonlyNem szerkesztheti az írásvédett terv eszközeit. Kérem, mentse a terv egy másolatát, majd próbálja újra!Alert message when double-clicking an Activity in an open read-only designcv_invalid_trans_circular_sequenceNem hozhat létre körkörös kapcsolatot a jelenetek között.Error message when a transition from one activity to another is creating a circular loopbin_tooltipDobja ebbe a szemétkosárba azt a tevékenységet, melyet törölni akar a jelenetből!Tool tip message for canvas binact_seq_lock_chkKérem oldja fel a Választható Jelenet tárolóját, mielőtt ezt a tevékenységet hozzárendelné egy választható jelenethez!Alert Message if user drags the activity to locked optional sequences container.cv_gateoptional_hit_chkNem adhat hozzá kapu tevékenységet választható tevékenységként.Error message when user drags gate activity over to optional containerws_dlg_insert_btnBeszúrásButton label on Workspace in INSERT mode.branch_mapping_no_condition_msgNem választott feltételt.Alert message when adding a Mapping without a Condition being selected.cv_close_return_to_ext_srcBezárás és visszatérés ehhez: {0}.Button label used on close and return button in save confirm message popup.mnu_file_insertdesignBeszúrás...Menu item label for Inserting a Learning Design.groupmatch_dlg_groups_lst_lblCsoportokLabel for Groups list box on Group/Branch Matching Dialog.to_conditions_dlg_condition_items_name_col_lblNévColumn header for the Condition Item(s) datagrid column.to_conditions_dlg_clear_all_btn_lblMindet törliLabel for button to clear all conditions.cv_eof_changes_appliedA változások alkalmazása sikerült.Changes have been successful applied.cv_eof_finish_invalid_msgA tervnek érvényesnek kell lennie, ha be akarja fejezni a szerkesztést.Alert dialog message when attempting to finish Edit on the Fly when the design is invalid.prefix_copyof_count({0}) másolatPrefix for copy paste command for canvas activities when copied activity is pasted multiple times.branch_mapping_no_branch_msgNem választott elágazást.Alert message when adding a Mapping without a Branch (Sequence) being selected.to_conditions_dlg_condition_items_value_col_lblFeltételColumn header for the Condition Item(s) datagrid column.groupnaming_dialog_col_groupName_lblCsoportnévColumn label for editable datagrid in Group Naming dialog.to_conditions_dlg_lte_lblKisebb vagy egyenlőLess than or equal tows_save_folder_invalidNem mentheti a tervet ebbe a mappába. Kérem, válasszon érvényes al-mappát!Alert message if root My Workspace folder is selected to save a design in.to_conditions_dlg_gte_lblNagyobb vagy egyenlőGreater than or equal toto_conditions_dlg_defin_long_typetartományType description for a long-value based ouput definition.pi_actTevékenységekMin and max label postfix when an Optional Activity is selected.pi_seqJelenetekMin and max label postfix when an Optional Sequences activity is selected.to_conditions_dlg_lt_lblKisebb vagy egyenlőLess than option for long type conditions.opt_activity_seq_titleVálasztható JelenetekTitle for Optional Sequences Container.optional_act_btnTevékenységToolbar button for Optional Activity.branch_mapping_dlg_condition_col_value_maxNagyobb vagy egyenlő, mint {0}Value for Condition field in mapping datagrid when Greater than option is selected.optional_seq_btnJelenetToolbar button for Sequences within Optional Activity.ws_file_name_emptySajnálom, nem mentheti a tervet, amíg nem ad meg fájlnevet.Error message when user try to save a design with no file namecv_autosave_err_msgHiba történt a terv automatikus mentése közben. Kérem, növelje meg a Flash Player tárhelyét!Alert error message when auto-save fails.cv_autosave_rec_msgAz utolsó elveszett vagy nem mentett terv visszaállításával próbálkozik. A jelenlegi terv így törllődik. Folytatja?Message informing users that they have recovered data for a design.branch_mapping_dlg_condition_linked_singleEz a feltételPhrase used at start of linked conditions alert message when clearing a single entry.validation_error_transitionNoActivityBeforeOrAfterA kapcsolat előtt vagy mögött egy tevékenységnek kell lennie.A Transition must have an activity before or after the transitionvalidation_error_activityWithNoTransitionEgy tevékenységnek kimenő vagy bemenő kapcsolattal kell rendelkeznieAn activity must have an input or output transitionvalidation_error_inputTransitionType1Ennek a tevékenységnek nincs bemenő kapcsolat.This activity has no input transitionvalidation_error_inputTransitionType2Egyik tevékenységnek sem hiányoznak a bemenő kapcsolatai.No activities are missing their input transition.validation_error_outputTransitionType1Ennek a tevékenységnek nincs kimenő kapcsolata.This activity has no output transitionvalidation_error_outputTransitionType2Egyik tevékenységnek sem hiányoznak a kimenő kapcsolatai.No activities are missing their output transition.cv_invalid_design_on_apply_changesA változtatások nem alkalmazhatók. Egy vagy több kapcsolat hiányzik.Cannot apply changes. There are one or more transitions missing.apply_changes_btn_tooltipAlkalmazza a terv változtatásait, és visszatér a lecke figyeléséhez.tool tip message for save button in toolbarcv_activity_readOnlyA tevékenységet nem lehet {0}. A tevékenység írásvédett.Alert message when a user performs an illegal action on a read-only transition.cv_edit_on_fly_lblAzonnali SzerkesztésLabel for canvas lip (where design title is displayed) when in Edit-On-The-Fly mode.cv_eof_finish_modified_msgFigyelem: A terv megváltozott. Be akarja zárni anélkül hogy mentené?Alert dialog message when attempting to finish Edit-on-the-Fly when the design is unsaved.cv_trans_readOnlyA kapcsolatot nem lehet {0}. A kapcsolat cél-objektuma írásvédett.Alert message when a user performs an illegal action on a read-only canvas element (transition or activity).cancel_btn_tooltipVisszatérés a lecke figyeléséhez.tool tip message for cancel button in toolbar (edit mode)about_popup_title_lblErről - {0}Title for the About Pop-up window.about_popup_license_lblEz a program szabad szoftver. Továbbadhatja, és/vagy módosíthatja a Free Software Foundation által kiadott Általános Nyilvános Licensz 2-es változata alapján.Label displaying the license statement in the About dialog.branching_act_titleElágazásLabel for Branching Activitypi_activity_type_sequence({0}) Jelenet TevékenységActivity type for Sequence (Branch) in Property Inspector.groupnaming_dialog_instructions_lblKattintson a névre, ha meg akarja változtatni!Instructions for Group Naming dialog.pi_branch_tool_acts_lblBevitel (Eszköz)Label for Tool Activity selection (combo box) for Tool-based Branching on the Property Inspector.pi_condmatch_btn_lblA Feltételes Kimutatások beállításaLabel for button to open dialog to create output conditions.condmatch_dlg_cond_lst_lblFeltételekLabel for primary list heading on Condition to Branch Matching dialog.condmatch_dlg_title_lblA feltételek illesztése az elágazásokhozDialog title for matching conditions to branches for Tool based Branching.pi_defaultBranch_cb_lblalapértelmezettCheckBox label for selecting the Branch as default for the BranchingActivity.to_conditions_dlg_add_btn_lbl+ HozzáadLabel for button to add a condition.to_conditions_dlg_remove_item_btn_lbl- EltávolítLabel for button to remove condition.branch_mapping_dlg_condition_col_lblFeltételColumn heading for showing condition description of the mapping.branch_mapping_dlg_group_col_lblCsoportColumn heading for showing group name of the mapping.chosen_branch_act_lblA Tanár választásaBranching type label for Teacher choice Branching.branch_mapping_dlg_condition_col_value{0} - {1} tartományValue for Condition field in mapping datagrid.branch_mapping_dlg_condition_col_value_exactA(z) {0} pontos értékeValue for Condition field in mapping datagrid when range set is only single value.branch_mapping_no_groups_msgNem választott csoportokat.Alert message when adding a Mapping without a Group being selected.group_branch_act_lblCsoporthoz kötöttBranching type label for Group-based Branching.branch_mapping_dlg_branches_lst_lblElágazásokLabel for Branches list box on Branch Matching Dialogs.groupnaming_dlg_title_lblA csoport elnevezéseTitle label for Group Naming dialog.pi_activity_type_branchingTevékenység az elágazásnálActivity type for Branching in Property Inspector.pi_branch_typeElágazás-típusProperty Inspector Branching type drop down.sequence_act_titleJelenetDefault title for Sequence Activity.to_condition_start_valuekezdő értékValue representing the min boundary value of the conditions range.to_condition_end_valuevégső értékValue representing the max boundary value of the conditions value.al_continueTovábbContinue button on Alert dialogto_condition_untitled_item_lblNév nélküli {0}The default condition name for new items added to conditions list when setting up conditions for Tool based branching.to_conditions_dlg_defin_item_fn_lbl{0} ({1}) Function label value for tool output definition drop-down.branch_mapping_dlg_condition_col_value_minKisebb vagy egyenlő mint {0}Value for Condition field in mapping datagrid when Less than option is selected.pi_max_actMax {0} Label for maximum Activities or Sequencespi_min_actMin {0} Label for minimum Activities or Sequencesto_conditions_dlg_defin_bool_typeigaz/hamisType description for a lboolean-value based ouput definition.to_conditions_dlg_defin_item_header_lbl[Meghatározások]Header label value (first index) for tool output definition drop-down.sequence_act_title_new {0} {1} Title for a new Sequence Activity for Optional or Branch and including count value.to_conditions_dlg_options_item_header_lbl[Választások]Header label value (first index) for tool long (range) options drop-down.branch_mapping_dlg_branch_item_default {0} (alapértelmezett)Item value displayed in the Branches list (Tool Conditions mapping dialog) for the default branch.branch_mapping_no_mapping_msgNem választott leképezést.Alert message when removing a Mapping without a Mapping being selected.branch_mapping_dlg_match_dgd_lblLeképezésekHeading label for Mapping datagrid.pi_mapping_btn_lblA leképezések beállításaLabel for button to open tool output to branch(s) dialog.to_condition_invalid_value_directionA(z) {0} nem lehet nagyobb, mit a(z) {1}. Alert message when the start value is greater than end value of the submitted condition.is_remove_warning_msgFigyelem: A lecke eltávolítását választotta. Meg szeretné tartani ezt a leckét {0}-ként?Message for the alert dialog which appears following confirmation dialog for removing a lesson.pi_optSequence_remove_msg_titleJelenetek eltávolításaRemoving sequencespi_no_seq_actA jelenet számaLabel on the Property Inspector for a numeric stepper where the value is the no of sequences in an Optional Activity.lbl_num_sequences{0} - JelenetLabel to describe the amount of sequences in the container.activityDrop_optSequence_error_msgKérem, helyezze a tevékenységet valamelyik jelenetbe!Alert message when user drops an activity onto the Optional Sequences container but not on a contained Sequence Activity.cv_invalid_optional_seq_activity_no_branchesTávolítsa el az összes kapcsolt feltételt {0}-ból, mielőtt hozzáadná egy választható jelenethez!Alert message when user try to drop an activity with connected branches into optional sequences container.cv_invalid_optional_activity_no_branchesEbben a tárolóban nincs engedélyezett jelenet.Error message when a Template Activity icon is dropped onto a empty Optional Sequences container.pi_optSequence_remove_msgA törölni kívánt jelenet(ek) tevékenységeket tartalmazhatnak, melyek szintén törlődnek. Biztosan eltávolítja ezeket a jeleneteket?Confirmation message when user is removing optional sequences (Optional Sequences) that contain activities.pi_group_matching_btn_lblA csoportok illesztése az elágazásokhozButton in author that allows you to allocate groups to branches for group based branchingpi_tool_output_matching_btn_lblA feltételek illesztése az elágazásokhozButton in author that allows you to match conditions to branches for tool-output based branchingbranch_mapping_dlg_condition_linked_msgA(z) {0} már egy létező elágazáshoz kapcsolódik. Folytatja? Alert message when performing an action which clears the current list of conditions when one or more is connected to a Branch Mapping.cv_activityProtected_activity_remove_msgAz eltávolításhoz kérem szüntessem meg ennek a tevékenységnek a kiválasztását itt: {0}.Instruction how to delete an Activity linked to a Branching Activity.cv_activityProtected_child_activity_link_msgEz {0} alárendelt kapcsolatban áll ezzel: {1}.Alert message when removing a Complex Activity whose child is linked to a Branching Activity on the canvas.optional_seq_btn_tooltipVálasztható tevékenységek készletének létrehozása.Tooltip for Sequences within Optionaly Activity button.cv_invalid_optional_seq_activitytávolítsa el a bemenő és kimenő kapcsolatokat ebből: {0}, mielőtt választható tevékenységhez rendelné hozzá!Alert message when user try to drop an activity with to or from transition into optional sequences container.ta_iconDrop_optseq_error_msgEbből: {0} távolítson el minden kapcsolt elágazást, mielőtt választható tevékenységnek állítaná be!Alert message when a Template Activity icon is dropped onto a empty Optional Sequences container.refresh_btnFrissítésButton label for Refresh button on the Tool Output Conditions dialog.to_conditions_dlg_condition_items_update_defaultConditionsÉpp frissíteni készül a kiválasztott kimeneti definíció feltételeit. Ez a művelet összes létező elágazásra mutató hivatkozást törli. Biztosan folytatja?Confirm message for alert dialog when refreshing the default conditions for a selected definition in the Tool Output Conditions dialog.branch_mapping_dlg_condtion_items_update_defaultConditions_zeroNem lehet frissíteni, mivel nincsenek a felhasználó által definiált feltételek. Ezeket be kellene állítania a szerzői eszközök oldalán/oldalain.Alert message when the updating the conditions with a selected output definition that has no default conditions.to_conditions_dlg_defin_user_defined_typea felhasználó által definiáltType description for a user-defined (boolean set) based ouput definition.al_activity_paste_invalidElnézést, ilyen típusú tevékenységet nem szúrhat be.Alert message when user is attempting to paste a unsupported activity type.grouping_invalid_with_common_names_msgA terv nem menthető, mivel a '{0}' csoporttevékenység többször tartalmazza ugyanazt a csoportnevet. Kérem, nézze át a csoportosítást, majd próbálja újra!Alert message displayed when the Grouping validation fails during saving a design.preview_btn_tooltip_disabledA jelenet előnézetéhez először mentenie kell azt. Csak ezután kattintson az Előnézet gombra.Tool tip message for preview button in toolbar when button is disabled. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/it_IT_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/authoring/ja_JP_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/authoring/ja_JP_dictionary.xml (revision 0) +++ lams_central/web/flashxml/authoring/ja_JP_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3to_conditions_dlg_condition_items_name_col_lblタイトルColumn header for the Condition Item(s) datagrid column.ws_newfolder_okOKOK on the new folder name diapi_seqシーケンスMin and max label postfix when an Optional Sequences activity is selected.to_conditions_dlg_defin_long_type範囲Type description for a long-value based ouput definition.to_conditions_dlg_defin_bool_type真/偽Type description for a lboolean-value based ouput definition.to_conditions_dlg_defin_item_header_lbl[ 出力を選択 ]Header label value (first index) for tool output definition drop-down.to_conditions_dlg_defin_item_fn_lbl{0} ({1})Function label value for tool output definition drop-down.to_conditions_dlg_condition_items_value_col_lbl条件Column header for the Condition Item(s) datagrid column.to_conditions_dlg_options_item_header_lbl[ オプション ]Header label value (first index) for tool long (range) options drop-down.sequence_act_title_new{0} {1}Title for a new Sequence Activity for Optional or Branch and including count value.close_mc_tooltip最小化Tooltip message for close button on Branching canvas.to_conditions_dlg_gte_lblこれ以上:Greater than or equal toto_conditions_dlg_lte_lblこれ以下:Less than or equal togroupnaming_dialog_col_groupName_lblグループ名Column label for editable datagrid in Group Naming dialog.mnu_file_insertdesign挿入/マージ...Menu item label for Inserting a Learning Design.ws_dlg_insert_btn挿入Button label on Workspace in INSERT mode.branch_mapping_dlg_branch_item_default{0} (規定値)Item value displayed in the Branches list (Tool Conditions mapping dialog) for the default branch.pi_group_matching_btn_lblグループを分岐に割り当てるButton in author that allows you to allocate groups to branches for group based branchingpi_tool_output_matching_btn_lbl分岐の一致条件Button in author that allows you to match conditions to branches for tool-output based branchingrefresh_btn更新Button label for Refresh button on the Tool Output Conditions dialog.to_conditions_dlg_condition_items_update_defaultConditions選択されたアウトプットの、すべての条件を更新しようとしています。この際、すでに存在する分岐へのすべてのリンクが消去されます。続行しますか?Confirm message for alert dialog when refreshing the default conditions for a selected definition in the Tool Output Conditions dialog.branch_mapping_dlg_condtion_items_update_defaultConditions_zeroユーザーに定義された条件が見つからなかったので、アップデートできません。ツールの編集ページで設定する必要があるかもしれません。Alert message when the updating the conditions with a selected output definition that has no default conditions.to_conditions_dlg_defin_user_defined_type設定済みType description for a user-defined (boolean set) based ouput definition.to_conditions_dlg_range_lbl範囲Heading label for section in the dialog to set numeric condition range.branch_mapping_dlg_branch_col_lbl分岐Column heading for showing sequence name of the mapping.branch_mapping_dlg_condition_col_lbl条件Column heading for showing condition description of the mapping.branch_mapping_dlg_group_col_lblグループColumn heading for showing group name of the mapping.branch_mapping_no_branch_msg分岐が選択されていません。Alert message when adding a Mapping without a Branch (Sequence) being selected.branch_mapping_no_mapping_msgマッピングが選択されていません。Alert message when removing a Mapping without a Mapping being selected.branch_mapping_no_condition_msg条件が選択されていません。Alert message when adding a Mapping without a Condition being selected.branch_mapping_auto_condition_msgまだマップされていない条件は、デフォルトの分岐にマップされます。Alert message for notifying the user that the unmapped Conditions will be mapped to the default Branch.branch_mapping_dlg_match_dgd_lblマッピングHeading label for Mapping datagrid.branch_mapping_dlg_condition_col_value{0} から {1}Value for Condition field in mapping datagrid.branch_mapping_dlg_condition_col_value_exact{0}Value for Condition field in mapping datagrid when range set is only single value.pi_mapping_btn_lblマッピング設定Label for button to open tool output to branch(s) dialog.pi_define_monitor_cb_lbl後でモニタで定義するCheckbox label for option to define group to branch mappings in Monitor.groupmatch_dlg_title_lblグループを分岐にマップMap Groups to Branchesbranch_mapping_no_groups_msgグループが選択されていません。Alert message when adding a Mapping without a Group being selected.group_branch_act_lblグループを元とするBranching type label for Group-based Branching.branch_mapping_dlg_branches_lst_lbl分岐Label for Branches list box on Branch Matching Dialogs.groupmatch_dlg_groups_lst_lblグループLabel for Groups list box on Group/Branch Matching Dialog.groupnaming_dlg_title_lblグループ名Title label for Group Naming dialog.pi_activity_type_branching分岐アクティビティActivity type for Branching in Property Inspector.pi_branch_type分岐のタイプProperty Inspector Branching type drop down.pi_group_naming_btn_lblグループ名Label for button that opens Group Naming dialog.sequence_act_titleシーケンスDefault title for Sequence Activity.tool_branch_act_lbl学習者のアウトプットBranching type label for Tool output Branching.chosen_branch_act_lbl教員の選択Branching type label for Teacher choice Branching.to_condition_start_value開始値Value representing the min boundary value of the conditions range.to_condition_end_value終了値Value representing the max boundary value of the conditions value.to_condition_invalid_value_range{0} は前掲の範囲から外れています。Alert message when a submitted condition interferes with another previously submitted condition.to_condition_invalid_value_direction{0} は {1} を超えて設定することはできません。Alert message when the start value is greater than end value of the submitted condition.is_remove_warning_msg警告: 学習履歴を削除しようとしています。このレッスンを {0} のままにしておきますか?Message for the alert dialog which appears following confirmation dialog for removing a lesson.al_continue続行Continue button on Alert dialogbranch_mapping_dlg_condition_linked_msg{0} は既存の分岐と接続しています。続行しますか?Alert message when performing an action which clears the current list of conditions when one or more is connected to a Branch Mapping.branch_mapping_dlg_condition_linked_all条件があります。Phrase used at start of linked conditions alert message when clearing all.branch_mapping_dlg_condition_linked_singleこの条件はPhrase used at start of linked conditions alert message when clearing a single entry.to_condition_untitled_item_lbl無題 {0}The default condition name for new items added to conditions list when setting up conditions for Tool based branching.redundant_branch_mappings_msgデザインは、削除される未使用の分岐を含みます。続行しますか?Alert confirmation message displayed when the user is saving the design and redundant or unused branch mappings exist in the design.cv_activityProtected_activity_link_msgこの {0} は {1} とリンクしています。Alert message when removing a Tool or Grouping Activity that is linked to a Branching Activity on the canvas.branch_mapping_dlg_condition_col_value_max{0} 以上Value for Condition field in mapping datagrid when Greater than option is selected.optional_act_btnアクティビティToolbar button for Optional Activity.optional_seq_btnシーケンスToolbar button for Sequences within Optional Activity.optional_seq_btn_tooltip選択枠シーケンスを配置します。Tooltip for Sequences within Optionaly Activity button.pi_optSequence_remove_msg_titleシーケンスの削除Removing sequencespi_optSequence_remove_msg削除するシーケンスにアクティビティが含まれる場合、同時に削除されます。シーケンスを削除しますか?Confirmation message when user is removing optional sequences (Optional Sequences) that contain activities.pi_no_seq_actシーケンス番号Label on the Property Inspector for a numeric stepper where the value is the no of sequences in an Optional Activity.lbl_num_sequences{0} - シーケンスLabel to describe the amount of sequences in the container.activityDrop_optSequence_error_msgアクティビティはシーケンスの上にドロップしてください。Alert message when user drops an activity onto the Optional Sequences container but not on a contained Sequence Activity.cv_invalid_optional_seq_activity_no_branchesそれを選択枠シーケンスに追加する前に、{0} に接続している分岐を削除してください。Alert message when user try to drop an activity with connected branches into optional sequences container.ta_iconDrop_optseq_error_msgこのコンテナには有効なシーケンスがありません。Error message when a Template Activity icon is dropped onto a empty Optional Sequences container.act_seq_lock_chkこのアクティビティを選択枠シーケンスに配置する前に、選択枠のロックを解除してください。Alert Message if user drags the activity to locked optional sequences container.cv_invalid_optional_seq_activity選択枠シーケンスに設定する前に、{0} に接続するコネクタを削除してください。Alert message when user try to drop an activity with to or from transition into optional sequences container.cv_invalid_optional_activity_no_branchesそれを選択枠アクティビティに追加する前に、{0} に接続している分岐を削除してください。Alert message when a Template Activity icon is dropped onto a empty Optional Sequences container.opt_activity_seq_title選択枠シーケンスTitle for Optional Sequences Container.to_conditions_dlg_lt_lbl以下Less than option for long type conditions.branch_mapping_dlg_condition_col_value_min{0} 以下Value for Condition field in mapping datagrid when Less than option is selected.pi_actアクティビティMin and max label postfix when an Optional Activity is selected.ws_entre_file_nameデザインの名前を入力してから、保存 ボタンをクリックしてください。Error message when user try to save a design with no file namecv_activity_helpURL_undefined{0}のヘルプは見つかりませんでしたAlert message when a tool activity has no help url defined.cv_untitled_lbl無題 - 1Label for Design Title bar on canvasmnu_help_helpヘルプlabel for menu bar Help - Authoring Help optionccm_open_activitycontentアクティビティの編集Label for Custom Context Menuccm_copy_activityコピーLabel for Custom Context Menuccm_paste_activityペーストLabel for Custom Context Menuccm_piプロパティ・インスペクタLabel for Custom Context Menuccm_author_activityhelpヘルプLabel for Custom Context Menuws_dlg_description説明Label for description in Workspace dialog - Properties tabtrans_dlg_nogate未設定Drop down default for gate typepi_daysDays label in property inspector for gate toolcv_close_return_to_ext_src閉じて {0} に戻るButton label used on close and return button in save confirm message popup.cv_eof_changes_applied変更は適用されました。Changes have been successful applied.mnu_file_apply_changes適用Apply Changesvalidation_error_transitionNoActivityBeforeOrAfterコネクタは、前か後にアクティビティをつなげる必要がありますA Transition must have an activity before or after the transitionvalidation_error_activityWithNoTransitionアクティビティは、遷移元か遷移先となるコネクタが必要ですAn activity must have an input or output transitionvalidation_error_inputTransitionType1このアクティビティにはコネクタの遷移元の端がありませんThis activity has no input transitionvalidation_error_inputTransitionType2遷移元コネクタを失ったアクティビティはありません。No activities are missing their input transition.validation_error_outputTransitionType1このアクティビティにはコネクタの遷移先の端がありませんThis activity has no output transitionvalidation_error_outputTransitionType2遷移先トランジションを失ったアクティビティはありません。No activities are missing their output transition.cv_invalid_design_on_apply_changes変更を適用することができません。いくつかのコネクタが失われています。Cannot apply changes. There are one or more transitions missing.apply_changes_btn適用Apply Changesapply_changes_btn_tooltipデザインの変更を適用して、レッスンモニタに戻ります。tool tip message for save button in toolbarcancel_btnキャンセルToolbar - Cancel Buttoncv_activity_readOnlyアクティビティは {0} になれません。読み込み専用です。Alert message when a user performs an illegal action on a read-only transition.cv_edit_on_fly_lblライブ編集Label for canvas lip (where design title is displayed) when in Edit-On-The-Fly mode.cv_element_readOnly_action_del削除されましたAction label for read only alert message for a Canvas Transition.cv_element_readOnly_action_mod変更されましたAction label for read only alert message for a Canvas Transition.cv_eof_finish_invalid_msgデザインは、編集を終了する際に正しい順序になっている必要があります。Alert dialog message when attempting to finish Edit on the Fly when the design is invalid.cv_eof_finish_modified_msg警告: デザインは変更されています。保存せずに閉じますか?Alert dialog message when attempting to finish Edit-on-the-Fly when the design is unsaved.cv_trans_readOnlyコネクタは {0} になれません。コネクタのターゲットは読み込み専用です。Alert message when a user performs an illegal action on a read-only canvas element (transition or activity).cancel_btn_tooltipレッスンモニタに戻る。tool tip message for cancel button in toolbar (edit mode)mnu_file_finish終了Menu bar File - Finish (Edit Mode)about_popup_title_lbl{0} についてTitle for the About Pop-up window.about_popup_version_lblバージョンLabel displaying the version no on the About dialog.about_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} は {0} Foundation ( {1} ) の商標です。Label displaying the trademark statement in the About dialog.al_cancelキャンセルTo Confirm title for LFErrorabout_popup_license_lblこのプログラムはフリーソフトウェアです。あなたはこれを、フリーソフトウェア財団によって発行された GNU 一般公衆利用許諾契約書 バージョン 2 の定める条件の下で再頒布または改変することができます。{0}Label displaying the license statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.branching_act_title分岐Label for Branching Activitypi_activity_type_sequenceシーケンス・アクティビティ ({0})Activity type for Sequence (Branch) in Property Inspector.groupnaming_dialog_instructions_lblクリックして名前を変更してください。Instructions for Group Naming dialog.pi_branch_tool_acts_lblインプット (ツール)Label for Tool Activity selection (combo box) for Tool-based Branching on the Property Inspector.pi_condmatch_btn_lbl条件を作成Label for button to open dialog to create output conditions.to_conditions_dlg_title_lblアウトプット条件を作成Dialog title for creating new tool output conditions.al_done完了Label for dialog completion button.condmatch_dlg_cond_lst_lbl条件Label for primary list heading on Condition to Branch Matching dialog.condmatch_dlg_title_lbl分岐の一致条件Dialog title for matching conditions to branches for Tool based Branching.pi_defaultBranch_cb_lblデフォルトCheckBox label for selecting the Branch as default for the BranchingActivity.to_conditions_dlg_add_btn_lbl+ 追加Label for button to add a condition.to_conditions_dlg_clear_all_btn_lbl全消去Label for button to clear all conditions.to_conditions_dlg_remove_item_btn_lbl- 削除Label for button to remove condition.to_conditions_dlg_from_lblFromLabel for start value in condition range for long or numeric output values.to_conditions_dlg_to_lblToLabel for end value in condition range for long or numeric output values.cv_gateoptional_hit_chk選択枠アクティビティにゲート・アクティビティを追加することはできません。Error message when user drags gate activity over to optional containerprefix_copyof_count{0} をコピーPrefix for copy paste command for canvas activities when copied activity is pasted multiple times.ws_save_folder_invalidこのフォルダーにデザインを保存することはできません。有効なサブフォルダを選択してください。Alert message if root My Workspace folder is selected to save a design in.ws_click_file_openデザインをクリックして開いてください。Alert message if folder tried to be opened.ws_license_lblライセンスLabel for Licence drop down on workspace properties tab viewws_license_comment_lbl追加ライセンス情報Label for Licence Comment description below license drop downcv_invalid_optional_activity選択枠アクティビティに設定する前に、{0} に接続するコネクタを削除してください。Alert message when user try to drop an activity with to or from transition into optional containercv_trans_target_act_missingコネクタの片側のアクティビティが無くなっています。Error message when target activity for transition is missingcv_invalid_trans_target_from_activity{0} とつながっているコネクタがすでに存在しますError message when a transition from the activity already existcv_invalid_trans_target_to_activity{0} へつながっているコネクタがすでに存在しますError message when a transition to the activity already existbranch_btn分岐Label for disabled Branch button shown as submenu for flow button in Toolbarflow_btnフローLabel for Flow button in Toolbarmnu_file_importインポートMenu bar Importcv_design_export_unsaved未保存のデザインはエクスポートすることができません。Alert message when trying to export can unsaved design.cv_design_unsavedキャンバス上のデザインは変更されています。保存せずに続行しますか?Alert message when opening/importing when current design on canvas is unsaved or modified.mnu_file_exportエクスポートMenu bar Exportws_chk_overwrite_existingこのフォルダにはすでに {0} という名前のファイルが存在します。Alert message when saving a design with the same filename as an existing design.ws_click_virtual_folderこのフォルダを利用することはできません。Alert message for trying to use a virtual folder to save/open a file.mnu_file_exit終了File Menu Exitws_no_file_openファイルが見つかりません。Alert message if no matching file is found to open in selected folder of Workspace.cv_invalid_trans_circular_sequence繰り返すシーケンスを作ることはできませんError message when a transition from one activity to another is creating a circular loopbin_tooltipアクティビティ・シーケンスから削除するために、ごみ箱にアクティビティをドロップしてください。Tool tip message for canvas binnew_btn_tooltip現在のシーケンスをクリアして、ワークスペースを準備しますTool tip message for new button in toolbaropen_btn_tooltipアクティビティ・シーケンスを開くファイルダイアログを表示しますTool tip message for open button in toolbarsave_btn_tooltip現在のアクティビティ・シーケンスを保存しますtool tip message for save button in toolbarcopy_btn_tooltip選択したアクティビティをコピーしますtool tip message for copy button in toolbarpaste_btn_tooltipアクティビティをペーストしますtool tip message for paste button in toolbartrans_btn_tooltipコネクタをつなぎます (もしくは CTRL キーを押しながらドラッグ)tool tip message for transition button in toolbaroptional_btn_tooltip選択枠アクティビティを配置します。tool tip message for optional button in toolbargate_btn_tooltip終了点を配置しますtool tip message for gate button in toolbarbranch_btn_tooltip分岐を配置します (LAMS v2.1 以降で有効)tool tip message for branch button in toolbarflow_btn_tooltipフローコントロール・アクティビティを配置しますtool tip message for flow button in toolbargroup_btn_tooltipグループ・アクティビティを配置しますtool tip message for group button in toolbarpreview_btn_tooltip学習者視点でシーケンスをプレビューしますTool tip message for preview button in toolbarcv_activity_dbclick_readonly読み込み専用デザインのツールを編集することはできません。デザインの複製を保存してから再度操作してください。Alert message when double-clicking an Activity in an open read-only designcv_readonly_lbl読み込み専用Label for top left of canvas shown when a read-only design is open.al_empty_design空のデザインを保存することはできませんalert message when user want to save an empty designcv_autosave_err_msgデザインを自動保存する際にエラーが発生しました。Flash Player の記憶領域設定を増やしてください。Alert error message when auto-save fails.cv_autosave_rec_msg最後に失われたか、未保存のデザインを回復しようとしています。現在のデザインはクリアされます。続けますか?Message informing users that they have recovered data for a design.cv_autosave_rec_title警告Alert title for auto save recovery message.mnu_file_recover再読込...Menu bar Recovercv_activity_copy_invalidこのアクティビティはコピーすることができません。Error message when user try to copy child activity from either optional or parallel activity containeral_activity_copy_invalid コピーする前にアクティビティを選択する必要がありますAlert message when user select copy activity in context menu or clicks copy button in the menu before selecting any activity on the canvasal_activity_openContent_invalidアクティビティのコンテキストメニューで 開く/編集 をクリックする前に、アクティビティを選択する必要があります。alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasws_del_confirm_msgこのファイル/フォルダを削除してもいいですか?Confirmation message when user tries to delete a file or folder in workspace dialog boxpi_lbl_currentgroup現在のグループCurrent grouping label for PIpi_lbl_desc説明Description Label for PIpi_lbl_groupグループGrouping label for PIpi_lbl_titleタイトルTitle label for PIpi_max_act最大値 {0}Label for maximum Activities or Sequencespi_min_act最小値 {0}Label for minimum Activities or Sequencespi_minsMins label in teh property inspectorpi_no_grouping未設定Combo title for no groupingpi_num_learners学習者数PI Num learners labelpi_optional_title選択枠アクティビティTitle for oprional activity property inspectorpi_runofflineオフラインアクティビティLabel for Run Oflinepi_start_offsetタイマーStart offset labelpi_titleプロパティOn the title bar of the PIprefix_copyofコピー元: Prefix for copy paste command for canvas activitiesprefs_dlg_cancelキャンセル6prefs_dlg_lng_lbl言語7prefs_dlg_okOK5prefs_dlg_theme_lblテーマ8prefs_dlg_title詳細設定4preview_btnプレビューToolbar > Preview Buttonproperty_inspector_titleプロパティOn the title bar of the PIrandom_grp_lbl自動で割り当てるLabel for the grouping drop down in the PropertyInspectorrename_btnリネームLabel for Rename Buttonsave_btn保存Toolbar > Save buttonsched_act_lblタイマーで設定Label for schedule gate activitysynch_act_lbl全員を待つUsed as a label for the Synch Gate Activity Typetk_titleアクティビティ・ツールキットLabel for Activities Toolkit Paneltrans_btnコネクタToolbar > Transition Buttontrans_dlg_cancelキャンセルCancel button on transition dialogtrans_dlg_gate同期Header for the transition props dialogtrans_dlg_gatetypecmbタイプGate type combo labeltrans_dlg_okOKOK Button on transition dialogtrans_dlg_titleコネクタTitle for the transition properties dialogws_RootルートRoot folder title for workspacews_chk_overwrite_resource警告: このシーケンスを上書きしようとしています!ws_click_folder_fileフォルダをクリックして保存するか、デザインをクリックして上書き保存してくださいError msg if no folder or file is selectedws_copy_same_folder同じ場所にはドロップできませんThe user has tried to drag and drop to the same placews_dlg_cancel_buttonキャンセル2ws_dlg_filenameファイル名Label for File name in workspace windowws_dlg_location_button場所Workspace dialogue Location btn labelws_dlg_ok_buttonOKWsp Dia OK Button labelws_dlg_open_btn開くWsp Dia Open Button labelws_dlg_properties_buttonプロパティWorkspace dialogue Properties btn labelws_dlg_save_btn保存Wsp Dia Save Button labelws_dlg_titleワークスペース0ws_newfolder_cancelキャンセルCancel on the new folder name diaws_newfolder_insフォルダ名を入力してくださいInstructions on the new name pop upws_no_permissionこの資料を書き込む権限がありませんMessage when user does not have write permission to complete actionws_rename_ins新規名を入力してくださいMessage of the new name for the userws_tree_mywspワークスペースThe root level of the treews_tree_orgsグループShown in the top level of the tree in the workspacews_view_license_buttonビューTo show the license to the useract_lock_chkこのアクティビティを選択枠アクティビティに配置する前に、選択枠のロックを解除してください。Alert Message if user drags the activity to locked optional activity container sys_error_msg_startシステムエラーが発生しました: Common System error message starting lineal_confirm確認To Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langload言語データはロードされませんでしたmessage for unsuccessful language loadingsys_error_msg_finish作業を続けるためには LAMS 教材作成を再起動する必要があるかもしれません。このエラーの問題解決を助けるために、以下の情報を保存しますか?Common System error message finish paragraphsys_errorシステムエラーSystem Error elert window titlepi_num_groupsグループ数Number of groups in Property inspectorpi_parallel_title平行アクティビティTitle for parallel activity property inspectoropt_activity_title選択枠アクティビティTitle for Optional Activity Containerlbl_num_activities{0} - アクティビティreplacement for word activitiesal_send送信Send button label on the system error dialogal_cannot_move_activityこのアクティビティを動かすことはできません。Alert message when user tries to move child activity of any parallel activityact_tool_titleアクティビティ・ツールキットTitle for Activity Toolkit Panelal_alert警告Generic title for Alert windowapp_chk_themeloadテーマはロードされませんでしたmessage for unsuccessful theme loadingapp_fail_continueアプリケーションは作業を続行できません。サポートに連絡してくださいmessage if application cannot continue due to any errorchosen_grp_lbl後でモニタで選択するLabel for the grouping drop down in the PropertyInspectorcopy_btnコピーToolbar > Copy Buttoncv_invalid_design_savedデザインを保存しましたが、まだ有効な形式ではありません。潜在的問題点 ボタンをクリックして問題を確認してください。Message when an invalid design has been savedcv_invalid_trans_targetこのオブジェクトへのコネクタを作成することはできませんError message for when transition tool is dropped outside of valid target activitycv_show_validation問題点The button on the confirm dialogcv_valid_design_savedおつかれさまでした!正しい形式のデザインが保存されましたMessage when a valid design has been saveddb_datasend_confirmデータをサーバに送信しましたMessage when user sucessfully dumps data to the serverdelete_btn削除Label for Delete buttongate_btnゲートToolbar > Gate Buttongroup_btnグループToolbar > Group Buttongrouping_act_titleグループDefault title for the grouping activityld_val_activity_columnアクティビティThe heading on the activity in the ValidationIssuesDialogld_val_done完了The button label for the dialogld_val_issue_column問題点The heading on the issue in the ValidationIssuesDialogld_val_title検証時の問題点The title for the dialoglicense_not_selected著作権表示が選択されていません - 少なくとも一つ選択してくださいShown if no license is selected in the drop down in workspacemnu_edit編集Menu bar Editmnu_edit_copyコピーMenu bar Edit > Copymnu_edit_cut切り取りMenu bar Edit > Cutmnu_edit_paste貼り付けMenu bar Edit > Pastemnu_edit_redoやり直すMenu bar Edit > Redomnu_edit_undo元に戻すMenu bar Edit > Undomnu_fileファイルMenu bar Filemnu_file_close閉じるMenu bar Closemnu_file_new新規作成Menu bar Newmnu_file_open開くMenu bar Openmnu_file_save保存Menu bar savemnu_file_saveas名前を付けて保存Menu bar Save asmnu_helpヘルプMenu bar Helpmnu_help_abtLAMS についてMenu bar Aboutmnu_toolsツールMenu bar Toolsmnu_tools_opt選択枠を配置Menu bar Optionalmnu_tools_prefs詳細設定Menu bar preferencesmnu_tools_transコネクタでつなぐMenu bar draw transitionnew_btn新規作成Toolbar > New Buttonnew_confirm_msg画面上のデザインを消去してもよろしいですか?Msg when user clicks new while working on the existing designnone_act_lbl未設定No gate activity selectedopen_btn開くToolbar > Open Buttonoptional_btn選択枠Toolbar > Optional Buttonpaste_btn貼り付けToolbar > Paste Buttonperm_act_lbl手動で開くLabel for permission gate activitypi_activity_type_gateゲート・アクティビティActivity type for gate in PIpi_activity_type_groupingグループ・アクティビティActivity type for grouping in Property Inspectorpi_definelater後でモニタで定義するLabel for Define later for PIpi_end_offset終了ゲートEnd offset labelpi_group_typeグループ・タイプProperty Inspector Grouping type drop downpi_hoursHours label in Property Inspectoral_activity_paste_invalidこのアクティビティを貼り付けすることはできません。Alert message when user is attempting to paste a unsupported activity type.preview_btn_tooltip_disabledシーケンスをプレビューするには、シーケンスを保存してからプレビューをクリックしてください。Tool tip message for preview button in toolbar when button is disabled.ws_file_name_emptyファイル名をつけないと保存することができません。Error message when user try to save a design with no file namegrouping_invalid_with_common_names_msgグループ・アクティビティ '{0}' に同じ名前のグループが1つ以上存在するため、デザインを保存することができません。グループを見直してから再度操作してください。Alert message displayed when the Grouping validation fails during saving a design.condmatch_dlg_message_lbl目的の分岐のプロパティの"デフォルト"チェックボックスをクリックすると、デフォルトの分岐が選択されます。Label for a message in the Condition to Branch matching dialog.cv_design_insert_warningいったん別のシーケンスを挿入すると、取り消すことはできません - 元のシーケンスは、挿入された新しいシーケンスと共に、自動的に保存されます。元のシーケンスに戻すには、新しいシーケンスのアクティビティを手動で削除して、保存しなければならなくなります。現在のシーケンスを変更せずにおくには、キャンセルをクリックしてください。そうでない場合は、OKをクリックして、挿入するシーケンスを選択してください。Warning message when merge/insertpi_branch_tool_acts_default--未選択--Default item label for Input Tool dropdown list.cv_invalid_trans_diff_branches異なる分岐に配置されているアクティビティをコネクタで接続することはできません。Error message displayed after drawing a transition between activities of two different branches.cv_invalid_branch_target_to_activity{0} への分岐はすでに作成済です。Error message displayed after drawing a branch to an activity that has an existing connected branch.cv_invalid_branch_target_from_activity{0} からの分岐はすでに作成済です。Error message displayed after drawing a branch from an activity that has an existing connected branch.cv_invalid_trans_closed_sequence完結しているシーケンスに新しいコネクタを作成することはできません。Error message displayed after drawing a transition from an activity in a closed sequence.al_cannot_move_to_diff_opt_seqアクティビティを選択枠シーケンス内の別のシーケンスに移動するには、まずそのアクティビティを選択枠シーケンスの外にドラッグしてから、選択枠シーケンス内の新たな位置にドラッグしてください。Warning message to be displayed in Author when the user tries to move a child activity of an Optional Sequence to a different sequence within that same Optional Sequence without first dragging it outside of the Optional Sequence activityal_group_name_invalid_blankグループ名は空欄にできません。Warning message to be displayed in Author for the Group Naming dialog when the user tries to assign an empty group name to a groupcv_activityProtected_activity_remove_msg削除するには {0} からこのアクティビティを外してください。Instruction how to delete an Activity linked to a Branching Activity.cv_activity_cut_invalid このアクティビティは切り取りすることができません。Error message when user try to cut child activity from either optional or parallel activity containercv_activityProtected_child_activity_link_msgこの {0} のアクティビティは、{1} とリンクしています。Alert message when removing a Complex Activity whose child is linked to a Branching Activity on the canvas.al_group_name_invalid_existing同じグループ名は付けられません。Warning message to be displayed in Author for the Group Naming dialog when the user tries to assign an already existing group name to a different group \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/ko_KR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/mi_NZ_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/authoring/ms_MY_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/authoring/ms_MY_dictionary.xml (revision 0) +++ lams_central/web/flashxml/authoring/ms_MY_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3mnu_file_exitKeluarFile Menu Exitws_no_file_openTiada fail dijumpaiAlert message if no matching file is found to open in selected folder of Workspace.gate_btn_tooltipCipta poin berhentitool tip message for gate button in toolbarcv_readonly_lblLihat SahajaLabel for top left of canvas shown when a read-only design is open.cv_autosave_rec_titleAmaranAlert title for auto save recovery message.trans_dlg_nogateTiadaDrop down default for gate typepi_daysHariDays label in property inspector for gate toolstream_reference_lblLAMSReference label for the application stream.cancel_btnBatalToolbar - Cancel Buttonmnu_file_finishTamatMenu bar File - Finish (Edit Mode)about_popup_title_lblMengenai - {0}Title for the About Pop-up window.about_popup_version_lblVersiLabel displaying the version no on the About dialog.about_popup_trademark_lbl{0} adalah hak cipta {0} Foundation ( {1} ).Label displaying the trademark statement in the About dialog.gpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.al_doneSelesaiLabel for dialog completion button.condmatch_dlg_cond_lst_lblKondisiLabel for primary list heading on Condition to Branch Matching dialog.to_conditions_dlg_add_btn_lbl+ TambahLabel for button to add a condition.branch_mapping_dlg_condition_col_lblKondisiColumn heading for showing condition description of the mapping.cv_design_export_unsavedAnda tidak boleh Eksport design yang tidak disimpanAlert message when trying to export can unsaved design.al_activity_openContent_invalidMaaf! Anda perlu memilih aktiviti sebelum klik menu Buka/Sunting Isi Aktiviti di menu klik kanan aktivitialert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasal_okOKOK on the alert dialogws_dlg_open_btnBukaWsp Dia Open Button labelapp_chk_langloadData bahasa tidak berjaya diloadmessage for unsuccessful language loadingal_cancelBatalTo Confirm title for LFErrorapp_chk_themeloadData tema tidak berjaya diloadmessage for unsuccessful theme loadingcopy_btnSalinToolbar > Copy Buttoncv_show_validationIsuThe button on the confirm dialogdb_datasend_confirmTerima kasih kerana menghantar data ke serverMessage when user sucessfully dumps data to the serverdelete_btnPadamLabel for Delete buttongate_btnGateToolbar > Gate Buttongroup_btnKumpulanToolbar > Group Buttonld_val_activity_columnAktivitiThe heading on the activity in the ValidationIssuesDialogld_val_doneSelesaiThe button label for the dialogld_val_issue_columnIsuThe heading on the issue in the ValidationIssuesDialogmnu_editEditMenu bar Editmnu_edit_copySalinMenu bar Edit > Copymnu_edit_pasteTampalMenu bar Edit > Pastemnu_fileFailMenu bar Filemnu_file_closeTutupMenu bar Closemnu_file_newBaruMenu bar Newmnu_file_openBukaMenu bar Openmnu_file_saveSimpanMenu bar savemnu_file_saveasSimpan sebagai...Menu bar Save asmnu_helpTolongMenu bar Helpmnu_help_abtMengenai LAMSMenu bar Aboutmnu_toolsAlatanMenu bar Toolsnew_btnBaruToolbar > New Buttonnone_act_lblTiadaNo gate activity selectedopen_btnBukaToolbar > Open Buttonpaste_btnTampalToolbar > Paste Buttonpi_end_offsetTutup gateEnd offset labelpi_hoursJamHours label in Property Inspectorpi_lbl_descDiskripsiDescription Label for PIpi_lbl_titleTajukTitle label for PIpi_minsMinitMins label in teh property inspectorpi_no_groupingTiadaCombo title for no groupingprefs_dlg_cancelBatal6prefs_dlg_lng_lblBahasa7prefs_dlg_okOK5prefs_dlg_theme_lblTema8random_grp_lblRawakLabel for the grouping drop down in the PropertyInspectorsave_btnSimpanToolbar > Save buttontrans_dlg_cancelBatalCancel button on transition dialogtrans_dlg_gatetypecmbJenisGate type combo labeltrans_dlg_okOKOK Button on transition dialogws_RootRootRoot folder title for workspacews_dlg_cancel_buttonBatal2ws_dlg_filenameNama FailLabel for File name in workspace windowws_dlg_location_buttonLokasiWorkspace dialogue Location btn labelws_dlg_ok_buttonOKWsp Dia OK Button labelal_alertAwasGeneric title for Alert windowal_confirmTerimaTo Confirm title for LFErrorchosen_grp_lblPilihanLabel for the grouping drop down in the PropertyInspectorlicense_not_selectedTiada lesen dipilih - Sila pilihShown if no license is selected in the drop down in workspacemnu_edit_cutPotongMenu bar Edit > Cutoptional_btnPilihanToolbar > Optional Buttonperm_act_lblIzinLabel for permission gate activitypi_activity_type_gateAktiviti GetActivity type for gate in PIsys_error_msg_finishAnda mungkin perlu memulakan semula Pengarang LAMS untuk sambung. Adakah anda mahu menyimpan informasi mengenai ralat ini untuk membantu mengatasi masalah ini?Common System error message finish paragraphcv_invalid_optional_activityBuang ke dan dari peralihan dari {0} sebelum seting ia sebagai aktiviti tambahan.Alert message when user try to drop an activity with to or from transition into optional containeral_activity_copy_invalidMaaf! Anda perlu memilih aktiviti sebelum klik salin.Alert message when user select copy activity in context menu or clicks copy button in the menu before selecting any activity on the canvaspi_max_actAktiviti TerbanyakLabel for maximum Activities or Sequencespi_min_actAktiviti TerkecilLabel for minimum Activities or Sequencespreview_btnPreviuToolbar > Preview Buttonsynch_act_lblPenyelarasanUsed as a label for the Synch Gate Activity Typetrans_dlg_gateMenyelaraskanHeader for the transition props dialogtrans_dlg_titlePeralihanTitle for the transition properties dialogws_chk_overwrite_resourceAmaran: anda sedang menulis semula turutanws_click_folder_fileSila klik sama ada di Folder untuk simpan, atau Design untuk menulis semulaError msg if no folder or file is selectedws_dlg_titleRuang kerja0ws_view_license_buttonViewTo show the license to the usercopy_btn_tooltipSalin aktiviti yang dipilihtool tip message for copy button in toolbarpaste_btn_tooltipTampal salinan aktiviti yang dipilihtool tip message for paste button in toolbarccm_open_activitycontentBuka/Edit Isi AktivitiLabel for Custom Context Menuccm_copy_activitySalik AktivitiLabel for Custom Context Menuccm_paste_activityTampal AktivitiLabel for Custom Context Menucv_untitled_lblTiada tajuk - 1Label for Design Title bar on canvasal_empty_designMaaf, Anda tidak boleh simpan design kosongalert message when user want to save an empty designcv_close_return_to_ext_srcTutup dan kembali ke {0}Button label used on close and return button in save confirm message popup.cv_eof_changes_appliedPerubahan telah berjayaChanges have been successful applied.cv_element_readOnly_action_deldibuangAction label for read only alert message for a Canvas Transition.cv_element_readOnly_action_moddiubahAction label for read only alert message for a Canvas Transition.pi_branch_tool_acts_lblInput (Alatan)Label for Tool Activity selection (combo box) for Tool-based Branching on the Property Inspector.pi_defaultBranch_cb_lbldefaultCheckBox label for selecting the Branch as default for the BranchingActivity.to_conditions_dlg_clear_all_btn_lblBersihkan semuaLabel for button to clear all conditions.to_conditions_dlg_remove_item_btn_lbl- BuangLabel for button to remove condition.to_conditions_dlg_from_lblDaripada:Label for start value in condition range for long or numeric output values.to_conditions_dlg_to_lblKepada:Label for end value in condition range for long or numeric output values.to_conditions_dlg_range_lblSet JulatHeading label for section in the dialog to set numeric condition range.branch_mapping_no_mapping_msgTiada Mapping dipilihAlert message when removing a Mapping without a Mapping being selected.branch_mapping_no_condition_msgTiada Kondisi dipilihAlert message when adding a Mapping without a Condition being selected.branch_mapping_dlg_match_dgd_lblMappingHeading label for Mapping datagrid.branch_mapping_dlg_condition_col_valueJulat {0} hingga {1}Value for Condition field in mapping datagrid.ccm_piInspektor Property...Label for Custom Context Menuws_dlg_save_btnSimpanWsp Dia Save Button labelws_newfolder_cancelBatalCancel on the new folder name diaws_newfolder_insSila masukkan nama folder baruInstructions on the new name pop upws_newfolder_okOKOK on the new folder name diaws_rename_insSila masukkan nama baruMessage of the new name for the userws_tree_mywspRuangkerja SayaThe root level of the treesys_errorSistem RalatSystem Error elert window titlelbl_num_activitiesAktivitireplacement for word activitiesal_sendKirimSend button label on the system error dialogws_license_lblLesenLabel for Licence drop down on workspace properties tab viewws_license_comment_lblInformasi Lesen TambahanLabel for Licence Comment description below license drop downmnu_file_importImportMenu bar Importmnu_file_exportExportMenu bar Exportws_click_virtual_folderTidak boleh menggunakan folder iniAlert message for trying to use a virtual folder to save/open a file.prefix_copyof_countSalinan ({0}) untukPrefix for copy paste command for canvas activities when copied activity is pasted multiple times.ws_entre_file_nameSila masukkan nama design, dan klik butang Simpan.Error message when user try to save a design with no file namews_dlg_descriptionDiskripsiLabel for description in Workspace dialog - Properties tabcv_activity_dbclick_readonlyAnda tidah boleh mengubah alatan untuk design bacaan sahaja. Sila simpan salinan design dan cuba lagi.Alert message when double-clicking an Activity in an open read-only designws_file_name_emptyMaaf! Anda tidak dibenarkan menyimpan design tanpa nama fail.Error message when user try to save a design with no file namevalidation_error_inputTransitionType1Aktiviti ini tidak mempunyai input peralihanThis activity has no input transitionsequence_act_titleTurutanDefault title for Sequence Activity.mnu_edit_redoUlangcaraMenu bar Edit > Redomnu_edit_undoNyahcaraMenu bar Edit > Undomnu_tools_optLukis TambahanMenu bar Optionalpi_num_learnersNombor pelajarPI Num learners labelpi_optional_titleAktiviti TambahanTitle for oprional activity property inspectorpi_start_offsetBuka getStart offset labelrename_btnMenamakanLabel for Rename Buttonsched_act_lblJadualLabel for schedule gate activitytk_titleKit AktivitiLabel for Activities Toolkit Paneltrans_btnPeralihanToolbar > Transition Buttonopt_activity_titleAktiviti TambahanTitle for Optional Activity Containeral_cannot_move_activityMaaf anda tidak boleh mengubah aktivitiAlert message when user tries to move child activity of any parallel activitymnu_help_helpTolong Karanganlabel for menu bar Help - Authoring Help optionccm_author_activityhelpTolong Karang AktivitiLabel for Custom Context Menuws_del_confirm_msgAdakah anda pasti untuk membuang fail/folder ini?Confirmation message when user tries to delete a file or folder in workspace dialog boxws_click_file_openSila klik pada Design untuk buka.Alert message if folder tried to be opened.cv_trans_target_act_missingAktiviti kedua Peralihan hilang.Error message when target activity for transition is missingcv_activity_copy_invalidMaaf! Anda tidak dibenarkan menyalin anak aktiviti.Error message when user try to copy child activity from either optional or parallel activity containercv_activity_cut_invalidMaaf! Anda tidak dibenarkan memotong anak aktiviti.Error message when user try to cut child activity from either optional or parallel activity containercv_invalid_trans_target_to_activityPeralihan ke {0} sudah adaError message when a transition to the activity already existcv_design_unsavedDesign di kanvas telah berubah. Sambung tanpa menyimpannya?Alert message when opening/importing when current design on canvas is unsaved or modified.new_btn_tooltipBersihkan turutan sekarang dan reset ruangkerja sedia digunakanTool tip message for new button in toolbaropen_btn_tooltipPapar Dialog Fail untuk buka Turutan AktivitiTool tip message for open button in toolbarsave_btn_tooltipSimpanan cepat Turutan Aktiviti sekarangtool tip message for save button in toolbartrans_btn_tooltipGuna pen untuk lukis turutan diantara aktiviti (atau tekan butang CTRL)tool tip message for transition button in toolbaroptional_btn_tooltipCipta set aktiviti tambahan.tool tip message for optional button in toolbarbranch_btn_tooltipCipta cabang (sedia di LAMS v2.1)tool tip message for branch button in toolbarflow_btn_tooltipCipta kontrol aliran aktivititool tip message for flow button in toolbarvalidation_error_inputTransitionType2Tiada aktiviti hilang input peralihanNo activities are missing their input transition.preview_btn_tooltipPratonton Turutan anda sebagai yang akan dilihat pelajar Tool tip message for preview button in toolbarws_chk_overwrite_existingFolder ini sudah mempunyai fail bernama {0}Alert message when saving a design with the same filename as an existing design.branch_btnCabangLabel for disabled Branch button shown as submenu for flow button in Toolbarflow_btnAliranLabel for Flow button in Toolbarpi_parallel_titleAktiviti SelariTitle for parallel activity property inspectorcv_invalid_trans_circular_sequenceAnda tidak dibenarkan untuk mempunyai turutan berulangError message when a transition from one activity to another is creating a circular loopbin_tooltipJatuhkan aktiviti di tong untuk membuangnya dari turutan aktiviti.Tool tip message for canvas bincv_gateoptional_hit_chkAnda tidak boleh menampah get aktiviti sebagai aktiviti tambahan.Error message when user drags gate activity over to optional containerws_save_folder_invalidAnda tidak boleh menyimpan design di dalam folder ini. Sila pilih sub-folder yang sah.Alert message if root My Workspace folder is selected to save a design in.cv_invalid_trans_target_from_activityPeralihan dari {0} sudah sedia adaError message when a transition from the activity already existcv_activity_helpURL_undefinedTidak berjaya mencari halaman untu {0}Alert message when a tool activity has no help url defined.validation_error_outputTransitionType1Aktiviti ini tidak mempunyai output peralihanThis activity has no output transitionprefs_dlg_titleKeutamaan4act_tool_titleKit alatan AktivitiTitle for Activity Toolkit Panelapp_fail_continueAplikasi tidak dapat disambung. Sila hubungi message if application cannot continue due to any errorvalidation_error_outputTransitionType2Tiada aktiviti hilang output peralihanNo activities are missing their output transition.pi_activity_type_groupingPengumpulan AktivitiActivity type for grouping in Property Inspectorprefix_copyofSalinan untukPrefix for copy paste command for canvas activitiesmnu_file_apply_changesTerap PerubahanApply Changesapply_changes_btnTerap PerubahanApply Changescv_activity_readOnlyAktiviti tidak boleh jadi {0}. Aktiviti hanya untuk dibaca sahaja.Alert message when a user performs an illegal action on a read-only transition.branching_act_titleCabanganLabel for Branching Activitypi_activity_type_sequenceTurutan Aktiviti (Cabang)Activity type for Sequence (Branch) in Property Inspector.groupnaming_dialog_instructions_lblKlik pada nama untuk mengubah nilai.Instructions for Group Naming dialog.branch_mapping_no_branch_msgTiada Cabang dipilih.Alert message when adding a Mapping without a Branch (Sequence) being selected.condmatch_dlg_title_lblKondisi Sesuai ke CabangDialog title for matching conditions to branches for Tool based Branching.branch_mapping_dlg_branch_col_lblCabangColumn heading for showing sequence name of the mapping.branch_mapping_auto_condition_msgSemua Kondisi yang tinggal akan di mapkan ke Cabang asas.Alert message for notifying the user that the unmapped Conditions will be mapped to the default Branch.branch_mapping_dlg_condition_col_value_exactNilai tepat untuk {0}Value for Condition field in mapping datagrid when range set is only single value.pi_mapping_btn_lblSetup PemetaanLabel for button to open tool output to branch(s) dialog.cv_invalid_design_on_apply_changesTidak boleh menerap perubahan. Terdapat satu atau lebih peralihan yang hilang.Cannot apply changes. There are one or more transitions missing.branch_mapping_dlg_branches_lst_lblCabanganLabel for Branches list box on Branch Matching Dialogs.apply_changes_btn_tooltipTerap perubahan ke design dan kembali ke monitor belajar.tool tip message for save button in toolbarpi_activity_type_branchingMencabangkan AktivitiActivity type for Branching in Property Inspector.pi_branch_typeJenis cabanganProperty Inspector Branching type drop down.tool_branch_act_lblOutput AlatanBranching type label for Tool output Branching.group_btn_tooltipCipta aktiviti berkumpulantool tip message for group button in toolbarbranch_mapping_dlg_group_col_lblKumpulanColumn heading for showing group name of the mapping.cv_eof_finish_invalid_msgDesign mesti sah untuk menyelesaikan suntingan.Alert dialog message when attempting to finish Edit on the Fly when the design is invalid.groupmatch_dlg_groups_lst_lblKumpulanLabel for Groups list box on Group/Branch Matching Dialog.pi_lbl_groupPerkumpulanGrouping label for PIws_tree_orgsKumpulan SayaShown in the top level of the tree in the workspacebranch_mapping_no_groups_msgTiada Kumpulan dipilihAlert message when adding a Mapping without a Group being selected.pi_num_groupsNombor kumpulanNumber of groups in Property inspectorpi_group_naming_btn_lblNama KumpulanLabel for button that opens Group Naming dialog.grouping_act_titlePengumpulanDefault title for the grouping activitygroupmatch_dlg_title_lblMap Kumpulan kepada CabangMap Groups to Branchesgroupnaming_dlg_title_lblPenamaan KumpulanTitle label for Group Naming dialog.pi_group_typeJenis PengumpulanProperty Inspector Grouping type drop downgroup_branch_act_lblAsas kumpulanBranching type label for Group-based Branching.pi_lbl_currentgroupPengumpulan SekarangCurrent grouping label for PIcv_invalid_design_savedDesign anda belum lagi sah, tetapi telah disimpan, klik 'Isu' untuk melihat ralat.Message when an invalid design has been savedcv_invalid_trans_targetAnda tidak boleh mencipta peralihan kepada objek iniError message for when transition tool is dropped outside of valid target activitycv_valid_design_savedTahniah! - Design anda sah dan telah disimpanMessage when a valid design has been savedld_val_titleIssue pengesahanThe title for the dialogmnu_tools_prefsKeutamaanMenu bar preferencesmnu_tools_transLukis PeralihanMenu bar draw transitionnew_confirm_msgAdakah anda pasti untuk memadam design anda pada skrin?Msg when user clicks new while working on the existing designpi_definelaterDefine di MonitorLabel for Define later for PIpi_titlePropertiOn the title bar of the PIproperty_inspector_titlePropertiOn the title bar of the PIws_copy_same_folderSumber dan destinasi folder adalah samaThe user has tried to drag and drop to the same placews_dlg_properties_buttonPropertiWorkspace dialogue Properties btn labelws_no_permissionMaaf, anda tidak mempunyai keizinan untuk menulis pada sumber iniMessage when user does not have write permission to complete actionact_lock_chkSila buka kunci Aktiviti Tambahan sebelum menukar aktiviti sebagai pilihanAlert Message if user drags the activity to locked optional activity container sys_error_msg_startSistem ralat telah muncul:Common System error message starting linepi_runofflineRun OfflineLabel for Run Oflinecv_autosave_err_msgRalat telah muncul semasa proses simpanan automatik design anda. Jika ralat ini berterusan sila hubungi Admin SistemAlert error message when auto-save fails.cv_eof_finish_modified_msgAmaran: Design anda telah di ubah. Adakah anda mahu menutup tanpa menyimpannya?Alert dialog message when attempting to finish Edit-on-the-Fly when the design is unsaved.cv_trans_readOnlyPeralihan tidak boleh {0}. Target Peralihan hanya boleh dibaca.Alert message when a user performs an illegal action on a read-only canvas element (transition or activity).cancel_btn_tooltipKembali ke monitor belajar.tool tip message for cancel button in toolbar (edit mode)to_conditions_dlg_title_lblCipta Kondisi Alat OutputDialog title for creating new tool output conditions.pi_define_monitor_cb_lblDefine di MonitorCheckbox label for option to define group to branch mappings in Monitor.cv_autosave_rec_msgAnda akan memulihkan design terakhir yang hilang atau tidak disimpan. Design sekarang anda akan dibersihkan. Teruskan?Message informing users that they have recovered data for a design.mnu_file_recoverPulih...Menu bar Recovervalidation_error_transitionNoActivityBeforeOrAfterPeralihan mesti mempunyai aktiviti sebelum atau selepas peralihanA Transition must have an activity before or after the transitionvalidation_error_activityWithNoTransitionAktiviti mesti mempunyai input atau output peralihanAn activity must have an input or output transitioncv_edit_on_fly_lblSuntingan LiveLabel for canvas lip (where design title is displayed) when in Edit-On-The-Fly mode.about_popup_license_lblProgram ini adalah perisian percuma; anda boleh mengagihkan ia dan/atau mengubah ia dibawah terma GNU General Public Lisense versi 2 seperti yang diumumkan oleh Free Software Foundation.Label displaying the license statement in the About dialog.pi_condmatch_btn_lblSetup Penyataan Kondisi Label for button to open dialog to create output conditions.branch_mapping_dlg_condition_linked_singleKondisi ini ialahPhrase used at start of linked conditions alert message when clearing a single entry.chosen_branch_act_lblPilihan PengajarBranching type label for Teacher choice Branching.to_condition_start_valuenilai mulaValue representing the min boundary value of the conditions range.to_condition_end_valuenilai tamatValue representing the max boundary value of the conditions value.to_condition_invalid_value_range{0} tidak boleh berada diantara jarak kondisi sekarang.Alert message when a submitted condition interferes with another previously submitted condition.to_condition_invalid_value_direction{0} tidak boleh melebihi {1}Alert message when the start value is greater than end value of the submitted condition.is_remove_warning_msgAMARAN: Pengajaran akan dibuang. Adakah anda mahu menyimpan pegajaran sebagai {0}Message for the alert dialog which appears following confirmation dialog for removing a lesson.al_continueSambungContinue button on Alert dialogbranch_mapping_dlg_condition_linked_msg{0} bersambung dengan cabang sedia ada. Anda mahu teruskan?Alert message when performing an action which clears the current list of conditions when one or more is connected to a Branch Mapping.branch_mapping_dlg_condition_linked_allTerdapat kondisiPhrase used at start of linked conditions alert message when clearing all.to_condition_untitled_item_lblUntitled {0}The default condition name for new items added to conditions list when setting up conditions for Tool based branching.redundant_branch_mappings_msgDesign mempunyai cabang pemetaan tidak digunakan yang akan dibuang. Adakah anda mahu teruskan?Alert confirmation message displayed when the user is saving the design and redundant or unused branch mappings exist in the design.cv_activityProtected_activity_remove_msgUntuk buang sila tidak memilih pilihan aktiviti sebagai {0}.Instruction how to delete an Activity linked to a Branching Activity.cv_activityProtected_activity_link_msg{0} bersambung dengan {1}.Alert message when removing a Tool or Grouping Activity that is linked to a Branching Activity on the canvas.cv_activityProtected_child_activity_link_msg{0} mempunyai anak bersambung dengan {1}.Alert message when removing a Complex Activity whose child is linked to a Branching Activity on the canvas.branch_mapping_dlg_condition_col_value_maxLebih dari {0}Value for Condition field in mapping datagrid when Greater than option is selected.optional_act_btnAktivitiToolbar button for Optional Activity.optional_seq_btnTurutanToolbar button for Sequences within Optional Activity.optional_seq_btn_tooltipCipta set pilihan turutanTooltip for Sequences within Optionaly Activity button.about_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.pi_optSequence_remove_msg Confirmation message when user is removing optional sequences (Optional Sequences) that contain activities.pi_optSequence_remove_msg_title Removing sequencesact_seq_lock_chkSila buka bekas Turutan Tidak Wajib sebelum menetapkan aktiviti ke turutan tidak wajib.Alert Message if user drags the activity to locked optional sequences container.pi_no_seq_actNombor TurutanLabel on the Property Inspector for a numeric stepper where the value is the no of sequences in an Optional Activity.lbl_num_sequences{0} - TurutanLabel to describe the amount of sequences in the container.activityDrop_optSequence_error_msgSila letakkan aktiviti ke salah satu turutan.Alert message when user drops an activity onto the Optional Sequences container but not on a contained Sequence Activity.cv_invalid_optional_seq_activity_no_branchesBuang dahan bersambung dari {0} sebelum menambah kedalam turutan tidak wajib.Alert message when user try to drop an activity with connected branches into optional sequences container.cv_invalid_optional_activity_no_branchesTiada turutan dibenarkan lagi pada bekas ini.Error message when a Template Activity icon is dropped onto a empty Optional Sequences container.cv_invalid_optional_seq_activityBuang ke atau dari peralihan dari {0} sebelum seting ia ke turutan tidak wajibAlert message when user try to drop an activity with to or from transition into optional sequences container.ta_iconDrop_optseq_error_msgBuang dahan bersambung dari {0} sebelum seting ia sebagai aktiviti tidak wajibAlert message when a Template Activity icon is dropped onto a empty Optional Sequences container.opt_activity_seq_titleTurutan Tidak WajibTitle for Optional Sequences Container.to_conditions_dlg_defin_item_fn_lbl{0} ({1})Function label value for tool output definition drop-down.to_conditions_dlg_lt_lblKurang dari atau samaLess than option for long type conditions.branch_mapping_dlg_condition_col_value_minKurang dari atau sama {0}Value for Condition field in mapping datagrid when Less than option is selected.pi_actAktivitiMin and max label postfix when an Optional Activity is selected.pi_seqTurutanMin and max label postfix when an Optional Sequences activity is selected.to_conditions_dlg_defin_long_typejulatType description for a long-value based ouput definition.to_conditions_dlg_defin_bool_typebetul/salahType description for a lboolean-value based ouput definition.to_conditions_dlg_defin_item_header_lbl[ DefinisiHeader label value (first index) for tool output definition drop-down.to_conditions_dlg_condition_items_name_col_lblNamaColumn header for the Condition Item(s) datagrid column.to_conditions_dlg_condition_items_value_col_lblKondisiColumn header for the Condition Item(s) datagrid column.to_conditions_dlg_options_item_header_lbl[ Pilihan ]Header label value (first index) for tool long (range) options drop-down.sequence_act_title_new{0} {1}Title for a new Sequence Activity for Optional or Branch and including count value.close_mc_tooltipMinimizeTooltip message for close button on Branching canvas. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/nl_BE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/no_NO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/pl_PL_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/pt_BR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/authoring/ru_RU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/authoring/ru_RU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/authoring/ru_RU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3pi_optional_titleОпциональное заданиеTitle for oprional activity property inspectoropt_activity_titleОпциональное заданиеTitle for Optional Activity Containertk_titleИнструментарий для заданийLabel for Activities Toolkit Panelccm_open_activitycontentОткрыть/Редактировать содержание заданияLabel for Custom Context Menupi_num_learnersКоличество учениковPI Num learners labelws_click_virtual_folderНевозможно использовать эту директорию.Alert message for trying to use a virtual folder to save/open a file.group_btn_tooltipСоздать групповое заданиеtool tip message for group button in toolbarpi_daysДнейDays label in property inspector for gate toolcv_invalid_optional_activityПеред тем как делать это задание опциональным, удалите все переходы на него и с него.Alert message when user try to drop an activity with to or from transition into optional containertrans_btn_tooltipИспользуйте эту ручку для создания перехода между заданиями (или удерживайте клавишу CTRL)tool tip message for transition button in toolbarccm_copy_activityКопировать заданиеLabel for Custom Context Menuccm_paste_activityВставить заданиеLabel for Custom Context Menuccm_piИнспектор свойств...Label for Custom Context Menupi_parallel_titleПараллельное заданиеTitle for parallel activity property inspectorws_dlg_descriptionОписаниеLabel for description in Workspace dialog - Properties tabcv_untitled_lblБез названия - 1Label for Design Title bar on canvasmnu_file_recoverВосстановление...Menu bar Recovercv_invalid_trans_target_from_activityПереход от {0} уже существуетError message when a transition from the activity already existcv_activity_helpURL_undefinedСтраница помощи для {0} не найдена Alert message when a tool activity has no help url defined.ws_chk_overwrite_existingЭтот каталог уже содержит файл с именем {0}Alert message when saving a design with the same filename as an existing design.optional_btn_tooltipСоздать ряд опциональных заданий.tool tip message for optional button in toolbarmnu_file_apply_changesПрименить измененияApply Changesapply_changes_btnПрименить измененияApply Changescancel_btnОтменитьToolbar - Cancel Buttoncv_element_readOnly_action_delудаленоAction label for read only alert message for a Canvas Transition.cv_element_readOnly_action_modизмененоAction label for read only alert message for a Canvas Transition.mnu_file_finishЗавершитьMenu bar File - Finish (Edit Mode)about_popup_title_lblО - {0}Title for the About Pop-up window.pi_start_offsetОткрыть затворStart offset labelpi_lbl_groupГруппировкаGrouping label for PIcv_invalid_design_savedВаш проект не прошел верификацию, но он был сохранен, щелкните 'Разрешение проблем', чтобы увидеть причины этого.Message when an invalid design has been savedws_tree_orgsМои группыShown in the top level of the tree in the workspaceabout_popup_version_lblВерсияLabel displaying the version no on the About dialog.none_act_lblНи одногоNo gate activity selectedgate_btnЗатворToolbar > Gate Buttonpi_definelaterОпределить позжеLabel for Define later for PIpi_end_offsetЗакрыть затворEnd offset labelsave_btn_tooltipБыстрое сохранение текущей последовательности заданийtool tip message for save button in toolbarcopy_btn_tooltipКопировать выделенное заданиеtool tip message for copy button in toolbarnew_btn_tooltipОчистить текущую последовательность и восстановить рабочее пространство для дальнейшего использованияTool tip message for new button in toolbarcv_trans_target_act_missingОтсутствует второе задание для перехода.Error message when target activity for transition is missingccm_author_activityhelpПомощь по Редактору заданийLabel for Custom Context Menupaste_btn_tooltipВставить копию выделенного заданияtool tip message for paste button in toolbaract_tool_titleИнструментарий ЗаданийTitle for Activity Toolkit Panelld_val_activity_columnЗаданиеThe heading on the activity in the ValidationIssuesDialogpi_activity_type_gateЗадание затвораActivity type for gate in PIpi_activity_type_groupingГрупповое заданиеActivity type for grouping in Property Inspectorcv_design_export_unsavedВы не можете экспортировать не сохраненный проект.Alert message when trying to export can unsaved design.cv_activity_copy_invalidИзвините! У Вас нет прав скопировать это дочернее задание.Error message when user try to copy child activity from either optional or parallel activity containerpi_lbl_currentgroupТекущая группировкаCurrent grouping label for PIws_chk_overwrite_resourceВнимание, Вы собираетесь перезаписать ресурс!open_btn_tooltipПоказать диалог выбора файлов для открытия последовательности заданийTool tip message for open button in toolbarcv_activity_cut_invalidИзвините! У Вас нет прав вырезать это дочернее задание.Error message when user try to cut child activity from either optional or parallel activity containeral_cannot_move_activityИзвините, Вы не можете переместить это задание.Alert message when user tries to move child activity of any parallel activitypi_group_typeГруппировка типаProperty Inspector Grouping type drop downws_click_folder_fileПожалуйста, выберите Каталог для сохранения или Проект для его перезаписиError msg if no folder or file is selectedws_no_permissionЖаль, Вы не имеете прав на запись в этот ресурсMessage when user does not have write permission to complete actiontrans_dlg_titleПереходTitle for the transition properties dialogsys_error_msg_finishВы, возможно, должны перезапустить LAMS Author , чтобы продолжить. Вы хотите сохранить следующую информацию об этой ошибке, чтобы помочь установить причину этой проблемы?Common System error message finish paragraphws_del_confirm_msgВы уверены, что хотите удалить этот файл/папку?Confirmation message when user tries to delete a file or folder in workspace dialog boxmnu_file_exitВыходFile Menu Exitapp_chk_langloadЯзыковые данные не были загруженыmessage for unsuccessful language loadingapp_fail_continueВыполнение программы не может быть продолжено. Пожалуйста свяжитесь с группой поддержкиmessage if application cannot continue due to any errorchosen_grp_lblВыбратьLabel for the grouping drop down in the PropertyInspectorcv_invalid_trans_targetВы не можете создать переход к этому объектуError message for when transition tool is dropped outside of valid target activitymnu_edit_cutВырезатьMenu bar Edit > Cutmnu_file_newНовыйMenu bar Newnew_btnНовыйToolbar > New Buttonnew_confirm_msgВы уверены, что хотите заменить текущий проект пустым новым?Msg when user clicks new while working on the existing designpi_runofflineВыполнить автономноLabel for Run Oflineal_activity_copy_invalidИзвините! Вы должны выбрать задание, перед тем как его копироватьAlert message when user select copy activity in context menu or clicks copy button in the menu before selecting any activity on the canvasmnu_tools_transДобавить переходMenu bar draw transitionprefix_copyofКопироватьPrefix for copy paste command for canvas activitieslicense_not_selectedВы не выбрали лицензии. Сделайте это, пожалуйста.Shown if no license is selected in the drop down in workspacemnu_tools_optСоздать контейнер опциональных заданийMenu bar Optionalprefs_dlg_cancelОтменить6prefs_dlg_lng_lblЯзык7prefs_dlg_theme_lblТема8prefs_dlg_titleНастройки4preview_btnПредварительный просмотрToolbar > Preview Buttonproperty_inspector_titleСвойстваOn the title bar of the PIrandom_grp_lblСлучайноLabel for the grouping drop down in the PropertyInspectorrename_btnПереименоватьLabel for Rename Buttonsave_btnСохранитьToolbar > Save buttonsched_act_lblРасписаниеLabel for schedule gate activitysynch_act_lblСинхронизироватьUsed as a label for the Synch Gate Activity Typetrans_dlg_cancelОтменитьCancel button on transition dialogtrans_dlg_gateСинхронизацияHeader for the transition props dialogtrans_dlg_gatetypecmbТипGate type combo labelws_RootКорневой каталогRoot folder title for workspaceact_lock_chkПеред тем как делать это задание опциональным, разблокируйте, пожалуйста, контейнер опциональных заданий.Alert Message if user drags the activity to locked optional activity container ws_copy_same_folderКаталоги Источника и Получателя совпадаютThe user has tried to drag and drop to the same placews_dlg_cancel_buttonОтменить2ws_dlg_filenameИмя файлаLabel for File name in workspace windowws_dlg_location_buttonРасположениеWorkspace dialogue Location btn labelws_dlg_open_btnОткрытьWsp Dia Open Button labelws_dlg_properties_buttonСвойстваWorkspace dialogue Properties btn labelws_dlg_save_btnСохранитьWsp Dia Save Button labelws_dlg_titleРабочая среда0ws_newfolder_cancelОтменитьCancel on the new folder name diaws_newfolder_insПожалуйста введите новое имя папкиInstructions on the new name pop upws_rename_insПожалуйста введите новое имяMessage of the new name for the userws_tree_mywspМоя рабочая средаThe root level of the treews_view_license_buttonПосмотретьTo show the license to the usersys_error_msg_startПроизошла следующая ошибка системы:Common System error message starting linesys_errorСистемная ошибкаSystem Error elert window titleal_sendОтправитьSend button label on the system error dialogws_license_comment_lblДополнительные сведения о лицензииLabel for Licence Comment description below license drop downmnu_help_helpСоздание помощиlabel for menu bar Help - Authoring Help optionws_click_file_openПожалуйста нажмите на Проект, чтобы его открыть.Alert message if folder tried to be opened.pi_num_groupsЧисло группNumber of groups in Property inspectorcv_invalid_trans_target_to_activityПереход к {0} уже существуетError message when a transition to the activity already existcv_design_unsavedПроект изменен. Продолжить без сохранения?Alert message when opening/importing when current design on canvas is unsaved or modified.gate_btn_tooltipСоздать точку остановкиtool tip message for gate button in toolbarbranch_btn_tooltipСоздать переход (доступно в LAMS v 2.1)tool tip message for branch button in toolbarmnu_file_exportЭкспортMenu bar Exportws_no_file_openФайлы не найдены.Alert message if no matching file is found to open in selected folder of Workspace.mnu_file_importИмпортMenu bar Importcv_readonly_lblТолько чтениеLabel for top left of canvas shown when a read-only design is open.cv_autosave_rec_titleПредупреждениеAlert title for auto save recovery message.pi_lbl_titleЗаглавиеTitle label for PIpi_minsМинутыMins label in teh property inspectoral_alertПредупреждениеGeneric title for Alert windowal_cancelОтменитьTo Confirm title for LFErroral_confirmПодтвердитьTo Confirm title for LFErrorapp_chk_themeloadДанные темы не были загруженыmessage for unsuccessful theme loadingcopy_btnКопироватьToolbar > Copy Buttoncv_show_validationРазрешение проблемThe button on the confirm dialogcv_valid_design_savedПоздравления! - Ваш проект прошёл верификацию и был сохраненMessage when a valid design has been saveddb_datasend_confirmСпасибо за Отправку данных на серверMessage when user sucessfully dumps data to the serverdelete_btnУдалитьLabel for Delete buttongroup_btnГруппаToolbar > Group Buttongrouping_act_titleГруппироватьDefault title for the grouping activityld_val_doneЗакончитьThe button label for the dialogld_val_issue_columnПроблемаThe heading on the issue in the ValidationIssuesDialogld_val_titleКонтроль ошибокThe title for the dialogmnu_editПравкаMenu bar Editmnu_edit_copyКопироватьMenu bar Edit > Copymnu_edit_pasteВставитьMenu bar Edit > Pastemnu_edit_redoВернутьMenu bar Edit > Redomnu_edit_undoОтменитьMenu bar Edit > Undomnu_fileФайлMenu bar Filemnu_file_closeЗакрытьMenu bar Closeal_okОКOK on the alert dialogmnu_file_openОткрытьMenu bar Openmnu_file_saveСохранитьMenu bar savemnu_file_saveasСохранить как...Menu bar Save asmnu_helpПомощьMenu bar Helpmnu_help_abtО LAMSMenu bar Aboutmnu_toolsСервисMenu bar Toolsmnu_tools_prefsНастройкиMenu bar preferencesopen_btnОткрытьToolbar > Open Buttonoptional_btnОпцииToolbar > Optional Buttonpaste_btnВставитьToolbar > Paste Buttonperm_act_lblПраваLabel for permission gate activitypi_hoursЧасыHours label in Property Inspectorpi_lbl_descОписаниеDescription Label for PIpi_no_groupingНетCombo title for no groupingpi_titleСвойстваOn the title bar of the PIsequence_act_titleПоследовательностьDefault title for Sequence Activity.pi_condmatch_btn_lblЗадать условияLabel for button to open dialog to create output conditions.condmatch_dlg_cond_lst_lblУсловияLabel for primary list heading on Condition to Branch Matching dialog.pi_defaultBranch_cb_lblпо умолчаниюCheckBox label for selecting the Branch as default for the BranchingActivity.to_conditions_dlg_add_btn_lbl+ ДобавитьLabel for button to add a condition.to_conditions_dlg_clear_all_btn_lblОчистить всеLabel for button to clear all conditions.to_conditions_dlg_remove_item_btn_lbl - УдалитьLabel for button to remove condition.to_conditions_dlg_from_lblотLabel for start value in condition range for long or numeric output values.to_conditions_dlg_to_lblдоLabel for end value in condition range for long or numeric output values.to_conditions_dlg_range_lblПромежутокHeading label for section in the dialog to set numeric condition range.branch_mapping_dlg_condition_col_lblУсловиеColumn heading for showing condition description of the mapping.branch_mapping_dlg_group_col_lblГруппаColumn heading for showing group name of the mapping.branch_mapping_dlg_condition_col_valueВ промежутке от {0} до {1}Value for Condition field in mapping datagrid.ws_license_lblЛицензияLabel for Licence drop down on workspace properties tab viewws_file_name_emptyИзвините! Вы не можете сохранить проект с неопределенным названием файла.Error message when user try to save a design with no file nameal_empty_designИзвините, Вы не можете сохранить пустой проектalert message when user want to save an empty designtrans_btnПереходToolbar > Transition Buttongroupmatch_dlg_groups_lst_lblГруппыLabel for Groups list box on Group/Branch Matching Dialog.to_condition_start_valueначальное значениеValue representing the min boundary value of the conditions range.to_condition_end_valueконечно значениеValue representing the max boundary value of the conditions value.al_continueПродолжитьContinue button on Alert dialogpreview_btn_tooltipПредварительный просмотр вашей последовательности, так как это будет показано для учениковTool tip message for preview button in toolbaral_activity_openContent_invalidПрежде чем нажать на пункт меню Открыть/Редактировать содержание задания, Вы должны выбрать какое-нибудь задание.alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvascv_invalid_trans_circular_sequenceНельзя создавать замкнутые последовательностиError message when a transition from one activity to another is creating a circular loopbranch_mapping_dlg_condition_linked_singleЭто условиеPhrase used at start of linked conditions alert message when clearing a single entry.optional_act_btnЗаданиеToolbar button for Optional Activity.optional_seq_btnПоследовательностьToolbar button for Sequences within Optional Activity.lbl_num_sequences{0} - ПоследовательностейLabel to describe the amount of sequences in the container.pi_actЗаданияMin and max label postfix when an Optional Activity is selected.pi_seqПоследовательностиMin and max label postfix when an Optional Sequences activity is selected.pi_max_actМаксимум {0}Label for maximum Activities or Sequencespi_min_actМинимум {0}Label for minimum Activities or Sequencesws_dlg_ok_buttonОКWsp Dia OK Button labeltrans_dlg_okОКOK Button on transition dialogws_newfolder_okОКOK on the new folder name diaprefs_dlg_okОК5branching_act_titleРазветвлениеLabel for Branching Activitypi_activity_type_sequenceПоследовательностьActivity type for Sequence (Branch) in Property Inspector.condmatch_dlg_title_lblОпределить соотвествие ветвей условиямDialog title for matching conditions to branches for Tool based Branching.chosen_branch_act_lblВыбор преподавателяBranching type label for Teacher choice Branching.pi_define_monitor_cb_lblОпределить позжеCheckbox label for option to define group to branch mappings in Monitor.groupmatch_dlg_title_lblОпределить соотвествие групп ветвямMap Groups to Branchesbranch_btnРазветвлениеLabel for disabled Branch button shown as submenu for flow button in Toolbarbranch_mapping_no_branch_msgНе была выбрана ветвь.Alert message when adding a Mapping without a Branch (Sequence) being selected.branch_mapping_dlg_branch_col_lblВетвьColumn heading for showing sequence name of the mapping.branch_mapping_auto_condition_msgВсе оставшиеся Условия будут относиться к дефолтовой Ветви.Alert message for notifying the user that the unmapped Conditions will be mapped to the default Branch.branch_mapping_dlg_branches_lst_lblВетвиLabel for Branches list box on Branch Matching Dialogs.sequence_act_title_new{0} {1}Title for a new Sequence Activity for Optional or Branch and including count value.to_conditions_dlg_condition_items_value_col_lblУсловиеColumn header for the Condition Item(s) datagrid column.close_mc_tooltipСвернутьTooltip message for close button on Branching canvas.ws_dlg_insert_btnВставитьButton label on Workspace in INSERT mode.branch_mapping_dlg_branch_item_default{0} (по умолчанию)Item value displayed in the Branches list (Tool Conditions mapping dialog) for the default branch.refresh_btnОбновитьButton label for Refresh button on the Tool Output Conditions dialog.pi_tool_output_matching_btn_lblОпределить соотвествия условий ветвямButton in author that allows you to match conditions to branches for tool-output based branchingto_conditions_dlg_defin_user_defined_typeзадано пользователемType description for a user-defined (boolean set) based ouput definition.cv_autosave_rec_msgВы выбрали восстановление предыдущего или несохраненного проекта. Ваш текущий проект будет удален. Желаете продолжить?Message informing users that they have recovered data for a design.cv_close_return_to_ext_srcЗакрыть и вернуться к {0}Button label used on close and return button in save confirm message popup.cancel_btn_tooltipВернуться в мониторингtool tip message for cancel button in toolbar (edit mode)stream_reference_lblLAMSReference label for the application stream.to_conditions_dlg_defin_item_fn_lbl{0} ({1})Function label value for tool output definition drop-down.to_conditions_dlg_lt_lblМеньше либо равноLess than option for long type conditions.branch_mapping_dlg_condition_col_value_minМеньше либо равно {0}Value for Condition field in mapping datagrid when Less than option is selected.to_conditions_dlg_defin_long_typeдиапазонType description for a long-value based ouput definition.to_conditions_dlg_defin_bool_typeправда/ложьType description for a lboolean-value based ouput definition.to_conditions_dlg_options_item_header_lbl[ Условия ]Header label value (first index) for tool long (range) options drop-down.to_conditions_dlg_gte_lblБольше либо равноGreater than or equal toto_conditions_dlg_lte_lblМеньше либо равноLess than or equal tobranch_mapping_dlg_condition_col_value_maxБольше либо равно {0}Value for Condition field in mapping datagrid when Greater than option is selected.lbl_num_activities{0} - Заданияreplacement for word activitiescv_gateoptional_hit_chkВы не можете сделать Затвор опциональным заданиемError message when user drags gate activity over to optional containertrans_dlg_nogateНе заданDrop down default for gate typeal_doneЗакончитьLabel for dialog completion button.branch_mapping_no_condition_msgНе было выбрано Условие.Alert message when adding a Mapping without a Condition being selected.branch_mapping_dlg_condition_col_value_exactЗначение {0}Value for Condition field in mapping datagrid when range set is only single value.branch_mapping_no_groups_msgНе была выбрана Группа.Alert message when adding a Mapping without a Group being selected.to_condition_invalid_value_direction {0} не может быть больше, чем {1}.Alert message when the start value is greater than end value of the submitted condition.is_remove_warning_msgВНИМАНИЕ: Урок будет удален. Вы хотите сохранить его как {0}? Message for the alert dialog which appears following confirmation dialog for removing a lesson.branch_mapping_dlg_condition_linked_allУсловияPhrase used at start of linked conditions alert message when clearing all.cv_activityProtected_activity_remove_msgЧтобы удалить это задание, снимите с него отметку {0}.Instruction how to delete an Activity linked to a Branching Activity.cv_activityProtected_activity_link_msg{0} соединен с {1}.Alert message when removing a Tool or Grouping Activity that is linked to a Branching Activity on the canvas.cv_activityProtected_child_activity_link_msgУ {0} существует потомок, соединенный с {1}.Alert message when removing a Complex Activity whose child is linked to a Branching Activity on the canvas.optional_seq_btn_tooltipСоздать ряд опциональных последовательностей.Tooltip for Sequences within Optionaly Activity button.flow_btnДвижениеLabel for Flow button in Toolbaract_seq_lock_chkПеред тем как привязывать это задание к опциональной последовательности, разблокируйте, пожалуйста, контейнер опциональных заданий.Alert Message if user drags the activity to locked optional sequences container.bin_tooltipЧтобы удалить это задание из последовательности, перетащите его в корзину.Tool tip message for canvas binbranch_mapping_no_mapping_msgНи одного Соотвествия выбрано не было.Alert message when removing a Mapping without a Mapping being selected.pi_group_matching_btn_lblОпределить соотвествия групп ветвямButton in author that allows you to allocate groups to branches for group based branchingal_activity_paste_invalidИзвините, но Вы не можете вставить задание данного типаAlert message when user is attempting to paste a unsupported activity type.preview_btn_tooltip_disabledЧтобы войти в режим Предварительного просмотра Вашего проекта, Вам сначала необходимо сохранить его, а затем нажать кнопку Предварительный просмотрTool tip message for preview button in toolbar when button is disabled.prefix_copyof_countКопия ({0}) Prefix for copy paste command for canvas activities when copied activity is pasted multiple times.ws_entre_file_nameВведите, пожалуйста, имя проекта, а затем нажмите на кнопку Сохранить.Error message when user try to save a design with no file namecv_eof_changes_appliedИзменения применены.Changes have been successful applied.validation_error_transitionNoActivityBeforeOrAfterПереход должен иметь задание до или после себяA Transition must have an activity before or after the transitionvalidation_error_activityWithNoTransitionЗадание должно иметь входящий или исходящий переходAn activity must have an input or output transitionvalidation_error_inputTransitionType1На это задание нет переходаThis activity has no input transitionvalidation_error_inputTransitionType2У всех заданий есть входящие переходыNo activities are missing their input transition.validation_error_outputTransitionType1Нет перехода из этого заданияThis activity has no output transitionvalidation_error_outputTransitionType2У всех заданий есть исходящие переходыNo activities are missing their output transition.cv_invalid_design_on_apply_changesНевозможно применить изменения. Отсутствует один или более переходовCannot apply changes. There are one or more transitions missing.apply_changes_btn_tooltipПрименить изменения в проекте и вернуться в мониторингtool tip message for save button in toolbarcv_activity_readOnlyЗадание не может быть {0}. Задание только для чтения.Alert message when a user performs an illegal action on a read-only transition.cv_eof_finish_invalid_msgЧтобы завершить редактирование, проект не должен содержать ошибокAlert dialog message when attempting to finish Edit on the Fly when the design is invalid.cv_eof_finish_modified_msgВаш проект был изменен. Завершить его без сохранения?Alert dialog message when attempting to finish Edit-on-the-Fly when the design is unsaved.cv_trans_readOnlyПереход не может быть {0}. Объект, на который осуществляется переход, только для чтения.Alert message when a user performs an illegal action on a read-only canvas element (transition or activity).about_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} - торговая марка {0} Foundation ( {1} ).Label displaying the trademark statement in the About dialog.stream_urlhttp://{0}foundation.orgURL address for the application stream.to_condition_untitled_item_lblБезымянный {0}The default condition name for new items added to conditions list when setting up conditions for Tool based branching.pi_optSequence_remove_msg_titleУдаленные последовательностиRemoving sequencespi_no_seq_actНомер последовательностиLabel on the Property Inspector for a numeric stepper where the value is the no of sequences in an Optional Activity.ws_save_folder_invalidВы не можете сохранить проект в этой директории. Выберите, пожалуйста, подходящую поддиректорию.Alert message if root My Workspace folder is selected to save a design in.cv_activity_dbclick_readonlyВы не можете редактировать инструменты, если проект только для чтения. Сохраните, пожалуйста, копию проекта и попробуйте снова.Alert message when double-clicking an Activity in an open read-only designactivityDrop_optSequence_error_msgПоместите, пожалуйста, задание в одну из последовательностей.Alert message when user drops an activity onto the Optional Sequences container but not on a contained Sequence Activity.opt_activity_seq_titleКонтейнер опциональных заданийTitle for Optional Sequences Container.to_conditions_dlg_condition_items_name_col_lblИмяColumn header for the Condition Item(s) datagrid column.groupnaming_dialog_col_groupName_lblИмя группыColumn label for editable datagrid in Group Naming dialog.mnu_file_insertdesignВставить/Слить...Menu item label for Inserting a Learning Design.redundant_branch_mappings_msgПроект содержит неиспользованные соответствия, которые будут удалены. Продолжить?Alert confirmation message displayed when the user is saving the design and redundant or unused branch mappings exist in the design.pi_optSequence_remove_msgУдаляемые последовательности могут содержать задания. Эти задания также будут удалены. Все равно удалить?Confirmation message when user is removing optional sequences (Optional Sequences) that contain activities.flow_btn_tooltipСоздать задания, управляющие движениемtool tip message for flow button in toolbarcv_autosave_err_msgПроизошла ошибка при попытке австосохранить Ваш проект. Увеличьте, пожалуйста, размер памяти в настройках вашего Flash Player.Alert error message when auto-save fails.cv_edit_on_fly_lblРедактирование "на лету"Label for canvas lip (where design title is displayed) when in Edit-On-The-Fly mode.about_popup_license_lblЭто программа является free software; Вы можете распространять и/или изменять ее при условиях соответствия GNU General Public License version 2 опубликованной Free Software Foundation. {0}Label displaying the license statement in the About dialog.gpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.groupnaming_dialog_instructions_lblЧтобы поменять имя, щекните на нем.Instructions for Group Naming dialog.pi_branch_tool_acts_lblИнструментLabel for Tool Activity selection (combo box) for Tool-based Branching on the Property Inspector.group_branch_act_lblНа основе группBranching type label for Group-based Branching.groupnaming_dlg_title_lblНазвания группTitle label for Group Naming dialog.pi_group_naming_btn_lblНазвания группLabel for button that opens Group Naming dialog.to_condition_invalid_value_range{0} не может пересекаться с диапазоном другого Условия.Alert message when a submitted condition interferes with another previously submitted condition.ta_iconDrop_optseq_error_msgВ контейнере опциональных заданий нет последовательностей.Error message when a Template Activity icon is dropped onto a empty Optional Sequences container.cv_invalid_optional_seq_activityПеред тем как привязывать {0} к опциональной последовательности, удалите все переходы, связанные с ним.Alert message when user try to drop an activity with to or from transition into optional sequences container.cv_invalid_optional_activity_no_branchesПеред тем как делать {0} опциональным заданием, удалите все разветвления, связанные с ним.Alert message when a Template Activity icon is dropped onto a empty Optional Sequences container.pi_mapping_btn_lblЗадать соответствияLabel for button to open tool output to branch(s) dialog.to_conditions_dlg_title_lblСоздать результирующие УсловияDialog title for creating new tool output conditions.to_conditions_dlg_defin_item_header_lbl[Выберите тип результатов]Header label value (first index) for tool output definition drop-down.tool_branch_act_lblРезультаты ученикаBranching type label for Tool output Branching.grouping_invalid_with_common_names_msgВы не можете сохранить проект, так как групповое задание '{0}' содержит группы с одинаковыми именами. Переименуйте их, пожалуйста, и попробуйте снова.Alert message displayed when the Grouping validation fails during saving a design.branch_mapping_dlg_match_dgd_lblСоотвествияHeading label for Mapping datagrid.branch_mapping_dlg_condtion_items_update_defaultConditions_zeroНевозможно сохранить, так как не заданы Условия. Вам, возможно, потребAlert message when the updating the conditions with a selected output definition that has no default conditions.cv_design_insert_warningКак только вы сольете новую последовательность со старой, у вас не будет возможности отменить это действие - так как ваша новообразованная последовательность будет тутже автоматически сохранена. Чтобы вернуться назад, вам придется удалить все новые задания вручную и затем сохранить. Нажмите кнопку Отменить - чтобы оставить вашу последовательность неизмененной. ОК - чтобы продожить слияние.Warning message when merge/insertpi_branch_typeРазветвляющийсяProperty Inspector Branching type drop down.pi_activity_type_branchingРазветвляющиеся заданияActivity type for Branching in Property Inspector.cv_invalid_optional_seq_activity_no_branchesПеред тем, как добавлять {0} к опциональной последовательности, удалите все ветви, в которых оно участвует.Alert message when user try to drop an activity with connected branches into optional sequences container.branch_mapping_dlg_condition_linked_msg{0} соединен с уже существующей ветвью. Продолжить?Alert message when performing an action which clears the current list of conditions when one or more is connected to a Branch Mapping.condmatch_dlg_message_lblЧтобы задать ветвь "по умолчанию", щелкните на флажке "по умолчанию" в свойствах соотвествующей ветви.Label for a message in the Condition to Branch matching dialog.to_conditions_dlg_condition_items_update_defaultConditionsУсловия для выбранных результирующих определений будут сохранены. Но при этом все ссылки на существующие ветви будут удалены. Продолжить?Confirm message for alert dialog when refreshing the default conditions for a selected definition in the Tool Output Conditions dialog. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/sv_SE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/th_TH_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/authoring/tr_TR_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/authoring/tr_TR_dictionary.xml (revision 0) +++ lams_central/web/flashxml/authoring/tr_TR_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3new_btnYeniToolbar > New Buttonnone_act_lblHiçbiriNo gate activity selectedbranch_mapping_dlg_condition_linked_singleKoşulPhrase used at start of linked conditions alert message when clearing a single entry.paste_btn_tooltipSeçilen etkinliğin kopyasını yapıştırtool tip message for paste button in toolbaral_cancelİptalTo Confirm title for LFErroral_confirmOnaylaTo Confirm title for LFErroral_okTamamOK on the alert dialogapp_chk_langloadDil verisi henüz yüklenmedimessage for unsuccessful language loadingcopy_btnKopyalaToolbar > Copy Buttondelete_btnSilLabel for Delete buttonld_val_activity_columnEtkinlikThe heading on the activity in the ValidationIssuesDialogmnu_editDüzenMenu bar Editmnu_edit_copyKopyalaMenu bar Edit > Copymnu_edit_cutKesMenu bar Edit > Cutmnu_edit_pasteYapıştırMenu bar Edit > Pastemnu_edit_undoGeri AlMenu bar Edit > Undomnu_fileDosyaMenu bar Filemnu_file_closeKapatMenu bar Closemnu_file_newYeniMenu bar Newmnu_file_openMenu bar Openmnu_file_saveKaydetMenu bar savemnu_file_saveasFarklı KaydetMenu bar Save asmnu_helpYardımMenu bar Helpmnu_help_abtLAMS HakkındaMenu bar Aboutmnu_toolsAraçlarMenu bar Toolsmnu_tools_prefsSeçeneklerMenu bar preferencesopen_btnToolbar > Open Buttonoptional_btnSeçmeliToolbar > Optional Buttonccm_open_activitycontentEtkinlik içeriğini aç/düzenleLabel for Custom Context Menuws_newfolder_cancelİptalCancel on the new folder name diacv_close_return_to_ext_srcKapat ve {0}' a dönButton label used on close and return button in save confirm message popup.cv_readonly_lblSalt okunurLabel for top left of canvas shown when a read-only design is open.stream_reference_lblLAMS (Öğrenme Etkinliği Yönetim Sistemi)Reference label for the application stream.optional_act_btnEtkinlikToolbar button for Optional Activity.pi_actEtkinliklerMin and max label postfix when an Optional Activity is selected.to_conditions_dlg_gte_lblBüyük veya eşitGreater than or equal toto_conditions_dlg_lte_lblKüçük veya eşitLess than or equal tows_dlg_insert_btnEkleButton label on Workspace in INSERT mode.al_group_name_invalid_blankGrup isimleri boş bırakılamazWarning message to be displayed in Author for the Group Naming dialog when the user tries to assign an empty group name to a groupal_group_name_invalid_existingBu grup ismi kullanılıyor, farklı bir isim giriniz.Warning message to be displayed in Author for the Group Naming dialog when the user tries to assign an already existing group name to a different groupcv_eof_changes_appliedDeğişiklikler başarıyla uygulandıChanges have been successful applied.validation_error_transitionNoActivityBeforeOrAfterBir geçiş öncesinde veya sonrasında mutlaka bir etkinlik barındırmalıdırA Transition must have an activity before or after the transitionvalidation_error_activityWithNoTransitionBir etkinliğin giriş veya çıkış geçişi olmalıdırAn activity must have an input or output transitionvalidation_error_inputTransitionType1Bu etkinliğin giriş geçişi yokturThis activity has no input transitionvalidation_error_outputTransitionType1Bu etkinliğin çıkış geçişi yokturThis activity has no output transitioncv_invalid_design_on_apply_changesDeğişiklikler uygulanamıyor. Bir veya fazla geçiş eksik.Cannot apply changes. There are one or more transitions missing.apply_changes_btn_tooltipDeğişiklikleri uygula ve dersi tool tip message for save button in toolbarbranch_mapping_dlg_branches_lst_lblDallanmalarLabel for Branches list box on Branch Matching Dialogs.groupnaming_dlg_title_lblGrup adlandırmaTitle label for Group Naming dialog.pi_activity_type_branchingDallanma etkinliğiActivity type for Branching in Property Inspector.pi_branch_typeDallanma türüProperty Inspector Branching type drop down.pi_group_naming_btn_lblGrupları adlandırLabel for button that opens Group Naming dialog.sequence_act_titleAkış sırasıDefault title for Sequence Activity.branch_mapping_dlg_condition_linked_allKoşullar varPhrase used at start of linked conditions alert message when clearing all.pi_optSequence_remove_msg_titleAkış şırasını kaldırRemoving sequencespi_group_matching_btn_lblGrupları dallanmalarla eşleştirButton in author that allows you to allocate groups to branches for group based branchingpi_tool_output_matching_btn_lblKoşulları dallanmalarla eşleştirButton in author that allows you to match conditions to branches for tool-output based branchingws_newfolder_okTAMAMOK on the new folder name diaws_newfolder_insYeni bir dosya ismi girinizInstructions on the new name pop upws_no_permissionÜzgünüm, bu kaynağa yazmak için izniniz yokMessage when user does not have write permission to complete actionws_rename_insLütfen yeni ismi girinizMessage of the new name for the userlicense_not_selectedHenüz bir lisans seçilmedi- Lütfen bir tane seçinizShown if no license is selected in the drop down in workspaceperm_act_lblİzinLabel for permission gate activityws_tree_mywspÇalışma alanımThe root level of the treews_tree_orgsGruplarımShown in the top level of the tree in the workspacews_view_license_buttonGörünümTo show the license to the usersys_error_msg_startAşağıdaki hata meydana geldi:Common System error message starting linemnu_help_helpYazarlık Yardımlabel for menu bar Help - Authoring Help optionccm_author_activityhelpYazarlık Etkinliği Yardım Label for Custom Context Menuws_del_confirm_msgBu dosya/klasörü silmek istediğinizden emin misiniz?Confirmation message when user tries to delete a file or folder in workspace dialog boxws_click_file_openAçmak için lütfen bir tasarımın üzerine tıklayınızAlert message if folder tried to be opened.copy_btn_tooltipSeçilen etkinliği kopyalatool tip message for copy button in toolbargrouping_act_titleGrup OluşturDefault title for the grouping activitybranch_mapping_dlg_condition_col_value{0} ile {1} aralığıValue for Condition field in mapping datagrid.pi_group_typeGruplama türüProperty Inspector Grouping type drop downpi_lbl_currentgroupGeçerli GruplamaCurrent grouping label for PIsynch_act_lblSenkronize etUsed as a label for the Synch Gate Activity Typebranch_mapping_dlg_branch_col_lblDallanmaColumn heading for showing sequence name of the mapping.trans_dlg_gateSenkronize etmeHeader for the transition props dialogws_dlg_location_buttonKonumWorkspace dialogue Location btn labeloptional_seq_btnAkışToolbar button for Sequences within Optional Activity.cv_invalid_trans_target_to_activity{0} 'dan daha önce bir geçiş atanmışError message when a transition to the activity already existcv_design_unsavedTasarım değiştirildi. Kaydetmeden devam etmek istiyor musunuz?Alert message when opening/importing when current design on canvas is unsaved or modified.save_btn_tooltipEtkinlik akışını hızlı kaydettool tip message for save button in toolbaroptional_btn_tooltipBir dizi seçmeli etkinlik oluşturur.tool tip message for optional button in toolbarbranch_btn_tooltipDallanma oluşturtool tip message for branch button in toolbargroup_btn_tooltipGrup etkinliği oluştur.tool tip message for group button in toolbarpreview_btn_tooltipÖğrenenlerin göreceği biçimde akışı önizleTool tip message for preview button in toolbaral_activity_copy_invalidÜzgünüm! Kopyalama yapmadan önce etkinliği seçmelisinizAlert message when user select copy activity in context menu or clicks copy button in the menu before selecting any activity on the canvasccm_piÖzelliklerLabel for Custom Context Menubranch_btnDallanmaLabel for disabled Branch button shown as submenu for flow button in Toolbarcv_invalid_trans_target_from_activity{0} 'dan daha önce bir geçiş atanmışError message when a transition from the activity already existlbl_num_sequences{0} - AkışLabel to describe the amount of sequences in the container.opt_activity_seq_titleSeçmeli AkışTitle for Optional Sequences Container.to_conditions_dlg_defin_bool_typeDoğru/YanlışType description for a lboolean-value based ouput definition.ws_dlg_titleÇalışma Alanı0group_btnGrupToolbar > Group Buttonld_val_doneTamamThe button label for the dialogpi_lbl_groupGruplamaGrouping label for PItrans_btnGeçişToolbar > Transition Buttontrans_dlg_gatetypecmbTürGate type combo labeltrans_dlg_titleGeçişTitle for the transition properties dialogopt_activity_titleSeçmeli EtkinlikTitle for Optional Activity Containerws_license_comment_lblEk Lisans BilgisiLabel for Licence Comment description below license drop downal_cannot_move_activityÜzgünüm bu etkinliği taşıyamazsınızAlert message when user tries to move child activity of any parallel activityws_click_virtual_folderBu dizini kullanamazsınızAlert message for trying to use a virtual folder to save/open a file.prefix_copyof_countKopyası ({0})Prefix for copy paste command for canvas activities when copied activity is pasted multiple times.ws_entre_file_nameLütfen tasarım ismini giriniz ve Kaydet butonuna tıklayınızError message when user try to save a design with no file namecv_activity_helpURL_undefined{0} için yardım dosyasını bulamıyorAlert message when a tool activity has no help url defined.ws_dlg_descriptionTanımlamaLabel for description in Workspace dialog - Properties tabact_tool_titleEtkinlik Araç KutusuTitle for Activity Toolkit Panelapp_chk_themeloadTema verisi yüklenmedimessage for unsuccessful theme loadingapp_fail_continueUygulama tamamlanamadı. Lütfen destek için iletişime geçiniz.message if application cannot continue due to any errorcv_invalid_trans_targetBu nesne için geçiş yaratamazsınız.Error message for when transition tool is dropped outside of valid target activitycv_valid_design_savedTebrikler! - Tasarımınız oluşturuldu ve kaydedildiMessage when a valid design has been saveddb_datasend_confirmSunucuya gönderdiğiniz veri için teşekkürlerMessage when user sucessfully dumps data to the servermnu_edit_redoİleri alMenu bar Edit > Redonew_confirm_msgEkrandaki tasarımınızı silmek istediğinizden emin misiniz?Msg when user clicks new while working on the existing designpaste_btnYapıştırToolbar > Paste Buttonpi_activity_type_groupingGrup EtkinliğiActivity type for grouping in Property Inspectorpi_hoursSaatlerHours label in Property Inspectorpi_lbl_descTanımDescription Label for PIpi_lbl_titleBaşlıkTitle label for PIpi_minsDakikalarMins label in teh property inspectorpi_no_groupingHiçbiriCombo title for no groupingpi_num_learnersÖğrenen sayısıPI Num learners labelpi_optional_titleSeçmeli EtkinlikTitle for oprional activity property inspectorpi_runofflineÇevrimdışı EtkinlikLabel for Run Oflinepi_titleÖzelliklerOn the title bar of the PIprefix_copyofKopyasıPrefix for copy paste command for canvas activitiesprefs_dlg_cancelİptal6prefs_dlg_lng_lblDil7prefs_dlg_okTAMAM5prefs_dlg_theme_lblTema8prefs_dlg_titleTercihler4preview_btnÖnizlemeToolbar > Preview Buttonproperty_inspector_titleÖzelliklerOn the title bar of the PIrandom_grp_lblRastgeleLabel for the grouping drop down in the PropertyInspectorrename_btnYeniden AdlandırLabel for Rename Buttonsave_btnKaydetToolbar > Save buttontk_titleEtkinlik Araç KutusuLabel for Activities Toolkit Paneltrans_dlg_cancelİptalCancel button on transition dialogtrans_dlg_okTAMAMOK Button on transition dialogws_RootAna dizinRoot folder title for workspacews_chk_overwrite_resourceUyarı: Bu sıralamanın üzerine yazmak üzeresiniz!ws_copy_same_folderKaynak ve hedef dizinler aynıThe user has tried to drag and drop to the same placews_dlg_cancel_buttonİptal2ws_dlg_filenameDosya adıLabel for File name in workspace windowws_dlg_ok_buttonTAMAMWsp Dia OK Button labelws_dlg_open_btnWsp Dia Open Button labelws_dlg_properties_buttonÖzelliklerWorkspace dialogue Properties btn labelws_dlg_save_btnKaydetWsp Dia Save Button labelsys_errorSistem hatasıSystem Error elert window titleal_sendGönderSend button label on the system error dialogpi_daysGünlerDays label in property inspector for gate toolws_license_lblLisansLabel for Licence drop down on workspace properties tab viewpi_num_groupsGrup sayısıNumber of groups in Property inspectorgate_btn_tooltipBitiş noktası yaratınıztool tip message for gate button in toolbarflow_btn_tooltipAkış kontrol etkinliği yaratınıztool tip message for flow button in toolbarccm_copy_activityEtkinliği KopyalaLabel for Custom Context Menuccm_paste_activityEtkinliği YapıştırLabel for Custom Context Menumnu_file_exitÇıkışFile Menu Exitws_no_file_openDosya bulunamadıAlert message if no matching file is found to open in selected folder of Workspace.flow_btnAkışLabel for Flow button in Toolbartrans_dlg_nogateHiçbiriDrop down default for gate typecv_untitled_lblBaşlıksız - 1Label for Design Title bar on canvasal_empty_designÜzgünüm, boş bir tasarımı kaydedemezsiniz.alert message when user want to save an empty designcv_autosave_rec_titleUyarıAlert title for auto save recovery message.mnu_file_apply_changesDeğişiklikler UygulaApply Changesapply_changes_btnDeğişiklikler UygulaApply Changescancel_btnİptalToolbar - Cancel Buttoncv_activity_readOnlyBu etkinlik sadece okunabilirAlert message when a user performs an illegal action on a read-only transition.cv_element_readOnly_action_delKaldırıldıAction label for read only alert message for a Canvas Transition.cv_element_readOnly_action_modDeğiştirildiAction label for read only alert message for a Canvas Transition.cv_eof_finish_invalid_msgDüzenlemeyi bitirmeniz için tasarımın geçerli olması gerekmektedir.Alert dialog message when attempting to finish Edit on the Fly when the design is invalid.cv_eof_finish_modified_msgUyarı: Tasarımınız değiştirildi. Kaydetmeden kapatmak istiyor musunuz?Alert dialog message when attempting to finish Edit-on-the-Fly when the design is unsaved.mnu_file_finishBitirMenu bar File - Finish (Edit Mode)about_popup_title_lblHAkkındaTitle for the About Pop-up window.pi_activity_type_sequenceSıralı EtkinlikActivity type for Sequence (Branch) in Property Inspector.groupnaming_dialog_instructions_lblDeğerini değiştirmek istediğiniz ismin üzerine tıklayınız.Instructions for Group Naming dialog.to_conditions_dlg_add_btn_lbl+ EkleLabel for button to add a condition.to_conditions_dlg_clear_all_btn_lblHepsini TemizleLabel for button to clear all conditions.to_conditions_dlg_remove_item_btn_lblKaldırLabel for button to remove condition.to_conditions_dlg_from_lblBuradanLabel for start value in condition range for long or numeric output values.to_conditions_dlg_to_lblBurayaLabel for end value in condition range for long or numeric output values.branch_mapping_dlg_group_col_lblGrupColumn heading for showing group name of the mapping.to_conditions_dlg_defin_user_defined_typeKullanıcı tanımlıType description for a user-defined (boolean set) based ouput definition.al_alertDikkat!Generic title for Alert windowal_doneSonlandırLabel for dialog completion button.condmatch_dlg_cond_lst_lblDurumlarLabel for primary list heading on Condition to Branch Matching dialog.pi_defaultBranch_cb_lblVarsayılanCheckBox label for selecting the Branch as default for the BranchingActivity.branch_mapping_dlg_condition_col_lblDurumColumn heading for showing condition description of the mapping.chosen_branch_act_lblÖğretmen seçimiBranching type label for Teacher choice Branching.groupmatch_dlg_groups_lst_lblGruplarLabel for Groups list box on Group/Branch Matching Dialog.tool_branch_act_lblÖğrenen çıktısıBranching type label for Tool output Branching.to_condition_start_valueBaşlangıç değeriValue representing the min boundary value of the conditions range.to_condition_end_valueBitiş değeriValue representing the max boundary value of the conditions value.to_condition_invalid_value_direction{0} {1} den büyük olamazAlert message when the start value is greater than end value of the submitted condition.al_continueDevamContinue button on Alert dialogto_condition_untitled_item_lblBaşlıksız {0}The default condition name for new items added to conditions list when setting up conditions for Tool based branching.branch_mapping_dlg_condition_col_value_maxBüyük veya eşit {0}Value for Condition field in mapping datagrid when Greater than option is selected.to_conditions_dlg_lt_lblKüçük veya eşitLess than option for long type conditions.pi_max_actEn fazla {0}Label for maximum Activities or Sequencespi_min_actEn az {0}Label for minimum Activities or Sequencesto_conditions_dlg_condition_items_name_col_lblİsimColumn header for the Condition Item(s) datagrid column.to_conditions_dlg_condition_items_value_col_lblDurumColumn header for the Condition Item(s) datagrid column.to_conditions_dlg_options_item_header_lbl[ Seçenekler ]Header label value (first index) for tool long (range) options drop-down.groupnaming_dialog_col_groupName_lblGrup AdıColumn label for editable datagrid in Group Naming dialog.mnu_file_insertdesignEkle/BirleştirMenu item label for Inserting a Learning Design.refresh_btnYenileButton label for Refresh button on the Tool Output Conditions dialog.al_activity_paste_invalidÜzgünüm bu tür bir etkinliği kopyalayamazsınızAlert message when user is attempting to paste a unsupported activity type.preview_btn_tooltip_disabledAkış diagramını görüntülemek için önce çalışmanızı kaydedin daha sonra önizlemeye tıklayınTool tip message for preview button in toolbar when button is disabled.pi_branch_tool_acts_default--Seçin--Default item label for Input Tool dropdown list.mnu_tools_optSeçmeli çizMenu bar Optionallbl_num_activities{0} - Etkinliklerreplacement for word activitiessched_act_lblZaman çizelgesiLabel for schedule gate activityopen_btn_tooltipEtkinlik akışını açmak için dosya diyalogunu gösterTool tip message for open button in toolbarcv_design_export_unsavedKaydedilmemiş bir tasarımı dışa aktaramazsınızAlert message when trying to export can unsaved design.mnu_file_exportDışa aktarMenu bar Exportmnu_file_importİçe aktarMenu bar Importabout_popup_version_lblSürümLabel displaying the version no on the About dialog.gpl_license_url http://www.gnu.org/licenses/gpl.txtURL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.branching_act_titleDallanmaLabel for Branching Activitybranch_mapping_no_branch_msgDallanma seçilmediAlert message when adding a Mapping without a Branch (Sequence) being selected.pi_condmatch_btn_lblKoşul oluşturLabel for button to open dialog to create output conditions.to_conditions_dlg_title_lblÇıktı koşulları oluşturDialog title for creating new tool output conditions.condmatch_dlg_title_lblKoşulları dallanmalarla eşleştirDialog title for matching conditions to branches for Tool based Branching.act_lock_chkLütfen bu etkinliği seçmeli olarak tanımlamadan önce Seçmeli Etkinlik kutusunun kilidini açınız. Alert Message if user drags the activity to locked optional activity container cv_trans_target_act_missingGeçişin ikinci etkinliği eksik.Error message when target activity for transition is missingcv_activity_copy_invalidÜzgünüm! Bu alt etkinliği kopyalama izniniz yokError message when user try to copy child activity from either optional or parallel activity containermnu_tools_transGeçiş çizMenu bar draw transitionws_click_folder_fileLütfen kaydetmek için bir klasöre, üzerine yazmak için Tasarıma tıklayınız.Error msg if no folder or file is selectedsys_error_msg_finishDevam etmek için LAMS Tasarımı yeniden başlatmalısınız. Problem belirlenmesine yardımcı olacak hata bilgisini kaydetmek istiyor musunuz?Common System error message finish paragraphws_chk_overwrite_existingBu klasörde {0} isimli dosya daha önceden kaydedilmiş.Alert message when saving a design with the same filename as an existing design.pi_parallel_titleParalel EtkinlikTitle for parallel activity property inspectorws_save_folder_invalidBu klasöre bir tasarım kaydedemezsiniz. Lütfen geçerli bir alt-klasör seçin.Alert message if root My Workspace folder is selected to save a design in.cv_autosave_rec_msgKaydedilmemiş veya kaybedilmiş son tasarımınızı kurtarmak üzeresiniz. Geçerli tasarımınız silinecek. Devam etmek istiyor musunuz?Message informing users that they have recovered data for a design.mnu_file_recoverKurtar...Menu bar Recovercv_activity_cut_invalidÜzgünüm! Bu alt etkinliği kesmeye izniniz yok.Error message when user try to cut child activity from either optional or parallel activity containernew_btn_tooltipGeçerli sıralamayı temizlerve çalışma alanını kullanım için hazırlar.Tool tip message for new button in toolbartrans_btn_tooltipBu kalemi etkinlikler arasında geçiş oluşturmak için kullanınız. (veya CTRL tuşuna basınız.)tool tip message for transition button in toolbaral_activity_openContent_invalidÜzgünüm! Etkinlik sağ menüsündeki Etkinlik içeriği Aç/Düzenle maddesine tıklamadan önce etkinliği seçmek zorundasınız.alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasabout_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} is a trademark of {0} Foundation ( {1} ). Label displaying the trademark statement in the About dialog.about_popup_license_lblBu program üzretsiz bir yazılımdır; dağıtabilir ve/veya Free Softvare Foundation tarafından yayınlanan GNU General Public Licence version 2 şartları altında değiştirebilirsiniz.Label displaying the license statement in the About dialog.branch_mapping_no_groups_msgHiçbir grup seçilmedi.Alert message when adding a Mapping without a Group being selected.group_branch_act_lblGrup-tabanlıBranching type label for Group-based Branching.branch_mapping_dlg_condition_linked_msg{0} varolan bir dallanmaya bağlı. Devam etmek istiyor musunuz?Alert message when performing an action which clears the current list of conditions when one or more is connected to a Branch Mapping.branch_mapping_dlg_branch_item_default{0} (varsayılan)Item value displayed in the Branches list (Tool Conditions mapping dialog) for the default branch.to_conditions_dlg_condition_items_update_defaultConditionsSeçilen çıktı tanımları için durumlarınız güncellenmek üzere. Bu varolan tüm dallanmaları temizleyecektir. Devam etmek istiyor musunuz?Confirm message for alert dialog when refreshing the default conditions for a selected definition in the Tool Output Conditions dialog.cv_invalid_branch_target_to_activityDaha önce {0}'a bir dallanma oluşturulmuş.Error message displayed after drawing a branch to an activity that has an existing connected branch.cv_invalid_branch_target_from_activityDaha önce {0}'dan bir dallanma oluşturulmuş.Error message displayed after drawing a branch from an activity that has an existing connected branch.cv_invalid_trans_closed_sequenceKapalı bir sıralamaya yeni bir geçiş bağlayamazsınız.Error message displayed after drawing a transition from an activity in a closed sequence.cv_activity_dbclick_readonlySalt okunur bir tasarımı düzenleyemezsiniz. Lütfen tasarımın bir kopyasını kaydedip yeniden deneyiniz.Alert message when double-clicking an Activity in an open read-only designis_remove_warning_msgUYARI: Bu ders kaldırılmak üzere. Bu dersi {0} olarak saklamak ister misiniz?Message for the alert dialog which appears following confirmation dialog for removing a lesson.cv_activityProtected_activity_remove_msgKaldırmak için lütfen bu etkinliğin {0} seçimini kaldırınız.Instruction how to delete an Activity linked to a Branching Activity.redundant_branch_mappings_msgBu tasarım kullanılmayan dallanma haritaları içeriyor ve kaldırılacak. Devam etmek istiyor musunuz?Alert confirmation message displayed when the user is saving the design and redundant or unused branch mappings exist in the design.cv_invalid_trans_diff_branchesFarklı dallanmaların içindeki etkinlikler arasında geçiş oluşturamazsınız.Error message displayed after drawing a transition between activities of two different branches.grouping_invalid_with_common_names_msg{0} grupllama etkinliğinin birden fazla aynı ismi olması nedeniyle tasarımı kaydedemiyor. Gruplamay gözden geçirip tekrar deneyiniz.Alert message displayed when the Grouping validation fails during saving a design.gate_btnKapıToolbar > Gate Buttonpi_start_offsetKapıyı açStart offset labelact_seq_lock_chkLütfen bu etkinliği seçmeli etkinliğe atamadan önce Seçmeli Etkinlik kutusunun kilidini açınız.Alert Message if user drags the activity to locked optional sequences container.activityDrop_optSequence_error_msgLütfen etkinliği sıralamalardan birinin üzerine bırakınız.Alert message when user drops an activity onto the Optional Sequences container but not on a contained Sequence Activity.cv_activityProtected_activity_link_msg{0} {1}'e bağlanmıştır.Alert message when removing a Tool or Grouping Activity that is linked to a Branching Activity on the canvas.optional_seq_btn_tooltipBir dizi seçmeli etkinlik oluşturur.Tooltip for Sequences within Optionaly Activity button.ws_file_name_emptyÜzgünüm! Bir tasarımı dosya ismi olmadan kaydedemezsiniz.Error message when user try to save a design with no file namecv_invalid_optional_seq_activity_no_branchesEtkinliği seçmeli sıralamaya eklemeden önce {0}'a bağlı dallanmaları kaldırınız.Alert message when user try to drop an activity with connected branches into optional sequences container.cv_invalid_optional_seq_activity{0}'ı seçmeli sıralama olarak ayarlamadan önce ona bağlı tüm geçişleri kaldırmalısınız.Alert message when user try to drop an activity with to or from transition into optional sequences container.to_conditions_dlg_defin_item_fn_lbl {0} ({1})Function label value for tool output definition drop-down.branch_mapping_dlg_condition_col_value_min{0}'dan küçük veya eşitValue for Condition field in mapping datagrid when Less than option is selected.to_conditions_dlg_defin_item_header_lbl[ Çıktı seç]Header label value (first index) for tool output definition drop-down.sequence_act_title_new{0} {1}Title for a new Sequence Activity for Optional or Branch and including count value.close_mc_tooltipSimge durumuna küçültTooltip message for close button on Branching canvas.pi_branch_tool_acts_lblGirdi (Araç)Label for Tool Activity selection (combo box) for Tool-based Branching on the Property Inspector.cv_activityProtected_child_activity_link_msg{0}'ın {1}'e bağlı bir alt etkinliği var.Alert message when removing a Complex Activity whose child is linked to a Branching Activity on the canvas.pi_optSequence_remove_msgKaldırılacak sıralama/lar etkinlikler içeriyor olabilir. Bu sıralamaları kaldırmak istiyor musunuz?Confirmation message when user is removing optional sequences (Optional Sequences) that contain activities.pi_seqSıralamalarMin and max label postfix when an Optional Sequences activity is selected.pi_end_offsetKapıyı kapatEnd offset labelal_cannot_move_to_diff_opt_seqBir etkinliği seçmeli etkinlikler içinde farklı bir sıralamaya taşımak için önce etkinliği seçmeli etkinlik alanı dışına sürüklemeniz ve daha sonra seçmeli etkinlik alanında istediğiniz yere sürüklemeniz gerekmektedir.Warning message to be displayed in Author when the user tries to move a child activity of an Optional Sequence to a different sequence within that same Optional Sequence without first dragging it outside of the Optional Sequence activityta_iconDrop_optseq_error_msgBu kutuda kullanılabilir sıralamalar bulunmamaktadırError message when a Template Activity icon is dropped onto a empty Optional Sequences container.cv_invalid_optional_activity_no_branches{0}' sseçmeli etkinlik olarak ayarlamadan önce üzerinde bağlı olan dallanmaları klaldırmalısınız.Alert message when a Template Activity icon is dropped onto a empty Optional Sequences container.cv_design_insert_warningBir kez bir sıralama eklerseniz iptal edemezsiniz-eski sıralamanız otomatik olarak yeni sıralamayla kaydedilir. Eski sıralamanıza dönmek için yeni eklediklerinizi elle silmeli ve tekrar kaydetmelisiniz. Sıralamanızı mevcut haliyle bırakmak için İptal tuşuna basınız.Aksi takdirde eklemek istediğiniz sıralamayı seçmek için Tamam'a tıklayınız Warning message when merge/insertcancel_btn_tooltipDersi izlemeye döntool tip message for cancel button in toolbar (edit mode)to_conditions_dlg_range_lblAralıkHeading label for section in the dialog to set numeric condition range.branch_mapping_no_mapping_msgHerhangi bir harita seçilmediAlert message when removing a Mapping without a Mapping being selected.branch_mapping_dlg_match_dgd_lblHaritalamaHeading label for Mapping datagrid.branch_mapping_no_condition_msgHerhangi bir Durum seçilmediAlert message when adding a Mapping without a Condition being selected.to_condition_invalid_value_range{0} varolan bir durumun aralığında olamazAlert message when a submitted condition interferes with another previously submitted condition.pi_no_seq_actSıralamaların numarasıLabel on the Property Inspector for a numeric stepper where the value is the no of sequences in an Optional Activity.to_conditions_dlg_defin_long_typearalıkType description for a long-value based ouput definition.cv_gateoptional_hit_chkKapı etkinliğini seçmeli etkinlik olarak ekleyemezsiniz.Error message when user drags gate activity over to optional containercv_autosave_err_msgTasarımınız otomatik kaydedilmeye çalışılırken bir hata oluştu. Lütfen Flash Player depolama ayarlarınızı yükseltiniz.Alert error message when auto-save fails.pi_mapping_btn_lblHaritalamaLabel for button to open tool output to branch(s) dialog.cv_invalid_optional_activity{0}'ı seçmeli etkinlik olarak atamadan önce bağlı olan geçişleri kaldırınız.Alert message when user try to drop an activity with to or from transition into optional containerbin_tooltipEtkinlik akışından kaldırmak istediğiniz etkinliği bu kutuya bırakınız.Tool tip message for canvas binbranch_mapping_auto_condition_msgGeriye kalan tüm durumlar varsayılan dallanma olarak haritalanacak.Alert message for notifying the user that the unmapped Conditions will be mapped to the default Branch.cv_invalid_design_savedTasarımınız henüz geçerli değil, ancak kaydedildi, problemi görmek için "Olası sorunlar" a tıklayınızMessage when an invalid design has been savedcv_show_validationSorunlarThe button on the confirm dialogld_val_issue_columnSorunThe heading on the issue in the ValidationIssuesDialogbranch_mapping_dlg_condition_col_value_exact{0}'ın tam değeriValue for Condition field in mapping datagrid when range set is only single value.pi_definelaterİzlemede tanımlaLabel for Define later for PIbranch_mapping_dlg_condtion_items_update_defaultConditions_zeroKullanıcı tanımlı bir durum bulunamadığında güncellenemiyor. Araçlar'ın tasarım sayfalarında yapılandırmanız gerekmektedir.Alert message when the updating the conditions with a selected output definition that has no default conditions.cv_trans_readOnlyGeçiş {0} olamaz. Geçiş hedefi salt okunur.Alert message when a user performs an illegal action on a read-only canvas element (transition or activity).condmatch_dlg_message_lblİstenen dallanma için varsayılan dallanma Özellikler alanındaki "varsayılan" onay kutusuna tıklanarak seçilebilir. Label for a message in the Condition to Branch matching dialog.pi_activity_type_gateAkışa bir kapı koyarak belirli koşullar oluşana kadar bekletme etkinliğiActivity type for gate in PIld_val_titleGeçerlemeThe title for the dialogvalidation_error_inputTransitionType2Girdi geçişinde eksik etkinlik yok.No activities are missing their input transition.validation_error_outputTransitionType2Çıktı geçişinde eksik etkinlik yok.No activities are missing their output transition.cv_invalid_trans_circular_sequenceDairesel bir akış oluşturmaya izniniz yok.Error message when a transition from one activity to another is creating a circular loopchosen_grp_lblİzlemede seçLabel for the grouping drop down in the PropertyInspectorpi_define_monitor_cb_lblİzlemede tanımlaCheckbox label for option to define group to branch mappings in Monitor.groupmatch_dlg_title_lblDallanmaların harita gruplarıMap Groups to Branchescv_edit_on_fly_lblÇalışırken düzenleLabel for canvas lip (where design title is displayed) when in Edit-On-The-Fly mode. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/vi_VN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/zh_CN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/authoring/zh_TW_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/configData.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/contributorData.xml =================================================================== diff -u --- lams_central/web/flashxml/contributorData.xml (revision 0) +++ lams_central/web/flashxml/contributorData.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1,104 @@ +
getContributorList3Thành Bùi + + + Tuan Son + + + Viettien Soft + + + Ha VuAnton VychegzhaninJens Bruun KofoedAbdel-Elah Al-AyyoubAl-Faisal El-DajaniRob Joris + + + Raoul TeeuwenSpyros PapadakisEleni Rossiou + + + Stelios SkourtisKittipong Phumpuang + + + Polawat OuilapanDaniel DenevGyula PappPeter Gogh Adam StecykSebastian Komorowski + + + Marcin ChojnowskiJong-Dae ParkAnders BerggrenErik EnghEdoardo MontefuscoLaura PetrilloRoberta GaetaMassimo AngeloniRosella BaldazziIda Taci + + + Silvia Flaim + + + Mario Mattioli + + + Daniela Castrataro Nadia Spang Bovey + + + Benjamin Gay + + + Pascal Gibon + + + Daniel Schneider Fei YangDapeng NiLi Yan + + + Wei Guo + + + + + + Long-chuan Chen + + + + + Eric Hsin + + + Alexia Chang + + Ralf HilgenstockCarlos MarceloErnie Ghiglione + + + Gregorio Rodríguez Gomez + + + Elena de Miguel GarciaKristian BesleyPaulo GouveiaCharles Niza + + + Marcio SoaresRobin Ohia + + + + + Haruhiko Taira + + + + + + + + + Mohammad Fahmi Adam + + + + + Fiona Malikoff + + + Ernie Ghiglione + + + + Jun-Dir Liew + + James DalzielRobyn PhilipBronwen DalzielAngela VoermanKaren Baskett + + + Leanne Maria Cameron + + + Jeremy PageMichelle O'ReillyFiona MalikoffDapeng NiOzgur DemirtasJun-Dir LiewMitchell SeatonAnthony SukkarPradeep SharmaYoichi TakayamaErnie GhiglioneFei YangDavid CaygillMai Ling TruongAnthony XiaoJacky FangManpreet MinhasChris PerfectDaniel CarlierLuke Foxton + + \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/defaultTheme.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/ar_JO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/cy_GB_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/da_DK_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/de_DE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/el_GR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/en_AU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/en_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/es_ES_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/fr_FR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/learner/hu_HU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/learner/hu_HU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/learner/hu_HU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3hd_resume_lblFolytatásLabel for Resume buttonhd_exit_lblKilépésLabel for Exit buttonln_export_btnExportálásLabel for Export buttonsys_error_msg_startA következő hiba történt: Common System error message starting linesys_errorRendszerhibaSystem Error alert window titleal_alertFigyelmeztetésGeneric title for Alert windowal_cancelMégseCancel on alert dialogal_confirmJóváhagyásTo Confirm title for LFErroral_okOKOK on alert dialoghd_resume_tooltipUgrás az aktuális tevékenységretool tip message for resume buttonhd_exit_tooltipKilépés a tanulási környezetből és a böngésző bezárásatool tip message for exit buttoncurrent_act_tooltipKattintson duplán a tevékenységben való részvételheztool tip message for current activity iconsp_save_lblMentésLabel for Save buttonsp_view_tooltipAz összes jegyzetfüzet bejegyzés megjelenítésetool tip message for view all buttonsp_save_tooltipJegyzettömb bejegyzés mentésetool tip message for save buttonsp_title_lblCímLabel for title field of scratchpad (notebook)sp_panel_lblJegyzetfüzetLabel for panel title of scratchpad (notebook)al_doubleclick_todoactivitySajnálom, még nem érkezett el ehhez a tevékenységhez.alert message when user double click on the todo activity in the sequence in learner progresssp_view_lblMindent mutatLabel for View All buttonal_timeoutFigyelem! Nem használhatja az épp toltődő adatokat, amíg teljesen be nem töltődtek. Kattintson az OK gombra a betöltés folytatásához!Alert message for timeout error when loading learning design.al_sendKüldésSend button label on the system error dialogsys_error_msg_finishA folytatáshoz újra kellene indítania ezt a böngésző-ablakot. El szeretné menteni az alábbi tájékoztatást erről a hibáról a probléma megoldásának érdekében?Common System error message finish paragraphal_validation_act_unreachedNem nyithatja meg a tevékenységet, mivel még nem érkezett el ideAlert message when clicking on an unreached activity in the progess bar.ln_export_tooltipExportálja a hozzájárulásait ehhez a leckéheztool tip message for export buttoncompleted_act_tooltipDupla kattintással újra megnézheti ezt a befejezett tevékenységettool tip message for completed activity icon \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/it_IT_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/learner/ja_JP_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/learner/ja_JP_dictionary.xml (revision 0) +++ lams_central/web/flashxml/learner/ja_JP_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3sys_error_msg_startシステムエラーが発生しました:Common System error message starting linesys_error_msg_finish続行するためにはこの Web ブラウザを再起動する必要があるかもしれません。このエラーの問題解決を助けるために、以下の情報を保存しますか?Common System error message finish paragraphsys_errorシステムエラーSystem Error alert window titleal_alert警告Generic title for Alert windowal_cancelキャンセルCancel on alert dialogal_confirm確認To Confirm title for LFErroral_okOKOK on alert dialogal_validation_act_unreachedまだそのアクティビティに到達していないため、開けません。Alert message when clicking on an unreached activity in the progess bar.hd_resume_tooltip現在のアクティビティにジャンプします。tool tip message for resume buttonhd_exit_tooltip学習者用システムを終了し、Web ブラウザのウィンドウを閉じますtool tip message for exit buttonln_export_tooltipこのレッスンの進捗をエクスポートしますtool tip message for export buttoncompleted_act_tooltipダブルクリックで、この完了したアクティビティをチェックしますtool tip message for completed activity iconcurrent_act_tooltipダブルクリックで、現在のアクティビティに参加しますtool tip message for current activity iconal_doubleclick_todoactivityまだこのアクティビティに到達していませんalert message when user double click on the todo activity in the sequence in learner progresssp_view_lblすべて表示Label for View All buttonsp_save_lbl保存Label for Save buttonsp_view_tooltipノートブックの項目をすべて表示しますtool tip message for view all buttonsp_save_tooltipあなたのノートブックの項目を保存しますtool tip message for save buttonsp_title_lblタイトルLabel for title field of scratchpad (notebook)sp_panel_lblノートブックLabel for panel title of scratchpad (notebook)al_timeout警告!読み込みが終了するまで進捗データを適用することはできません。OK をクリックすると読み込みを続行しますAlert message for timeout error when loading learning design.al_send送信Send button label on the system error dialoghd_resume_lbl再開Label for Resume buttonhd_exit_lbl終了Label for Exit buttonln_export_btnエクスポートLabel for Export buttonschedule_gate_tooltipこのゲートは {0} に開きます。Tooltip for schedule gate in learner progress barpermission_gate_tooltip先生がゲートを開くまで、ゲートを通過することはできません。Tooltip for permission gate in learner progress barsynchronise_gate_tooltipすべての学習者がここに到達するとゲートが開きます。Tooltip for synchronise gate in learner progress barnot_attempted_act_tooltipこのアクティビティにアクセスするには、その前にあるアクティビティを完了する必要があります。Tooltip for not yet attempted activities in the learner progress bar \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/ko_KR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/mi_NZ_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/learner/ms_MY_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/learner/ms_MY_dictionary.xml (revision 0) +++ lams_central/web/flashxml/learner/ms_MY_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3hd_resume_lblSambungLabel for Resume buttonhd_exit_lblKeluarLabel for Exit buttonln_export_btnEksportLabel for Export buttonsys_error_msg_startRalat sistem ini telah berlaku:Common System error message starting linesys_error_msg_finishAnda mungkin perlu memulakan semula tetingkap pelayar untuk sambung. Adakah anda mahu menyimpan ralat ini untuk membantu menyelesaikan masalah ini?Common System error message finish paragraphsys_errorRalat SistemSystem Error alert window titleal_alertAletGeneric title for Alert windowal_cancelBatalCancel on alert dialogal_confirmSahTo Confirm title for LFErroral_okOKOK on alert dialogal_validation_act_unreachedAnda tidak boleh membuka Aktiviti kerana anda tidak sampai aktiviti ini lagi.Alert message when clicking on an unreached activity in the progess bar.hd_resume_tooltipLompat ke aktiviti sekarangtool tip message for resume buttonhd_exit_tooltipKeluar Persekitaran Pelajaran dan tutup tetingkap pelayartool tip message for exit buttonln_export_tooltipEksport kontribusi anda ke pelajaran initool tip message for export buttoncompleted_act_tooltipKlik dua kali untuk reviu aktiviti yang telah lengkap initool tip message for completed activity iconcurrent_act_tooltipKlik dua kali untuk menyertai aktiviti sekarangtool tip message for current activity iconal_doubleclick_todoactivityMaaf, anda tidak mencapai aktiviti ini lagialert message when user double click on the todo activity in the sequence in learner progresssp_view_lblPapar SemuaLabel for View All buttonsp_save_lblSimpanLabel for Save buttonsp_view_tooltipPapar semua entri buku notatool tip message for view all buttonsp_save_tooltipSimpan entri buku nota andatool tip message for save buttonsp_title_lblTajukLabel for title field of scratchpad (notebook)sp_panel_lblBuku notaLabel for panel title of scratchpad (notebook)al_timeoutAmaran! Perkembangan data tidak boleh digunakan sehingga ia tamat dipindahkan. Klik OK untuk sambung pindahanAlert message for timeout error when loading learning design.al_sendHantarSend button label on the system error dialog \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/nl_BE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/no_NO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/pl_PL_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/pt_BR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/ru_RU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/sv_SE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/learner/tr_TR_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/learner/tr_TR_dictionary.xml (revision 0) +++ lams_central/web/flashxml/learner/tr_TR_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3hd_exit_tooltipÖğrenme ortamından çıkar ve tarayıcı pencersini kapatır.tool tip message for exit buttonln_export_tooltipBu derse yaptığınız katkıyı dışa aktarır.tool tip message for export buttoncompleted_act_tooltipTamamlanmış etkinliği incelemek için çift tıklayınız.tool tip message for completed activity iconschedule_gate_tooltipKapı {0}'da açılacak.Tooltip for schedule gate in learner progress barcurrent_act_tooltipŞuan yaptığınız etkinliğiğe katılmak için çift tıklayınız.tool tip message for current activity iconsynchronise_gate_tooltipBu kapı tüm öğrenciler bu noktaya ulaştığında açılacaktır.Tooltip for synchronise gate in learner progress barsys_error_msg_finishDevam etmek için tarayıcıyı kapatıp tekrar açmalısınız. Bu problemin giderilmesine yardımcı olmak için hata bilgisini kaydetmek istiyor musunuz?Common System error message finish paragraphal_validation_act_unreachedHenüz gelmediğiniz bir etkinliği açamazsınız.Alert message when clicking on an unreached activity in the progess bar.al_doubleclick_todoactivityÜzgünüm, henüz bu etkinliğe gelmediniz.alert message when user double click on the todo activity in the sequence in learner progresshd_resume_tooltipŞuan yapmakta olduğunuz etkinliğe devam eder.tool tip message for resume buttonsp_view_tooltipTüm not defteri girişlerini görüntüler.tool tip message for view all buttonhd_exit_lblÇıkışLabel for Exit buttonln_export_btnDışa AktarLabel for Export buttonsys_error_msg_startAşağıdaki sistem hatası oluştu.Common System error message starting linesys_errorSistem HatasıSystem Error alert window titleal_alertUyarıGeneric title for Alert windowal_cancelİptalCancel on alert dialogal_confirmOnaylaTo Confirm title for LFErroral_okTamamOK on alert dialogsp_view_lblTümünü gösterLabel for View All buttonsp_save_lblKaydetLabel for Save buttonsp_save_tooltipNot defteritool tip message for save buttonsp_title_lblBaşlıkLabel for title field of scratchpad (notebook)sp_panel_lblNot DefteriLabel for panel title of scratchpad (notebook)al_sendGönderSend button label on the system error dialogal_timeoutUyarı! Yükleme bitmeden süreç verisi uygulanamaz. Yüklemeye devam etmek için Tamam'a tıklayınız.Alert message for timeout error when loading learning design.hd_resume_lblDevam EtLabel for Resume buttonnot_attempted_act_tooltipBu etkinleğe erişmeden önce diğer etkinlikleri tamamlamalısınız.Tooltip for not yet attempted activities in the learner progress barpermission_gate_tooltipÖğretmen izin verene kadar bu kapıdan geçemezsiniz.Tooltip for permission gate in learner progress bar \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/vi_VN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/learner/zh_CN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/ar_JO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/cy_GB_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/da_DK_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/de_DE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/el_GR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/en_AU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/en_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/es_ES_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/fr_FR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/monitoring/hu_HU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/hu_HU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/hu_HU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3al_confirm_forcecomplete_tofinishBiztos benne, hogy kényszeríti a '{0}' tanulót a lecke befejezésére?Message to get confirmation from user before sending data to server for force complete to the end of lessonls_status_archived_lblArchíváltCurrent status description if archviedls_status_started_lblElindítottCurrent status description if started (enabled)ls_win_editclass_titleOsztály szerkesztéseEdit class window titlels_win_learners_titleTanulókView learners window titlemnu_viewNézetMenu bar Viewls_win_editclass_save_btnMentésSave button on Edit Class popupls_win_editclass_cancel_btnMégseCancel button on Edit Class popupls_win_learners_close_btnBezárásClose button on View Learners popupls_win_editclass_organisation_lblSzervezésHeading for Organisation tree on Edit Class popupls_win_editclass_staff_lblSzemélyekHeading for Staff list on Edit Class popupls_win_editclass_learners_lblTanulókHeading for Learners list on the Edit Class popupls_win_learners_heading_lblAz osztály tanulóiHeading on View Learners window panel.td_desc_headingSpeciális szabályokTodo tab description headinglbl_num_activitiesalárendelt tevékenységekNumber of child activities for Complex activity shown on canvas.ls_of_text:i.e. 1 of 10 Used for showing how many learners have startedls_manage_txtLecke menedzseléseHeading for Management section of Lesson Tablearner_exportPortfolio_btnPortfólió exportálásaLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class dataal_sendKüldésSend button label on the system error dialogccm_monitor_activityTevékenység Monitor megnyitásaLabel for Custom Context Monitor Activityal_validation_schstartNem választott dátumot. Kérem, válasszon egy dátumot és időt!Message when no date is selected for starting a lesson by schedule.ls_manage_time_lblIdő (óra : perc)Time fields title - Lesson details (manage section)ls_status_scheduled_lblÜtemezettLesson status option - Scheduled (Not Started)help_btn_tooltipSúgótool tip message for help button in toolbarls_manage_editclass_btn_tooltipA leckéhez kapcsolódó tanulók és munkatársak listájának szerkesztésetool tip message for the edit class button in lesson tab under manage lesson sectionls_manage_learners_btn_tooltipMegmutatja a leckéhez kapcsolódó összes tanulóttool tip message for the view learners button in lesson tab under manage lesson sectionls_manage_start_btn_tooltipAzonnal elindítja a leckéttool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessonal_validation_schtimeKérem, adja meg a helyes időt!Alert message when user enters an invalid time for schedule startlearner_viewJournals_btnNapló bejegyzésekLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learners_group_name{0} tanulóGroup name for the class's learners group.ls_status_cmb_removeTörlésLesson status option - Removels_status_removed_lblTörölveCurrent status description if deleted (removed) lesson.al_yesIgenYes on the alert dialogal_noNem'No' on the alert dialogcontinue_btnTovábbContinue button labelmsg_bubble_check_action_lblEllenőrzés ...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblPróbálja újra!Label displayed when check failed i.e. lesson is still locked.about_popup_version_lblVerzióLabel displaying the version no on the About dialog.about_popup_trademark_lbl{0} a {0} Alapítvány védjegye ( {1} )Label displaying the trademark statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txt URL address for GPL licence.stream_urlhttp://{0}foundation.org URL address for the application stream.al_error_forcecomplete_to_different_seqNem küldheti a {0} tanulót olyan tevékenységhez, amely másik elágazásban vagy folyamatban van.This alert appears when either: The learner is in a branching sequence and the monitor tries to force complete them to an activity in a different branching sequence, or: the learner is in an optional sequence and the monitor tries to force complete them to an activity in a different optional sequenceal_alertFigyelmeztetésGeneric title for Alert windowal_cancelMégseTo Confirm title for LFErroral_confirmMegerősítésTo Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langloadA nyelvi adatok nem töltődtek be.message for unsuccessful language loadingmnu_editSzerkesztésMenu bar Editmnu_edit_copyMásolásMenu bar Edit &gt; Copymnu_edit_cutKivágásMenu bar Edit &gt; Cutmnu_edit_pasteBeillesztésMenu bar Edit &gt; Pastemnu_fileFájlMenu bar Filemnu_file_refreshFrissítésMenu bar Refreshmnu_file_editclassOsztály szerkesztéseMenu bar Edit Classmnu_file_startKezdésMenu bar Startmnu_helpSúgóMenu bar Helpmnu_help_abtNévjegyMenu bar Aboutsched_act_lblÜtemtervLabel for schedule gate activitysynch_act_lblSzinkronizálásUsed as a label for the Synch Gate Activity Typews_RootRootRoot folder title for workspacews_dlg_cancel_buttonMégse2ws_dlg_location_buttonElérési útWorkspace dialogue Location btn labelws_tree_mywspAz én munkaterületemThe root level of the treews_tree_orgsSzervezésShown in the top level of the tree in the workspacels_manage_learners_btnTanulók megjelenítéseView learners button - Lesson details (manage section)sys_error_msg_startA következő rendszerhiba történt:Common System error message starting linesys_errorRendszerhibaSystem Error elert window titlemnu_file_scheduleÜtemezésMenu bar Schedulemnu_file_exitKilépésMenu bar Exitmnu_view_learnersTanulókMenu bar Learnersmnu_go_lessonLeckeMenu bar Go to Lesson Tabmnu_go_scheduleÜtemezésMenu bar Go to Schedule Tabmnu_go_learnersTanulókMenu bar Go to Learners Tabmnu_help_helpSúgóMenu bar Help itemrefresh_btnFrissítésRefresh buttonhelp_btnSúgóHelp buttonmtab_lessonLeckeMonitor Lesson details tabmtab_learnersTanulókMonitor Learners tabls_status_lblÁllapot:Status label - Lesson detailsls_learners_lblTanulók:Learner label - Lesson detailsls_class_lblOsztály:Class label - Lesson detailsls_manage_class_lblOsztály:Class managing label - Lesson detailsls_manage_status_lblÁllapot változása:Status managing label - Lesson detailsls_manage_start_lblKezdés:Start managing label - Lesson detailsls_manage_editclass_btnOsztály szerkesztéseEdit class button - Lesson details (manage section)ls_manage_apply_btnAlkalmazStatus Apply button - Lesson details (manage section)ls_manage_learnerExpp_lblPortfolió exportálásának engedélyezése tanulók számáraLabel for Enable export portfolio for Learnerls_confirm_expp_enabledA portfolió exportálása engedélyezett ranulók számára.Confirmation message on enabling export portfolio for learnersls_confirm_expp_disabledA portfolió exportálása nem engedélyezett ranulók számára.Confirmation message on disabling export portfolio for learnersls_manage_schedule_btnÜtemezésSchedule start button - Lesson details (manage section)ls_manage_start_btnKezdés mostStart immediately button - Lesson details (manage section)ls_manage_date_lblDátumDate field title - Lesson details (manage section)ls_duration_lblEltelt idő:Elapsed duration of lesson - Lesson detailsls_manage_status_cmbÁllapotválasztás:Status combo top (index) item - Lesson details (manage section)ls_status_cmb_activateAktíválásLesson status option - Activatels_status_cmb_disableLetiltvaLesson status option - Disable (suspend)ls_status_cmb_enableAktívLesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveArchiveLesson status option - Archivels_status_active_lblAktívCurrent status description if active (enabled)ls_status_disabled_lblFelfüggesztettCurrent status description if suspended (disabled)sys_error_msg_finishA folytatáshoz újra kellene indítania a LAMS Szerzőt. Szeretné menteni az alábbi információt erről a hibáról a probléma kijavításának érdekében?Common System error message finish paragraphtitle_sequencetab_endGateAz elkészült tanulókTitle for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessongoContribute_btn_tooltipAzonnal befejezi a feladatottool tip message for go button in required tasks list in lesson tabrefresh_btn_tooltipÚjratölti a legfrissebb adatokat a tanuló előmenetelérőltool tip message for the refresh buttonmv_search_default_txtAdjon meg keresőfeltételt vagy oldalszámot!The text that is initially displayed in the search/index text field. Search query corresponds to all or part of a learners' name and page number corresponds to a specific page of learners. The user will enter something and then click on the 'Go' button, after which the results will be displayed.mv_search_not_found_msgA {0} nem találhatóThis message appears when the search does not find any learners whose names contain the search parameter.ls_tasks_txtKötelező feladatokHeading for Required Tasks (todo section of Lesson tab)ccm_monitor_activityhelpA Figyelő tevékenység súgójaLabel for Custom Context Monitor Activity Helpal_confirm_forcecomplete_toactivityBiztos benne, hogy kényszeríti a '{0}' tanulót a '{1}' tevékenység befejezésére?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedls_manage_schedule_btn_tooltipEgy későbbi időpontban történő indításra ütemezi a leckéttool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timeabout_popup_copyright_lbl© 2002-2008 {0} Alapítvány.Label displaying copyright statement in About dialog.ls_seq_status_sched_gateÜtemező kapuA type of Gate Activity where progress depends on time (start time and/or end time)app_chk_themeloadA téma adatai nem töltőftek bemessage for unsuccessful theme loadingapp_fail_continueAz alkalmazást nem folytatható. Kérem, keresse fel a technikai segítséget!message if application cannot continue due to any errorperm_act_lblTiltásLabel for permission gate activitymnu_goIndításMenu bar Gomnu_go_todoElvégzendőMenu bar Todomtab_seqJelenetMonitor Sequence tabmtab_todoElvégzendőMonitor Todo tabopt_activity_titleVálasztható tevékenységTitle for Optional Activity on canvas (monitoring)td_goContribute_btnIndításGo button on contribute entry itemls_learnerURL_lblA tanuló URL-je:Learner URL:mv_search_current_page_lblOldal: {0}/{1}{0} is the page we are on now and {1} is the number of pagesmv_search_go_btn_lblIndításIf the learner entered text into the index/search field, clicking this button will search all started learners names for the text they entered, otherwise if they entered a number and clicked go. It will show the contents of the page, whose number they entered.ls_seq_status_perm_gateTiltó kapuA type of Gate Activity where progress depends on permission from a Teacherls_seq_status_system_gateRendszer-kapuA System Gate is a stop point that can be controlled by time setting or user controlls_seq_status_not_setMég nincs beállítvaThe value of the sequence's status is not setdb_datasend_confirmKöszönöm, hogy feltöltötte az adatokat a szerverre.Message when user sucessfully dumps data to the serverls_remove_confirm_msgA lecke eltávolítását választotta. Az eltávolított leckéket nem hozhatja többé vissza. Folytatja?remove confirm msgls_remove_warning_msgFigyelem: Eltávolítani készül ezt a leckét. Meg szeretné tartani inkább?Message for the alert dialog which appears following confirmation dialog for removing a lesson.check_avail_btnA tevékenység ellenőrzéseCheck Availability button labells_continue_lblSzia {1}! Nem fejezte be a {0} szerkesztését.Continue message labells_locked_msg_lblSajnálom, ezt: {0} éppen {1} szerkeszti.Warning message on Monitor locked screen.about_popup_title_lblTájékoztató - {0}Title for the About Pop-up window.about_popup_license_lblEz a program szabad szoftver. Továbbadhatja, és/vagy módosíthatja a Free Software Foundation (Szabad Szoftver Alapítvány) 2-es verziójú GNU General Public Licence (Általános Nyilvános Licensz) feltételei mellett.Label displaying the license statement in the About dialog.ls_seq_status_contributionKözreműködésAny 'Contributions' to be made by a monitor, such as editing text for 'Define in Monitor' tasks, marking essay/reports, releasing stop points, etc.ls_seq_status_teacher_branchingA tanár által választott elágazásA type of branching where the Teacher chooses which learners to add to each branchls_seq_status_synch_gateSzinkronizáló kapuA type of Gate Activity where progress depends on all Learners in the Class or Group reaching the activityls_seq_status_moderationModerálásDisplayed when we want the Teacher to moderate an activitiy (for example a chat room)ls_seq_status_choose_groupingCsoportosítás választásaAllows the Teacher to add the learners to chosen groupstd_desc_textAz Elvégzendő fül használata nem szükséges a folyamat befejezéséhez. További információkért nézze meg a súgót! <br><br>Ez a lehetőség már teljesen működőképes.Todo tab descriptionls_manage_apply_btn_tooltipMegváltoztatja a lecke állapotát, attól függően, mit választunk legördülő menüből. tool tip message for the apply button in lesson tab under manage lesson section to change the lesson statusclass_exportPortfolio_btn_tooltipExportálja az osztláy portfólióját, és elmenti az ön gépére, egy későbbi tájékoztatás céljáratool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computerlearner_exportPortfolio_btn_tooltipExportálja ennek a tanulónak a portfólióját, és elmenti az ön gépére, egy későbbi tájékoztatás céljáratool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referenceal_doubleclick_todoactivitySajnálom, a {0} tanuló még nem ért el a(z) {1} tevékenységhez.alert message when user double click on the todo activity in the sequence under learner tabstaff_group_name{0} megfigyelésGroup name for the class's staff group.ls_sequence_live_edit_btnKözvetlen szerkesztésLive Edit buttonls_sequence_live_edit_btn_tooltipSzerkeszti ennek a leckének a jelenlegi tervét.Tool tip message for Live Edit buttonal_confirm_live_editA Közvetlen Szerkesztést készül megnyitni.Folytassuk?Confirm warning (dialog) message displayed when opening Live Edit.ls_continue_action_lblKattintson erre: {0} a folytatáshoz!Action label displayed when a user can proceed to Live Edit.close_mc_tooltipLekicsinyítTooltip message for close button on Branching canvas.lbl_num_sequences{0} - Folyamat(ok)Number of child sequence or Optional Sequences activity shown on canvas.al_activity_openContent_invalidSajnálom, választania kell egy tevékenységet, mielőtt rákattint az alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasmv_search_error_msgKérem, adja meg a keresési feltételt, vagy egy 1 és {0} közötti oldalszámot!This error message appears if the search/index field is blank when the user clicks the 'Go' button.mv_search_invalid_input_msgAz oldalszámnak 1 és {0} között kell lennieThis error message appears if the number entered by the user lies outside the range of viewable pages.mv_search_index_view_btn_lblIndex nézetWhen the user clicks this button, they will be returning from the search view to the index view. It will once again allow them to view all the available pages, and navigate to them directly. This button is only visible when the user is in the search view.current_act_tooltipDupla kattintással áttekintheti a folyamatban lévő közreműködéseket a tanulók jelenlegi tevékenységéheztool tip message for current activity iconcompleted_act_tooltipDupla kattintással áttekintheti a folyamatban lévő közreműködéseket a tanulók befejezett tevékenységéheztool tip message for completed activity iconfinish_learner_tooltipHa a befejezéshez a lecke végére akarja kényszeríteni a tanulót, húzza a tanuló ikonját erre a sávra, majd eressze el!Rollover message when user moves their mouse over the end gate bar in monitor tab viewlearner_viewJournals_btn_tooltipMegjeleníti a tanulók átal mentett összes naplótételttool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.al_confirm_forcecomplete_to_end_of_branching_seqBiztos benne, hogy kényszeríteni akarja a {0} tanulót, hogy az elágazás végén befejezze ezt a folyamatot?This confirmation dialog appears after a learner icon has been dropped on the finish door within the branching view.ls_seq_status_define_laterKésőbb definiálOf an Activity: when the content for the Activity must defined in the Lesson (via Monitoring) rather than by the Authoral_error_forcecomplete_invalidactivityA '{0}' tanulót egy folyamatban lévő, vagy a már befejezett '{1}' tevékenységhez küldteError message when learner has been dropped on its previous or on its current activityal_error_forcecomplete_notargetKérem, küldje a '{0}' tanulót egy tevékenységhez, vagy a lecke végére!Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvasbranch_mapping_dlg_conditions_dgd_lblLeképezésekHeading label for Mapping datagrid.branch_mapping_dlg_branch_col_lblElágazásColumn heading for showing sequence name of the mapping.branch_mapping_dlg_condition_col_lblFeltételColumn heading for showing condition description of the mapping.ccm_monitor_view_group_mappingsMegjeleníti az elágazásokhoz rendelt csoportokatLabel for Custom Context View Group Mappingsccm_monitor_view_condition_mappingsMegjeleníti az elágazásokhoz rendelt feltételeketLabel for Custom Context View Condition Mappingsbranch_mapping_dlg_group_col_lblCsoportColumn heading for showing group name of the mapping.mnu_go_sequenceJelenetMenu bar Go to Sequence Tabcv_activity_helpURL_undefinedNem található súgó ehhez: {0}Alert message when a tool activity has no help url defined.cv_design_unsaved_live_editA nem mentett változásokat automatikusan menteni fogjuk. Folytatni szeretné a beszúrást/összefűzést?Confirm alert message displayed when doing an insert/merge to a modified design in Live Edit. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/it_IT_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/monitoring/ja_JP_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/ja_JP_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/ja_JP_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3ls_sequence_live_edit_btn_tooltipレッスンの現在のデザインを編集します。Tool tip message for Live Edit buttonmsg_bubble_check_action_lblチェック中...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblレッスンが正しい形式ではありません。再編集してください。Label displayed when check failed i.e. lesson is still locked.ls_locked_msg_lbl{0} はユーザー {1} が編集中です。Warning message on Monitor locked screen.al_confirm_live_editライブ編集を中止します。続行しますか?Confirm warning (dialog) message displayed when opening Live Edit.al_send送信Send button label on the system error dialogabout_popup_title_lbl{0} についてTitle for the About Pop-up window.about_popup_version_lblバージョンLabel displaying the version no on the About dialog.about_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} は {0} Foundation ( {1} ) の商標です。Label displaying the trademark statement in the About dialog.about_popup_license_lblこのプログラムはフリーソフトウェアです。あなたはこれを、フリーソフトウェア財団によって発行された GNU 一般公衆利用許諾契約書 バージョン 2 の定める条件の下で再頒布または改変することができます。{0}Label displaying the license statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txt URL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.ls_continue_action_lbl{0} をクリックして次に進みます。Action label displayed when a user can proceed to Live Edit.lbl_num_sequences{0} - シーケンスNumber of child sequence or Optional Sequences activity shown on canvas.al_activity_openContent_invalidアクティビティのコンテキストメニューで 開く/編集 をクリックする前に、アクティビティを選択する必要があります。alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasmv_search_default_txt検索する文字列かページ番号を入力してくださいThe text that is initially displayed in the search/index text field. Search query corresponds to all or part of a learners' name and page number corresponds to a specific page of learners. The user will enter something and then click on the 'Go' button, after which the results will be displayed.mv_search_error_msg検索する文字列かページ番号 (1-{0}) を入力してくださいThis error message appears if the search/index field is blank when the user clicks the 'Go' button.mv_search_invalid_input_msgページ番号は 1 から {0} の間ですThis error message appears if the number entered by the user lies outside the range of viewable pages.mv_search_not_found_msg{0} は見つかりませんでした。This message appears when the search does not find any learners whose names contain the search parameter.mv_search_current_page_lblページ {0}/{1}{0} is the page we are on now and {1} is the number of pagesmv_search_go_btn_lblGoIf the learner entered text into the index/search field, clicking this button will search all started learners names for the text they entered, otherwise if they entered a number and clicked go. It will show the contents of the page, whose number they entered.mv_search_index_view_btn_lblインデックスの表示When the user clicks this button, they will be returning from the search view to the index view. It will once again allow them to view all the available pages, and navigate to them directly. This button is only visible when the user is in the search view.close_mc_tooltip最小化Tooltip message for close button on Branching canvas.al_confirm_forcecomplete_to_end_of_branching_seq学習者 {0} に、この分岐シーケンスの最後までの完了を強制しますか?This confirmation dialog appears after a learner icon has been dropped on the finish door within the branching view.al_error_forcecomplete_to_different_seq{0} を、異なる分岐、またはシーケンスのアクティビティにドロップすることはできません。This alert appears when either: The learner is in a branching sequence and the monitor tries to force complete them to an activity in a different branching sequence, or: the learner is in an optional sequence and the monitor tries to force complete them to an activity in a different optional sequencels_seq_status_moderation評価Displayed when we want the Teacher to moderate an activitiy (for example a chat room)ls_seq_status_define_later後で定義するOf an Activity: when the content for the Activity must defined in the Lesson (via Monitoring) rather than by the Authorls_seq_status_perm_gateゲートの設定A type of Gate Activity where progress depends on permission from a Teacherls_seq_status_synch_gate同期ゲートA type of Gate Activity where progress depends on all Learners in the Class or Group reaching the activityls_seq_status_choose_groupingグループ分けAllows the Teacher to add the learners to chosen groupsls_seq_status_contribution進捗Any 'Contributions' to be made by a monitor, such as editing text for 'Define in Monitor' tasks, marking essay/reports, releasing stop points, etc.ls_seq_status_system_gateシステムゲートA System Gate is a stop point that can be controlled by time setting or user controlls_seq_status_teacher_branching先生が分岐を選択A type of branching where the Teacher chooses which learners to add to each branchls_seq_status_not_setまだ設定されていませんThe value of the sequence's status is not setls_seq_status_sched_gateスケジュールゲートA type of Gate Activity where progress depends on time (start time and/or end time)branch_mapping_dlg_conditions_dgd_lblマッピングHeading label for Mapping datagrid.branch_mapping_dlg_branch_col_lbl分岐Column heading for showing sequence name of the mapping.branch_mapping_dlg_condition_col_lbl条件Column heading for showing condition description of the mapping.branch_mapping_dlg_group_col_lblグループColumn heading for showing group name of the mapping.mnu_go_sequenceシーケンスMenu bar Go to Sequence Tabcv_activity_helpURL_undefined{0}のヘルプは見つかりませんでしたAlert message when a tool activity has no help url defined.td_desc_textToDo タブはシーケンスが完了していなくても使用できます。詳細はヘルプをご覧ください。<br><br>この特徴は現在、完全に動作しています。Todo tab descriptionopt_activity_title選択枠アクティビティTitle for Optional Activity on canvas (monitoring)lbl_num_activities{0} - アクティビティNumber of child activities for Complex activity shown on canvas.ls_of_text / i.e. 1 of 10 Used for showing how many learners have startedls_manage_txtレッスン管理Heading for Management section of Lesson Tabls_tasks_txt必要なタスクHeading for Required Tasks (todo section of Lesson tab)td_goContribute_btnGoGo button on contribute entry itemlearner_exportPortfolio_btnエクスポートLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class datals_status_scheduled_lblスケジュール済みLesson status option - Scheduled (Not Started)al_confirm_forcecomplete_toactivity学習者 "{0}" にアクティビティ "{1}" の完了を強制しますか?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedal_error_forcecomplete_invalidactivity学習者 "{0}" を、学習中もしくは完了したアクティビティ "{1}" にドロップしました。Error message when learner has been dropped on its previous or on its current activityal_confirm_forcecomplete_tofinish学習者 "{0}" にレッスンの最後までの完了を強制しますか?Message to get confirmation from user before sending data to server for force complete to the end of lessonal_error_forcecomplete_notarget学習者 "{0}" をアクティビティもしくはレッスン修了にドロップしてください。Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvastitle_sequencetab_endGate終了した学習者:Title for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessonhelp_btn_tooltipヘルプtool tip message for help button in toolbarrefresh_btn_tooltip学習者用の最新の進行データを再読込しますtool tip message for the refresh buttonls_manage_editclass_btn_tooltipこのレッスンに割り当てられる学習者とモニタのリストを編集しますtool tip message for the edit class button in lesson tab under manage lesson sectionls_manage_learners_btn_tooltipこのレッスンに所属する全学習者を閲覧しますtool tip message for the view learners button in lesson tab under manage lesson sectionls_manage_apply_btn_tooltipレッスンの状態を、ドロップダウンリストの内容に変更しますtool tip message for the apply button in lesson tab under manage lesson section to change the lesson statusclass_exportPortfolio_btn_tooltipクラスのポートフォリオをエクスポートし、後の参考のためにこのコンピュータに保存しますtool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computerlearner_exportPortfolio_btn_tooltip学習者のポートフォリオをエクスポートし、後の参考のためにこのコンピュータに保存しますtool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referencels_manage_start_btn_tooltip今すぐレッスンを開始しますtool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessonls_manage_schedule_btn_tooltipレッスンの開始予定時刻を設定しますtool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timecurrent_act_tooltipダブルクリックで、学習者の現在のアクティビティに対する進捗状況をチェックしますtool tip message for current activity iconcompleted_act_tooltipダブルクリックで、学習者の完了したアクティビティに対する状況をチェックしますtool tip message for completed activity iconal_doubleclick_todoactivity学習者 {0} は アクティビティ {1} に到達していません。alert message when user double click on the todo activity in the sequence under learner tabal_validation_schstart日付が選択されていません。日付と時刻を選択してください。Message when no date is selected for starting a lesson by schedule.ls_manage_time_lbl時刻 (時 : 分)Time fields title - Lesson details (manage section)al_validation_schtime正しい時刻を入力してください。Alert message when user enters an invalid time for schedule startfinish_learner_tooltip学習者アイコンをこのバーにドロップすると、レッスン修了までの完了を強制しますRollover message when user moves their mouse over the end gate bar in monitor tab viewccm_monitor_activityアクティビティモニタLabel for Custom Context Monitor Activityccm_monitor_activityhelpヘルプLabel for Custom Context Monitor Activity Helplearner_viewJournals_btnジャーナルエントリLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learner_viewJournals_btn_tooltip学習者が保存した全てのジャーナルエントリを表示しますtool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.ls_learnerURL_lbl学習者 URL:Learner URL:ls_manage_learnerExpp_lbl学習者によるポートフォリオのエクスポートを許可しますLabel for Enable export portfolio for Learnerls_confirm_expp_enabled学習者によるポートフォリオのエクスポートを有効にしました。Confirmation message on enabling export portfolio for learnersls_confirm_expp_disabled学習者によるポートフォリオのエクスポートを無効にしました。Confirmation message on disabling export portfolio for learnersls_remove_confirm_msg学習履歴の削除 が選択されました。削除された学習履歴は復元できません。続けますか?remove confirm msgls_status_cmb_remove学習履歴の削除Lesson status option - Removels_status_removed_lbl削除されましたCurrent status description if deleted (removed) lesson.al_yesはいYes on the alert dialogal_noいいえ'No' on the alert dialogls_remove_warning_msg警告: 学習履歴を削除しようとしています。このレッスンを残しておきますか?Message for the alert dialog which appears following confirmation dialog for removing a lesson.learners_group_name{0} 学習者Group name for the class's learners group.staff_group_name{0} モニタGroup name for the class's staff group.check_avail_btn正規性チェックCheck Availability button labelcontinue_btn続行Continue button labells_continue_lbl{0} の編集が終了していません。Continue message labells_sequence_live_edit_btnライブ編集Live Edit buttonmnu_edit編集Menu bar Editmnu_edit_copyコピーMenu bar Edit &gt; Copymnu_edit_cut切り取りMenu bar Edit &gt; Cutmnu_edit_paste貼り付けMenu bar Edit &gt; Pastemnu_fileファイルMenu bar Filemnu_file_refresh更新Menu bar Refreshmnu_file_editclassクラスを編集Menu bar Edit Classmnu_file_startスタートMenu bar Startmnu_helpヘルプMenu bar Helpmnu_help_abtAboutMenu bar Aboutperm_act_lbl手動で開くLabel for permission gate activitysched_act_lblタイマーで設定Label for schedule gate activitysynch_act_lbl全員を待つUsed as a label for the Synch Gate Activity Typews_RootルートRoot folder title for workspacews_dlg_cancel_buttonキャンセル2ws_dlg_location_button場所Workspace dialogue Location btn labelws_tree_mywspワークスペースThe root level of the treews_tree_orgs組織Shown in the top level of the tree in the workspacesys_error_msg_startシステムエラーが発生しました:Common System error message starting linesys_error_msg_finish作業を続けるためには LAMS 教材作成を再起動する必要があるかもしれません。このエラーの問題解決を助けるために、以下の情報を保存しますか?Common System error message finish paragraphsys_errorシステムエラーSystem Error elert window titlemnu_file_scheduleスケジュールMenu bar Schedulemnu_file_exit終了Menu bar Exitmnu_view_learners学習者...Menu bar Learnersmnu_goGoMenu bar Gomnu_go_lessonレッスンMenu bar Go to Lesson Tabmnu_go_scheduleスケジュールMenu bar Go to Schedule Tabmnu_go_learners学習者Menu bar Go to Learners Tabmnu_go_todoToDoMenu bar Todomnu_help_helpヘルプMenu bar Help itemrefresh_btn更新Refresh buttonhelp_btnヘルプHelp buttonmtab_lessonレッスンMonitor Lesson details tabmtab_seqシーケンスMonitor Sequence tabmtab_learners学習者Monitor Learners tabmtab_todoToDoMonitor Todo tabls_status_lblステータス:Status label - Lesson detailsls_learners_lbl学習者:Learner label - Lesson detailsls_class_lblクラス:Class label - Lesson detailsls_manage_class_lblクラス:Class managing label - Lesson detailsls_manage_status_lblステータス変更:Status managing label - Lesson detailsls_manage_start_lbl開始:Start managing label - Lesson detailsls_manage_learners_btn学習者を表示View learners button - Lesson details (manage section)ls_manage_editclass_btnクラスを編集Edit class button - Lesson details (manage section)ls_manage_apply_btn適用Status Apply button - Lesson details (manage section)ls_manage_schedule_btnスケジュールSchedule start button - Lesson details (manage section)ls_manage_start_btnすぐに開始Start immediately button - Lesson details (manage section)ls_manage_date_lbl日付Date field title - Lesson details (manage section)ls_duration_lbl経過期間:Elapsed duration of lesson - Lesson detailsls_manage_status_cmb - Status combo top (index) item - Lesson details (manage section)ls_status_cmb_activate再開Lesson status option - Activatels_status_cmb_disable中断Lesson status option - Disable (suspend)ls_status_cmb_enable再開Lesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveアーカイブ保存Lesson status option - Archivels_status_active_lbl有効Current status description if active (enabled)ls_status_disabled_lbl無効Current status description if suspended (disabled)ls_status_archived_lblアーカイブCurrent status description if archviedls_status_started_lbl開始Current status description if started (enabled)ls_win_editclass_titleクラスを編集Edit class window titlels_win_learners_title学習者を表示View learners window titlemnu_viewビューMenu bar Viewls_win_editclass_save_btn保存Save button on Edit Class popupls_win_editclass_cancel_btnキャンセルCancel button on Edit Class popupls_win_learners_close_btn閉じるClose button on View Learners popupls_win_editclass_organisation_lbl組織Heading for Organisation tree on Edit Class popupls_win_editclass_staff_lblモニタHeading for Staff list on Edit Class popupls_win_editclass_learners_lbl学習者Heading for Learners list on the Edit Class popupls_win_learners_heading_lbl学習者:Heading on View Learners window panel.td_desc_heading拡張コントロール:Todo tab description headingal_alert警告Generic title for Alert windowal_cancelキャンセルTo Confirm title for LFErroral_confirm確認To Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langload言語データはロードされませんでしたmessage for unsuccessful language loadingapp_chk_themeloadテーマはロードされませんでしたmessage for unsuccessful theme loadingapp_fail_continueアプリケーションは作業を続行できません。サポートに連絡してくださいmessage if application cannot continue due to any errordb_datasend_confirmデータをサーバに送信しましたMessage when user sucessfully dumps data to the serverccm_monitor_view_group_mappings分岐のグループを表示Label for Custom Context View Group Mappingsccm_monitor_view_condition_mappings分岐の条件を表示Label for Custom Context View Condition Mappingscv_design_unsaved_live_edit保存されていない変更は自動的に保存されます。挿入/統合を続けますか?Confirm alert message displayed when doing an insert/merge to a modified design in Live Edit.label.grouping.general.instructions.branchingこのグループ分けは、分岐で使用されています。グループの追加や削除は、分岐の設定に影響を与えますので、このグループ分けからグループを追加したり削除したりすることはできません。既存のグループからユーザを追加/削除することは可能です。Third instructions paragraph on the chosen branching screen.goContribute_btn_tooltipこのタスクの実行画面へ移動するtool tip message for go button in required tasks list in lesson tab \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/ko_KR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/mi_NZ_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/monitoring/ms_MY_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/ms_MY_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/ms_MY_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3al_alertAletGeneric title for Alert windowal_cancelBatalTo Confirm title for LFErroral_confirmSahTo Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langloadData Bahasa tidak berjaya diloadmessage for unsuccessful language loadingapp_chk_themeloadData tema tidak berjaya diloadmessage for unsuccessful theme loadingapp_fail_continueAplikasi tidak berjaya diteruskan. Sila hubungi kumpulan sokonganmessage if application cannot continue due to any errordb_datasend_confirmTerima kasih kerana menghantar data ke pelayanMessage when user sucessfully dumps data to the servermnu_editSuntingMenu bar Editmnu_edit_copySalinMenu bar Edit &gt; Copymnu_edit_cutPotongMenu bar Edit &gt; Cutmnu_edit_pasteTampalMenu bar Edit &gt; Pastemnu_fileFailMenu bar Filemnu_file_refreshRefreshMenu bar Refreshmnu_file_editclassSunting KelasMenu bar Edit Classmnu_file_startMulaMenu bar Startmnu_helpBantuMenu bar Helpmnu_help_abtTentangMenu bar Aboutperm_act_lblKeizinanLabel for permission gate activitysched_act_lblJadualLabel for schedule gate activitysynch_act_lblSynchroniseUsed as a label for the Synch Gate Activity Typews_RootRootRoot folder title for workspacews_dlg_cancel_buttonBatal2ws_dlg_location_buttonLokasiWorkspace dialogue Location btn labelws_tree_mywspRuang Kerja SayaThe root level of the treews_tree_orgsOrganisasiShown in the top level of the tree in the workspacesys_error_msg_startRalat sistem ini telah muncul:Common System error message starting linesys_error_msg_finishAnda mungkin perlu memulakan semula LAMS untuk sambung. Adakah anda mahu menyimpan ralat untuk membantu menyelesaikan masalah ini?Common System error message finish paragraphsys_errorRalat SistemSystem Error elert window titlemnu_file_scheduleJadualMenu bar Schedulemnu_file_exitKeluarMenu bar Exitmnu_view_learnersPelajar...Menu bar Learnersmnu_goPergiMenu bar Gomnu_go_lessonPelajaranMenu bar Go to Lesson Tabmnu_go_scheduleJadualMenu bar Go to Schedule Tabmnu_go_learnersPelajarMenu bar Go to Learners Tabmnu_go_todoTodoMenu bar Todomnu_help_helpAwasi BantuanMenu bar Help itemrefresh_btnRefreshRefresh buttonhelp_btnBantuHelp buttonmtab_lessonPelajaranMonitor Lesson details tabmtab_seqTurutanMonitor Sequence tabmtab_learnersPelajarMonitor Learners tabmtab_todoTodoMonitor Todo tabls_status_lblStatus:Status label - Lesson detailsls_learners_lblPelajar:Learner label - Lesson detailsls_class_lblKelas:Class label - Lesson detailsls_manage_class_lblKelas:Class managing label - Lesson detailsls_manage_status_lblTukar Status:Status managing label - Lesson detailsls_manage_start_lblMula:Start managing label - Lesson detailsls_manage_learners_btnPapar PelajarView learners button - Lesson details (manage section)ls_manage_editclass_btnSunting KelasEdit class button - Lesson details (manage section)ls_manage_apply_btnPohonStatus Apply button - Lesson details (manage section)ls_manage_schedule_btnJadualSchedule start button - Lesson details (manage section)ls_manage_start_btnMula SekarangStart immediately button - Lesson details (manage section)ls_manage_date_lblTarikhDate field title - Lesson details (manage section)ls_duration_lblDurasi TinggalElapsed duration of lesson - Lesson detailsls_manage_status_cmbPilih status:Status combo top (index) item - Lesson details (manage section)ls_status_cmb_activateAktifkanLesson status option - Activatels_status_cmb_enableAktifLesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveArkibLesson status option - Archivels_status_archived_lblArkibCurrent status description if archviedls_win_editclass_titleSunting KelasEdit class window titlels_win_learners_titlePapar PelajarView learners window titlemnu_viewPaparMenu bar Viewls_win_editclass_save_btnSimpanSave button on Edit Class popupls_win_editclass_cancel_btnBatalCancel button on Edit Class popupls_win_learners_close_btnTutupClose button on View Learners popupls_win_editclass_organisation_lblOrganisasiHeading for Organisation tree on Edit Class popupls_win_editclass_staff_lblStafHeading for Staff list on Edit Class popupls_win_editclass_learners_lblPelajarHeading for Learners list on the Edit Class popupls_win_learners_heading_lblPelajar dalam kelas:Heading on View Learners window panel.td_desc_headingKontrol AdvanTodo tab description headingtd_desc_textGuna Tab Todo tidak diperlukan untuk menyempurnakan turutan. Sila lihat laman bantuan untuk maklumat lanjut <br> <br>Fitur ini telah berfungsi dengan penuh sekarang.Todo tab descriptionopt_activity_titleAktiviti PilihanTitle for Optional Activity on canvas (monitoring)lbl_num_activitiesanak aktivitiNumber of child activities for Complex activity shown on canvas.ls_of_textdarii.e. 1 of 10 Used for showing how many learners have startedls_manage_txtUrus PelajaranHeading for Management section of Lesson Tabls_tasks_txtTugas DiperlukanHeading for Required Tasks (todo section of Lesson tab)td_goContribute_btnPergiGo button on contribute entry itemlearner_exportPortfolio_btnEksport PorfolioLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class datals_status_scheduled_lblJadualLesson status option - Scheduled (Not Started)al_confirm_forcecomplete_toactivityAdakah anda pasti untuk memaksa pelajar '{0}' yang telah selesai ke Aktiviti '{1}'?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedal_error_forcecomplete_invalidactivityAnda telah menjatuhkan pelajar '{0}' pada aktiviti sekarang atau aktviti '{1}' yang telah selesaiError message when learner has been dropped on its previous or on its current activityal_confirm_forcecomplete_tofinishAdakah anda pasti untuk memaksa pelajar '{0}' yang telah selesai untuk menamatkan pelajaran?Message to get confirmation from user before sending data to server for force complete to the end of lessonal_error_forcecomplete_notargetSila jatuhkan pelajar '{0}' ke aktiviti atau tamatkan pelajaran.Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvastitle_sequencetab_endGatePelajar Selesai:Title for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessongoContribute_btn_tooltipLengkapkan tugas ini sekarangtool tip message for go button in required tasks list in lesson tabhelp_btn_tooltipBantuantool tip message for help button in toolbarrefresh_btn_tooltipRelod data perkembangan terbaru untuk pelajartool tip message for the refresh buttonls_manage_editclass_btn_tooltipSunting senarai pelajar dan staf yang ditetapkan untuk pelajaran initool tip message for the edit class button in lesson tab under manage lesson sectionls_manage_learners_btn_tooltipPapar semua pelajar yang ditetapkan untuk pelajaran initool tip message for the view learners button in lesson tab under manage lesson sectionls_manage_apply_btn_tooltipUbah status pelajaran mengikut pilihan drop downtool tip message for the apply button in lesson tab under manage lesson section to change the lesson statusclass_exportPortfolio_btn_tooltipEksport portfolio kelas dan simpan di dalam komputer anda untuk rujukan masa depantool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computerlearner_exportPortfolio_btn_tooltipEksport portfolio pelajar dan simpan di dalam komputer anda untuk rujukan masa depantool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referencels_manage_start_btn_tooltipMula pelajaran dengan segeratool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessonls_manage_schedule_btn_tooltipJadualkan pelajaran untuk mula pada masa depantool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timecurrent_act_tooltipKlik dua kali untuk reviu kontribusi dalam progres untuk aktiviti pelajar sekarangtool tip message for current activity iconcompleted_act_tooltipKlik dua kali untuk reviu kontribusi pelajar dalam aktiviti yang telah selesaitool tip message for completed activity iconal_doubleclick_todoactivityMaaf, pelajar: {0} tidak mencapai aktiviti: {1}, lagi.alert message when user double click on the todo activity in the sequence under learner tabal_validation_schstartTiada tarikh dipilih. Sila pilih tarikh dan masa.Message when no date is selected for starting a lesson by schedule.ls_manage_time_lblMasa (Jam : Minit)Time fields title - Lesson details (manage section)al_validation_schtimeSila masukkan masa yang betul.Alert message when user enters an invalid time for schedule startfinish_learner_tooltipUntuk memaksa pelajar yang telah selesai menamatkan pelajaran, tarik ikon pelajar ke bar ini dan lepaskan ikon tersebutRollover message when user moves their mouse over the end gate bar in monitor tab viewccm_monitor_activityBuka Paparan AktivitiLabel for Custom Context Monitor Activityccm_monitor_activityhelpAwasi Bantuan AktivitiLabel for Custom Context Monitor Activity Helplearner_viewJournals_btnEntri JurnalLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learner_viewJournals_btn_tooltipPapar semua simpanan Entri Jurnal oleh pelajartool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.ls_learnerURL_lblURL Pelajar:Learner URL:ls_manage_learnerExpp_lblBenarkan eksport portfolio untuk pelajarLabel for Enable export portfolio for Learnerls_confirm_expp_enabledEksport Portfolio telah dibenarkan untuk pelajar.Confirmation message on enabling export portfolio for learnersls_confirm_expp_disabledEksport Portfolio telah dihilangkan untuk pelajar.Confirmation message on disabling export portfolio for learnersls_remove_confirm_msgAnda telah memilih untuk Membuang pelajaran ini. Pelajaran yang telah dibuang tidak boleh diambil kembali. Sambung?remove confirm msgls_status_cmb_removeBuangLesson status option - Removels_status_removed_lblDibuangCurrent status description if deleted (removed) lesson.al_yesYaYes on the alert dialogal_noTidak'No' on the alert dialogls_remove_warning_msgAMARAN: Pelajaran ini akan dibuang. Adakah anda mahu teruskan?Message for the alert dialog which appears following confirmation dialog for removing a lesson.learners_group_name{0} pelajarGroup name for the class's learners group.staff_group_name{0} stafGroup name for the class's staff group.check_avail_btnPeriksa KesediaanCheck Availability button labelcontinue_btnSambungContinue button labells_continue_lblHi {1}, anda tidak selesai menyunting {0}.Continue message labells_sequence_live_edit_btnSunting HidupLive Edit buttonls_sequence_live_edit_btn_tooltipSunting desain untuk pelajaran ini.Tool tip message for Live Edit buttonmsg_bubble_check_action_lblPeriksa ...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblTiada, Cuba Lagi.Label displayed when check failed i.e. lesson is still locked.ls_locked_msg_lblMaaf, {0} sedan disunting oleh {1}.Warning message on Monitor locked screen.al_confirm_live_editAnda akan membuka Suntingan Hidup. Adakah anda mahu teruskan?Confirm warning (dialog) message displayed when opening Live Edit.al_sendHantarSend button label on the system error dialogabout_popup_title_lblTentang - {0}Title for the About Pop-up window.about_popup_version_lblVersiLabel displaying the version no on the About dialog.about_popup_trademark_lbl{0} adalah hakcipta Yayasan {0} ( {1} ).Label displaying the trademark statement in the About dialog.about_popup_license_lblProgram ini adalah perisian percuma; anda boleh mengagihkan ia dan/atau mengubahnya dibawah terma GNU General Public License Versi 2 seperti yang diterbitkan oleh Free Software Foundation.Label displaying the license statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.ls_continue_action_lblKlik {0} untuk teruskan.Action label displayed when a user can proceed to Live Edit.ls_status_active_lblDicipta tetapi tidak dimulakan lagiCurrent status description if active (enabled)ls_status_disabled_lblDigantungCurrent status description if suspended (disabled)ls_status_started_lblDimulakanCurrent status description if started (enabled)ls_status_cmb_disableHilangkanLesson status option - Disable (suspend)about_popup_copyright_lbl© 2002-2008 Yayasan {0}.Label displaying copyright statement in About dialog.mv_search_default_txtMasukkan query carian atau nombor halamanThe text that is initially displayed in the search/index text field. Search query corresponds to all or part of a learners' name and page number corresponds to a specific page of learners. The user will enter something and then click on the 'Go' button, after which the results will be displayed.lbl_num_sequences{0} - TurutanNumber of child sequence or Optional Sequences activity shown on canvas.al_activity_openContent_invalidMaaf! Anda perlu memilih aktiviti sebelum anda klik menu Buka/Sunting Isi Aktiviti pada menu klik kanan aktiviti.alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasmv_search_error_msgSila masukkan query carian atau nombor halaman diantara 1 dengan {0}This error message appears if the search/index field is blank when the user clicks the 'Go' button.mv_search_invalid_input_msgNombor halaman mesti diantara 1 dan {0}This error message appears if the number entered by the user lies outside the range of viewable pages.mv_search_not_found_msg{0} tidak dijumpaiThis message appears when the search does not find any learners whose names contain the search parameter.mv_search_current_page_lblHalaman {0} dari {1}{0} is the page we are on now and {1} is the number of pagesmv_search_go_btn_lblPergiIf the learner entered text into the index/search field, clicking this button will search all started learners names for the text they entered, otherwise if they entered a number and clicked go. It will show the contents of the page, whose number they entered.mv_search_index_view_btn_lblPandangan IndexWhen the user clicks this button, they will be returning from the search view to the index view. It will once again allow them to view all the available pages, and navigate to them directly. This button is only visible when the user is in the search view.close_mc_tooltipMinimizeTooltip message for close button on Branching canvas. \ No newline at end of file Index: lams_central/web/flashxml/monitoring/nl_BE_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/nl_BE_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/nl_BE_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3ls_manage_editclass_btn_tooltipDe lijst met de aan deze lijst toegewezen cursisten en medewerkers aanpasentool tip message for the edit class button in lesson tab under manage lesson sectionls_manage_learners_btn_tooltipToont alle cursisten die aan deze les zijn toegewezentool tip message for the view learners button in lesson tab under manage lesson sectionls_manage_apply_btn_tooltipVerander de status van deze les op basis van de selectie uit de lijsttool tip message for the apply button in lesson tab under manage lesson section to change the lesson statusal_alertOpgeletGeneric title for Alert windowal_cancelAnnulerenTo Confirm title for LFErroral_confirmBevestigenTo Confirm title for LFErroral_okOKOK on the alert dialogapp_chk_langloadDe taal-gegevens zijn niet geladenmessage for unsuccessful language loadingapp_chk_themeloadDe thema-gegevens zijn niet geladenmessage for unsuccessful theme loadingapp_fail_continueHet programma kan niet verder werken. Waarschuw ondersteuning/de helpdeskmessage if application cannot continue due to any errordb_datasend_confirmDank voor het naar de server sturen van gegevensMessage when user sucessfully dumps data to the servermnu_editWijzigenMenu bar Editmnu_edit_copyKopieerenMenu bar Edit &gt; Copymnu_edit_cutKnippenMenu bar Edit &gt; Cutmnu_edit_pastePlakkenMenu bar Edit &gt; Pastemnu_fileBestandMenu bar Filemnu_file_refreshVernieuwenMenu bar Refreshmnu_file_editclassCategorie aanpassenMenu bar Edit Classmnu_file_startStartMenu bar Startmnu_helpHelpMenu bar Helpmnu_help_abtOverMenu bar Aboutperm_act_lblToestemmingLabel for permission gate activitysched_act_lblRoosterLabel for schedule gate activitysynch_act_lblSynchroniserenUsed as a label for the Synch Gate Activity Typews_RootRootRoot folder title for workspacews_dlg_cancel_buttonAnnuleren2ws_dlg_location_buttonLokatieWorkspace dialogue Location btn labelws_tree_mywspMijn WerkplekThe root level of the treews_tree_orgsOrganisatiesShown in the top level of the tree in the workspacesys_error_msg_startDe volgens systeemfout is opgetreden:Common System error message starting linesys_error_msg_finishMogelijk moet u LAMS opnieuw opstarten voordat u door kunt. Wilt u de volgende informatie opslaan zodat wij de oorzaak van de fout kunnen proberen op te zoeken?Common System error message finish paragraphsys_errorSysteemfoutSystem Error elert window titlemnu_file_scheduleRoosterMenu bar Schedulemnu_file_exitAfsluitenMenu bar Exitmnu_view_learnersCursisten...Menu bar Learnersmnu_goGaanMenu bar Gomnu_go_lessonLesMenu bar Go to Lesson Tabmnu_go_scheduleRoosterMenu bar Go to Schedule Tabmnu_go_learnersCursistenMenu bar Go to Learners Tabmnu_go_todoTe doenMenu bar Todomnu_help_helpBewaak-hulpMenu bar Help itemrefresh_btnVernieuwenRefresh buttonhelp_btnHelpHelp buttonmtab_lessonLesMonitor Lesson details tabmtab_seqOpeenvolgingMonitor Sequence tabmtab_learnersCursistenMonitor Learners tabmtab_todoTe doenMonitor Todo tabls_status_lblStatus:Status label - Lesson detailsls_learners_lblCursisten:Learner label - Lesson detailsls_class_lblCategorie:Class label - Lesson detailsls_manage_class_lblCategorie:Class managing label - Lesson detailsls_manage_status_lblStatus wijzigen:Status managing label - Lesson detailsls_manage_start_lblStart:Start managing label - Lesson detailsls_manage_learners_btnCursisten bekijkenView learners button - Lesson details (manage section)ls_manage_editclass_btnCategorie wijzigenEdit class button - Lesson details (manage section)ls_manage_apply_btnToepassenStatus Apply button - Lesson details (manage section)ls_manage_learnerExpp_lblCursist toestaan portfolio te exporterenLabel for Enable export portfolio for Learnerls_confirm_expp_enabledCursisten kunnen hun portfolio nu exporterenConfirmation message on enabling export portfolio for learnersls_confirm_expp_disabledCursisten kunnen hun portfolio nu NIET exporterenConfirmation message on disabling export portfolio for learnersls_manage_schedule_btnRoosterSchedule start button - Lesson details (manage section)ls_manage_start_btnNu startenStart immediately button - Lesson details (manage section)ls_manage_date_lblDatumDate field title - Lesson details (manage section)ls_duration_lblVerstreken periode:Elapsed duration of lesson - Lesson detailsls_manage_status_cmbStatus selecteren:Status combo top (index) item - Lesson details (manage section)ls_status_cmb_activateActiverenLesson status option - Activatels_status_cmb_disableUitschakelenLesson status option - Disable (suspend)ls_status_cmb_enableActiefLesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveArchiefLesson status option - Archivels_status_active_lblAangemaakt maar nog niet gestartCurrent status description if active (enabled)ls_status_disabled_lblBevrorenCurrent status description if suspended (disabled)ls_status_archived_lblGearchiveerdCurrent status description if archviedls_status_started_lblGestartCurrent status description if started (enabled)ls_win_editclass_titleCategorie wijzigenEdit class window titlels_win_learners_titleCursisten bekijkenView learners window titlemnu_viewBeeldMenu bar Viewls_win_editclass_save_btnOpslaanSave button on Edit Class popupls_win_editclass_cancel_btnAnnulerenCancel button on Edit Class popupls_win_learners_close_btnAfsluitenClose button on View Learners popupls_win_editclass_organisation_lblOrganisatieHeading for Organisation tree on Edit Class popupls_win_editclass_staff_lblStafledenHeading for Staff list on Edit Class popupls_win_editclass_learners_lblCursistenHeading for Learners list on the Edit Class popupls_win_learners_heading_lblCursisten in de klas:Heading on View Learners window panel.td_desc_headingGeavanceerde opties:Todo tab description headingtd_desc_textHet gebruik van deze TeDoen-tab is niet nodig om de reeks af te maken. Zie de helppagina voor meer informatie. <br><br>Deze optie is nu volledig bruikbaar.Todo tab descriptionopt_activity_titleOptionele activiteitTitle for Optional Activity on canvas (monitoring)lbl_num_activitiesOnderliggende activiteitenNumber of child activities for Complex activity shown on canvas.ls_of_textvan dei.e. 1 of 10 Used for showing how many learners have startedls_manage_txtLes beherenHeading for Management section of Lesson Tabls_tasks_txtBenodigde takenHeading for Required Tasks (todo section of Lesson tab)td_goContribute_btnUitvoerenGo button on contribute entry itemlearner_exportPortfolio_btnPortfolio exporterenLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class dataal_sendVerzendenSend button label on the system error dialogccm_monitor_activityActiviteitenmonitor openenLabel for Custom Context Monitor Activityccm_monitor_activityhelpActiviteitenbeheer helpLabel for Custom Context Monitor Activity Helpal_validation_schstartEr is geen datum gekozen. Selecteer een datum en tijd.Message when no date is selected for starting a lesson by schedule.al_confirm_forcecomplete_toactivityWeet u zeker dat u cursist '{0}' wil verplichten activiteit '{1}' te maken?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedal_error_forcecomplete_invalidactivityU heeft cursist '{0}' op zijn huidige of afgemaakt activiteit '{1} laten vallen.'Error message when learner has been dropped on its previous or on its current activityal_confirm_forcecomplete_tofinishWeet u zeker dat u cursist '{0}' naar het eind van de les wil forceren?Message to get confirmation from user before sending data to server for force complete to the end of lessonal_error_forcecomplete_notargetLaat cursist '{0}' op een activiteit of eind van de les vallen.Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvastitle_sequencetab_endGateCursisten die klaar zijn:Title for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessonls_manage_time_lblTijd (Uren : Minuten)Time fields title - Lesson details (manage section)ls_learnerURL_lblURL van de cursist:Learner URL:ls_status_scheduled_lblGeplandLesson status option - Scheduled (Not Started)goContribute_btn_tooltipDeze taak nu afmakentool tip message for go button in required tasks list in lesson tabhelp_btn_tooltipHelptool tip message for help button in toolbarrefresh_btn_tooltipDe gegevens over voortgang van de cursisten actualiserentool tip message for the refresh buttonclass_exportPortfolio_btn_tooltipExporteer de portfolio van de klas en sla de gegevens op op uw eigen computer, zodat u er later gebruik van kunt makentool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computerlearner_exportPortfolio_btn_tooltipExporteer de portfolio van de cursist en sla de gegevens op op uw eigen computer, zodat u er later gebruik van kunt makentool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referencels_manage_start_btn_tooltipDe les direct startentool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessonls_manage_schedule_btn_tooltipBepalen op welke datum/tijd de les moet startentool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timecurrent_act_tooltipDubbelklik om de actuele bijdrages van de cursist te bekijkentool tip message for current activity iconcompleted_act_tooltipDubbelklik om de afgeronde activiteiten van de cursist te bekijkentool tip message for completed activity iconal_validation_schtimeVoer een geldige tijd in.Alert message when user enters an invalid time for schedule startfinish_learner_tooltipOm een cursist naar het eind van een les te forceren, sleept u het cursist-icoon naar deze balk en laat u de muisknop losRollover message when user moves their mouse over the end gate bar in monitor tab viewlearner_viewJournals_btnLogboekLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learner_viewJournals_btn_tooltipLogboeken van alle cursisten bekijkentool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.al_doubleclick_todoactivitySorry, cursist: {0} heeft activitei: {1}, nog niet bereikt.alert message when user double click on the todo activity in the sequence under learner tablearners_group_name{0} cursistenGroup name for the class's learners group.ls_remove_confirm_msgU heeft ervoor gekozen deze les te verwijderen. Verwijderde lessen kunnen niet terug gehaald worden. Doorgaan?remove confirm msgls_status_cmb_removeVerwijderenLesson status option - Removels_status_removed_lblVerwijderdCurrent status description if deleted (removed) lesson.al_yesJaYes on the alert dialogal_noNee'No' on the alert dialogls_remove_warning_msgWAARSCHUWING: de les gaat verwijderd worden. Wilt u hem in het archief opslaan?Message for the alert dialog which appears following confirmation dialog for removing a lesson.staff_group_name{0} medewerkersGroup name for the class's staff group.check_avail_btnBeschikbaarheid controlerenCheck Availability button labelcontinue_btnDoorgaanContinue button labells_continue_lblBeste {1}, je bent nog niet klaar met het wijzigen van {0}.Continue message labells_sequence_live_edit_btnRealtime wijzigenLive Edit buttonls_sequence_live_edit_btn_tooltipHet ontwerp van de les wijzigen.Tool tip message for Live Edit buttonmsg_bubble_check_action_lblControle loopt...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblOnbeschikbaar. Probeer het nogmaals.Label displayed when check failed i.e. lesson is still locked.ls_locked_msg_lblSorry, {0} wordt momenteel bewerkt door {1}.Warning message on Monitor locked screen.al_confirm_live_editU staat op het punt realtime te gaan wijzigen. Doorgaan?Confirm warning (dialog) message displayed when opening Live Edit.about_popup_title_lblOver - {0}Title for the About Pop-up window.about_popup_version_lblVersieLabel displaying the version no on the About dialog.about_popup_copyright_lbl© 2002-2007 Stichting {0} .Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} is een handelsmerk van {0} stichting ( {1} ).Label displaying the trademark statement in the About dialog.about_popup_license_lblDit programma valt onder de Vrije Software; u mag het verspreiden en/of aanpassen onder de voorwaarden van de GNU General Public License versie 2 zoals gepubliceerd door de Free Software Foundation. <br><br> {0}Label displaying the license statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.ls_continue_action_lblKlik {0} om door te gaan.Action label displayed when a user can proceed to Live Edit. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/no_NO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/pl_PL_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/pt_BR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/monitoring/ru_RU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/ru_RU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/ru_RU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3al_noНет'No' on the alert dialogstaff_group_name{0} сотрудниковGroup name for the class's staff group.ls_win_editclass_cancel_btnОтменитьCancel button on Edit Class popupcheck_avail_btnПроверить доступностьCheck Availability button labells_sequence_live_edit_btn_tooltipРедактировать проект этого урокаTool tip message for Live Edit buttonls_learnerURL_lblСсылка для ученика:Learner URL:continue_btnПродолжитьContinue button labelmv_search_not_found_msg{0} не найдено.This message appears when the search does not find any learners whose names contain the search parameter.mv_search_go_btn_lblПерейти кIf the learner entered text into the index/search field, clicking this button will search all started learners names for the text they entered, otherwise if they entered a number and clicked go. It will show the contents of the page, whose number they entered.ls_win_learners_close_btnЗакрытьClose button on View Learners popupmv_search_current_page_lblСтраница {0} из {1}{0} is the page we are on now and {1} is the number of pagesls_manage_learners_btn_tooltipПоказать всех уччеников, крикрепленных к этому урокуtool tip message for the view learners button in lesson tab under manage lesson sectionls_manage_apply_btn_tooltipИзменить статус урока, основываясь на выборе в выпадающем менюtool tip message for the apply button in lesson tab under manage lesson section to change the lesson statusls_seq_status_system_gateСистемный затворA System Gate is a stop point that can be controlled by time setting or user controlmnu_go_todoСписок заданийMenu bar Todomtab_todoСписок заданийMonitor Todo tabtd_desc_textИспользование Списка заданий необязательно для выполнения этой последовательности. Обратите в раздел помощь за соотвествующей информацией.<br><br> Эта функция теперь доступна в полном объеме.Todo tab descriptional_error_forcecomplete_invalidactivityВы перетащили пользователя '{0}' на его текущее или уже выполненное задание '{1}'Error message when learner has been dropped on its previous or on its current activityccm_monitor_activityhelpПомощь по мониторингу заданийLabel for Custom Context Monitor Activity Helpal_validation_schstartВы не выбрали дату. Выберите, пожалуйста, дату и время.Message when no date is selected for starting a lesson by schedule.al_confirm_forcecomplete_toactivityДействительно ли вы желаете принудительно завершить задания у ученика '{0}' вплоть до '{1}'?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedls_seq_status_not_setЕще не заданThe value of the sequence's status is not setls_sequence_live_edit_btnРедактирование "на лету"Live Edit buttonabout_popup_license_lblЭто программа является free software; Вы можете распространять и/или изменять ее при условиях соответствия GNU General Public License version 2 опубликованной Free Software Foundation. {0}Label displaying the license statement in the About dialog.stream_reference_lblLAMSReference label for the application stream.gpl_license_urlwww.gnu.org/licenses/gpl.txt URL address for GPL licence.stream_urlhttp://{0}foundation.orgURL address for the application stream.al_okОКOK on the alert dialogclose_mc_tooltipСвернутьTooltip message for close button on Branching canvas.ls_tasks_txtОбязательные заданияHeading for Required Tasks (todo section of Lesson tab)ls_manage_time_lblВремя (Часы : Минуты)Time fields title - Lesson details (manage section)ls_continue_lblЗдравствуйте, {1}, вы не закончили редактирование {0}.Continue message labelal_confirm_forcecomplete_tofinishДействительно ли вы желаете принудительно завершить урок у ученика '{0}'?Message to get confirmation from user before sending data to server for force complete to the end of lessonlearners_group_name{0} учениковGroup name for the class's learners group.ls_status_cmb_removeУдалитьLesson status option - Removels_status_removed_lblУдаленныйCurrent status description if deleted (removed) lesson.al_yesДаYes on the alert dialogls_continue_action_lblНажмите {0}, чтобы продолжить. Action label displayed when a user can proceed to Live Edit.mv_search_default_txtВведите поисковый запрос или номер страницыThe text that is initially displayed in the search/index text field. Search query corresponds to all or part of a learners' name and page number corresponds to a specific page of learners. The user will enter something and then click on the 'Go' button, after which the results will be displayed.branch_mapping_dlg_conditions_dgd_lblСоотвествияHeading label for Mapping datagrid.lbl_num_sequences{0} - ПоследовательностейNumber of child sequence or Optional Sequences activity shown on canvas.al_activity_openContent_invalidИзвините! Перед тем как нажать пункт меню Открыть/Редактировать Задание, Вы должны выбрать задание.alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvasmv_search_error_msgВведите, пожалуйста, поисковый запрос или номер страницы между 1 и {0}This error message appears if the search/index field is blank when the user clicks the 'Go' button.mv_search_invalid_input_msgНомер страницы должен быть между 1 и {0}This error message appears if the number entered by the user lies outside the range of viewable pages.ls_seq_status_sched_gateЗатвор, работающий по времениA type of Gate Activity where progress depends on time (start time and/or end time)branch_mapping_dlg_branch_col_lblРазветвлениеColumn heading for showing sequence name of the mapping.finish_learner_tooltipЧтобы принудительно завершить урок у ученика, перетащите его иконку ну эту панель.Rollover message when user moves their mouse over the end gate bar in monitor tab viewal_confirm_forcecomplete_to_end_of_branching_seqВы желаете принудительно завершить эту разветвляющуюся последовательность у ученика '{0}'?This confirmation dialog appears after a learner icon has been dropped on the finish door within the branching view.mnu_help_helpПомощь по мониторингуMenu bar Help itemls_manage_status_lblИзменить статус:Status managing label - Lesson detailsls_manage_start_lblСтартStart managing label - Lesson detailsls_manage_learners_btnПросмотр учениковView learners button - Lesson details (manage section)ls_manage_learnerExpp_lblРазрешить ученикам экспортировать портфолиоLabel for Enable export portfolio for Learnerls_confirm_expp_enabledЭкспорт портфолио разрешен для учениковConfirmation message on enabling export portfolio for learnersls_confirm_expp_disabledЭкспорт портфолио запрещен для учениковConfirmation message on disabling export portfolio for learnersls_duration_lblОжидаемая продолжительность:Elapsed duration of lesson - Lesson detailstd_desc_headingРасширенное управлениеTodo tab description headingopt_activity_titleОпциональное заданиеTitle for Optional Activity on canvas (monitoring)lbl_num_activities{0} - ЗаданияNumber of child activities for Complex activity shown on canvas.ls_of_textизi.e. 1 of 10 Used for showing how many learners have startedls_manage_txtУправление урокомHeading for Management section of Lesson Tabtd_goContribute_btnПерейти кGo button on contribute entry itemlearner_exportPortfolio_btnЭкспорт портфолиоLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class dataal_sendОтправитьSend button label on the system error dialogls_status_scheduled_lblЗапланированоеLesson status option - Scheduled (Not Started)goContribute_btn_tooltipЗавершить это задание сейчасtool tip message for go button in required tasks list in lesson tabhelp_btn_tooltipПомощьtool tip message for help button in toolbarls_manage_start_btn_tooltipНачать урок незамедлительноtool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessonmsg_bubble_check_action_lblПроверка...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblНедостуно, попробуйте еще раз.Label displayed when check failed i.e. lesson is still locked.ls_locked_msg_lblИзвините, но {0} сейчас редактируется {1}.Warning message on Monitor locked screen.al_confirm_live_editРедактирование "на лету" будет открыто. Желаете продолжить?Confirm warning (dialog) message displayed when opening Live Edit.about_popup_title_lblО программе - {0}Title for the About Pop-up window.about_popup_version_lblВерсияLabel displaying the version no on the About dialog.about_popup_copyright_lbl© 2002-2008 {0} Foundation.Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} является торговой маркой {0} Foundation ( {1} ).Label displaying the trademark statement in the About dialog.branch_mapping_dlg_condition_col_lblУсловиеColumn heading for showing condition description of the mapping.al_error_forcecomplete_to_different_seqВы не можете перетащить {0} на задание из другой ветви или последовательности.This alert appears when either: The learner is in a branching sequence and the monitor tries to force complete them to an activity in a different branching sequence, or: the learner is in an optional sequence and the monitor tries to force complete them to an activity in a different optional sequenceal_error_forcecomplete_notargetПожалуйста, перетащите пользователя '{0}' на задание либо конец урока.Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvasls_win_editclass_organisation_lblОрганизацияHeading for Organisation tree on Edit Class popupmnu_file_startСтартMenu bar Startmnu_helpПомощьMenu bar Helpmnu_help_abtО программеMenu bar Aboutperm_act_lblРазрешениеLabel for permission gate activitysched_act_lblРасписаниеLabel for schedule gate activitysynch_act_lblСинхронизированныйUsed as a label for the Synch Gate Activity Typews_RootКореньRoot folder title for workspacews_dlg_cancel_buttonОтменить2ws_dlg_location_buttonРасположениеWorkspace dialogue Location btn labelws_tree_mywspМоя рабочая средаThe root level of the treews_tree_orgsОрганизацииShown in the top level of the tree in the workspacesys_error_msg_startПроизошла следующая системная ошибка:Common System error message starting linesys_errorСистемная ошибкаSystem Error elert window titlemnu_file_scheduleРасписаниеMenu bar Schedulemnu_file_exitВыходMenu bar Exitmnu_view_learnersУченики...Menu bar Learnersmnu_goПерейти кMenu bar Gomnu_go_lessonУрокMenu bar Go to Lesson Tabmnu_go_scheduleРасписаниеMenu bar Go to Schedule Tabmnu_go_learnersУченикиMenu bar Go to Learners Tabrefresh_btnОбновитьRefresh buttonhelp_btnПомощьHelp buttonrefresh_btn_tooltipОбновить пользовательскую информацию.tool tip message for the refresh buttonal_alertПредупреждениеGeneric title for Alert windowal_cancelОтменитьTo Confirm title for LFErroral_confirmПодтвердитьTo Confirm title for LFErrorapp_chk_langloadЯзыковые данные загружены неудачноmessage for unsuccessful language loadingapp_chk_themeloadДанные для темы загружены неудачноmessage for unsuccessful theme loadingapp_fail_continueПрограмма завершит работу. Пожалуйста, свяжитесь со службой поддержки.message if application cannot continue due to any errordb_datasend_confirmСпасибо за то, что послали данные на серверMessage when user sucessfully dumps data to the servermnu_editРедактироватьMenu bar Editmnu_edit_copyКопироватьMenu bar Edit &gt; Copymnu_edit_cutВырезатьMenu bar Edit &gt; Cutmnu_edit_pasteВставитьMenu bar Edit &gt; Pastemnu_fileФайлMenu bar Filemnu_file_refreshОбновитьMenu bar Refreshmnu_file_editclassРедактировать классMenu bar Edit Classbranch_mapping_dlg_group_col_lblГруппаColumn heading for showing group name of the mapping.mnu_go_sequenceПоследовательностьMenu bar Go to Sequence Tabcv_activity_helpURL_undefinedНет справки для {0}Alert message when a tool activity has no help url defined.cv_design_unsaved_live_editНесохраненные изменения будут автоматически сохранены. Желаете ли вы продолжить вставку/слияние?Confirm alert message displayed when doing an insert/merge to a modified design in Live Edit.mtab_lessonУрокMonitor Lesson details tabmtab_seqПоследовательностьMonitor Sequence tabmtab_learnersУченикиMonitor Learners tabls_status_lblСтатус:Status label - Lesson detailsls_learners_lblУченики:Learner label - Lesson detailsls_class_lblКласс:Class label - Lesson detailsls_manage_class_lblКласс:Class managing label - Lesson detailsls_manage_editclass_btnРедактировать классEdit class button - Lesson details (manage section)ls_manage_apply_btnПрименитьStatus Apply button - Lesson details (manage section)ls_manage_schedule_btnРасписаниеSchedule start button - Lesson details (manage section)ls_manage_start_btnСтартовать сейчасStart immediately button - Lesson details (manage section)ls_manage_date_lblДатаDate field title - Lesson details (manage section)ls_manage_status_cmbВыберите статус:Status combo top (index) item - Lesson details (manage section)ls_status_cmb_activateАктивироватьLesson status option - Activatels_status_cmb_disableДеактивироватьLesson status option - Disable (suspend)ls_status_cmb_enableАктивноLesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveАрхивLesson status option - Archivels_status_active_lblСоздано, но еще запущенCurrent status description if active (enabled)ls_status_disabled_lblНеактивноCurrent status description if suspended (disabled)ls_status_archived_lblАрхивныйCurrent status description if archviedls_status_started_lblЗапущенныйCurrent status description if started (enabled)ls_win_editclass_titleРедактировать классEdit class window titlels_win_learners_titleПросмотр учениковView learners window titlemnu_viewВидMenu bar Viewls_win_editclass_save_btnСохранитьSave button on Edit Class popupls_win_editclass_staff_lblСотрудникиHeading for Staff list on Edit Class popupls_win_editclass_learners_lblУченикиHeading for Learners list on the Edit Class popupls_win_learners_heading_lblУченики в классе:Heading on View Learners window panel.sys_error_msg_finishЧтобы продолжить работу, перезапустите, пожалуйста, Редактор заданий. Желаете ли Вы сохранить информацию о произошедщей ошибке, чтобы помочь решить ее в будущем?Common System error message finish paragraphccm_monitor_activityОткрыть мониторинг заданияLabel for Custom Context Monitor Activityccm_monitor_view_condition_mappingsПосмотреть соотвествия Ветвей УсловиямLabel for Custom Context View Condition Mappingsccm_monitor_view_group_mappingsПосмотреть соотвествия Ветвей ГруппамLabel for Custom Context View Group Mappingstitle_sequencetab_endGateЗавершили:Title for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessonls_seq_status_perm_gateРазрешение учителяA type of Gate Activity where progress depends on permission from a Teacherls_seq_status_synch_gateСинхронизацияA type of Gate Activity where progress depends on all Learners in the Class or Group reaching the activityal_doubleclick_todoactivityИзвините, но ученик {0} еще не достиг {1} заданияalert message when user double click on the todo activity in the sequence under learner tabls_remove_confirm_msgВы нажали Удалить этот урок. Удаленные уроки не могут быть восстановлены. Продолжить?remove confirm msgls_remove_warning_msgВНИМАНИЕ: Урок будет удален. Желаете ли вы сохранить его?Message for the alert dialog which appears following confirmation dialog for removing a lesson.mv_search_index_view_btn_lblИндекс страницWhen the user clicks this button, they will be returning from the search view to the index view. It will once again allow them to view all the available pages, and navigate to them directly. This button is only visible when the user is in the search view.ls_seq_status_moderationАрбитражDisplayed when we want the Teacher to moderate an activitiy (for example a chat room)ls_seq_status_define_laterОпределить позжеOf an Activity: when the content for the Activity must defined in the Lesson (via Monitoring) rather than by the Authorls_seq_status_choose_groupingРаспределить по группамAllows the Teacher to add the learners to chosen groupsls_seq_status_contributionСделатьAny 'Contributions' to be made by a monitor, such as editing text for 'Define in Monitor' tasks, marking essay/reports, releasing stop points, etc.ls_seq_status_teacher_branchingОснованное на решении учителяA type of branching where the Teacher chooses which learners to add to each branchls_manage_schedule_btn_tooltipЗапланировать старт урока на заданное времяtool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timecurrent_act_tooltipДважды нажмите мышью, чтобы посмотреть текущее состояние задания у пользователяtool tip message for current activity iconcompleted_act_tooltipДважды нажмите мышью, чтобы посмотреть завершенные задания у пользователяtool tip message for completed activity iconal_validation_schtimeВведите, пожалуйста, правильное время.Alert message when user enters an invalid time for schedule startlearner_viewJournals_btnЗаписиLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learner_viewJournals_btn_tooltipПросмотреть все записи, сделанные пользователемtool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.class_exportPortfolio_btn_tooltipЭкспортировать и сохранить портфолио всего класса для дальнейщих обращений к немуtool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computerlearner_exportPortfolio_btn_tooltipЭкспортировать и сохранить портфолио пользователя для дальнейщих обращений к немуtool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referencels_manage_editclass_btn_tooltipРедактировать список пользователей и сотрудников, прикрепленных к этому уроку.tool tip message for the edit class button in lesson tab under manage lesson sectionlabel.grouping.general.instructions.branchingВы не можете добавлять или удалять группы в это групповое задание, так как оно используется в Разветвлении, а добавление или удаление новых групп повлечет за собой изменение настроек соотвествий ветвей группам. Вы можете только добавлять или удалять пользователей в уже существующие группы.Third instructions paragraph on the chosen branching screen. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/sv_SE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/monitoring/tr_TR_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/monitoring/tr_TR_dictionary.xml (revision 0) +++ lams_central/web/flashxml/monitoring/tr_TR_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3about_popup_license_lblBu program üzretsiz bir yazılımdır; dağıtabilir ve/veya Free Softvare Foundation tarafından yayınlanan GNU General Public Licence version 2 şartları altında değiştirebilirsiniz. Label displaying the license statement in the About dialog.stream_urlhttp://{0}foundation.orgURL address for the application stream.completed_act_tooltipÖğrencilerin tamamladığı etkinlikleri görmek için çift tıklayınız.tool tip message for completed activity iconal_validation_schtimeLütfen geçerli bir zaman giriniz.Alert message when user enters an invalid time for schedule startls_win_editclass_organisation_lblOrganizasyonHeading for Organisation tree on Edit Class popupal_alertUyarıGeneric title for Alert windowal_cancelİptalTo Confirm title for LFErroral_confirmOnaylaTo Confirm title for LFErroral_okTamamOK on the alert dialogapp_chk_langloadDil bileşenleri yüklenmedimessage for unsuccessful language loadingapp_chk_themeloadTema bileşenleri yüklenmedimessage for unsuccessful theme loadingapp_fail_continueUygulamaya devam edilemiyor. Destek için iletişime geçiniz.message if application cannot continue due to any errordb_datasend_confirmSunucuya gönderdiğiniz veri için teşekkürler.Message when user sucessfully dumps data to the servermnu_editDüzenleMenu bar Editmnu_edit_copyKopyalaMenu bar Edit &gt; Copymnu_edit_cutKesMenu bar Edit &gt; Cutmnu_edit_pasteYapıştırMenu bar Edit &gt; Pastemnu_fileDosyaMenu bar Filemnu_file_refreshYenileMenu bar Refreshmnu_file_editclassDers düzenleMenu bar Edit Classmnu_file_startBaşlaMenu bar Startmnu_helpYardımMenu bar Helpmnu_help_abtHakkındaMenu bar Aboutperm_act_lblİzinLabel for permission gate activitymv_search_not_found_msg{0} bulunamadıThis message appears when the search does not find any learners whose names contain the search parameter.mv_search_current_page_lblSayfa {0}/{1}{0} is the page we are on now and {1} is the number of pagesmv_search_go_btn_lblGitIf the learner entered text into the index/search field, clicking this button will search all started learners names for the text they entered, otherwise if they entered a number and clicked go. It will show the contents of the page, whose number they entered.mv_search_index_view_btn_lblDizin görünümüWhen the user clicks this button, they will be returning from the search view to the index view. It will once again allow them to view all the available pages, and navigate to them directly. This button is only visible when the user is in the search view.ls_seq_status_moderationEtkinlik yönetDisplayed when we want the Teacher to moderate an activitiy (for example a chat room)ls_seq_status_perm_gateİzin kapısıA type of Gate Activity where progress depends on permission from a Teacherls_seq_status_choose_groupingGruplamayı seçAllows the Teacher to add the learners to chosen groupsls_seq_status_system_gateSistem kapısıA System Gate is a stop point that can be controlled by time setting or user controlws_RootAna dizinRoot folder title for workspacews_dlg_cancel_buttonİptal2ws_tree_mywspÇalışma AlanımThe root level of the treesys_error_msg_startBir sistem hatası oluştu.Common System error message starting linesys_errorSistem hatasıSystem Error elert window titlemnu_file_exitÇıkışMenu bar Exitmnu_goGitMenu bar Gomnu_go_lessonDersMenu bar Go to Lesson Tabrefresh_btnYenileRefresh buttonhelp_btnYardımHelp buttonmtab_lessonDersMonitor Lesson details tabmtab_seqSıralamaMonitor Sequence tabls_status_lblDurumStatus label - Lesson detailsls_manage_start_lblBaşlaStart managing label - Lesson detailsls_manage_editclass_btnSınıfı düzenleEdit class button - Lesson details (manage section)ls_manage_apply_btnUygulaStatus Apply button - Lesson details (manage section)ls_manage_start_btnŞimdi başlaStart immediately button - Lesson details (manage section)ls_manage_date_lblTarihDate field title - Lesson details (manage section)ls_manage_status_cmbDurum seçStatus combo top (index) item - Lesson details (manage section)ls_status_cmb_activateEtkinleştirLesson status option - Activatels_status_cmb_disablePasifLesson status option - Disable (suspend)ls_status_cmb_enableAktifLesson status option - Enable (make active/unsuspend)ls_status_cmb_archiveArşivLesson status option - Archivels_status_active_lblOluşturuldu ancak başlatılmadıCurrent status description if active (enabled)ls_status_disabled_lblPasifCurrent status description if suspended (disabled)ls_status_archived_lblArşivlendiCurrent status description if archviedls_status_started_lblBaşladıCurrent status description if started (enabled)ls_win_editclass_titleSınıfı düzenleEdit class window titlels_win_learners_titleÖğrenenleri görüntüleView learners window titlemnu_viewGörünümMenu bar Viewls_win_editclass_save_btnKaydetSave button on Edit Class popupls_win_editclass_cancel_btnİptalCancel button on Edit Class popupls_win_learners_close_btnKapatClose button on View Learners popupls_win_editclass_learners_lblÖğrencilerHeading for Learners list on the Edit Class popupls_win_learners_heading_lblSınıftaki öğrencilerHeading on View Learners window panel.td_desc_headingGelişmiş kontrollerTodo tab description headingopt_activity_titleSeçmeli EtkinlikTitle for Optional Activity on canvas (monitoring)lbl_num_activities{0} - EtkinliklerNumber of child activities for Complex activity shown on canvas.ls_manage_txtDersi yönetHeading for Management section of Lesson Tabls_tasks_txtYapılması gereken görevlerHeading for Required Tasks (todo section of Lesson tab)td_goContribute_btnGitGo button on contribute entry itemal_sendGönderSend button label on the system error dialogal_validation_schstartTarih seçilmedi. Lütfen tarih ve zaman seçiniz.Message when no date is selected for starting a lesson by schedule.title_sequencetab_endGateBitiren öğrencilerTitle for end gate bar shown at the bottom of monitor tab where user can drop a learner to force complete to the end of lessonls_learnerURL_lblÖğrenci URL'siLearner URL:goContribute_btn_tooltipBu görevi şimdi tamamlatool tip message for go button in required tasks list in lesson tabhelp_btn_tooltipYardımtool tip message for help button in toolbarls_manage_editclass_btn_tooltipBu derse kayırlı öğrencileri düzenler ve izler.tool tip message for the edit class button in lesson tab under manage lesson sectionls_manage_learners_btn_tooltipBu derse kayıtlı öğrencileri gösterir.tool tip message for the view learners button in lesson tab under manage lesson sectionls_class_lblSınıfClass label - Lesson detailsls_manage_class_lblSınıfClass managing label - Lesson detailsls_manage_status_lblDurum değiştirStatus managing label - Lesson detailsls_manage_learnerExpp_lblÖğrenci için portfolyo dışa aktarmayı etkinleştirLabel for Enable export portfolio for Learnerls_confirm_expp_enabledPortfolyo dışa aktarma etkinleştirildi.Confirmation message on enabling export portfolio for learnersls_confirm_expp_disabledPortfolyo dışa aktarmayı devreden çıkarConfirmation message on disabling export portfolio for learnersls_duration_lblGeçen zamanElapsed duration of lesson - Lesson detailsccm_monitor_activityhelpEtkinlik yardımını izleLabel for Custom Context Monitor Activity Helplearner_viewJournals_btnGünlük mesajlarıLabel for Journal Entries button used on Learners tab to view all journal entires for the lesson.learner_viewJournals_btn_tooltipÖğrencilerin kaydettiği günlük mesajlarının tümünü göster.tool tip message for Journal Entries button used on Learner tab to view all journal entires for the lesson.learners_group_name{0} öğrenciGroup name for the class's learners group.ls_remove_confirm_msgBu dersi kaldırmayı seçtiniz. Bu işlemi tekrar geri lamazsınız. devam etmek istiyor musunuz?remove confirm msgcontinue_btnDevam etContinue button labelmsg_bubble_check_action_lblKontrol ediliyor...Label displayed when checking availability of lesson.msg_bubble_failed_action_lblGerçekleştirilemedi, tekrar deneyiniz.Label displayed when check failed i.e. lesson is still locked.branch_mapping_dlg_branch_col_lblDallanmaColumn heading for showing sequence name of the mapping.branch_mapping_dlg_condition_col_lblDurumColumn heading for showing condition description of the mapping.branch_mapping_dlg_group_col_lblGrupColumn heading for showing group name of the mapping.mnu_go_sequenceSıralamaMenu bar Go to Sequence Tabcv_activity_helpURL_undefined{0}'ın yardım sayfası bulunamıyor.Alert message when a tool activity has no help url defined.cv_design_unsaved_live_editKaydedilmeyen değişiklikler otomatik olarak kaydedilecek. Ekle/birleştir ile devam etmek istiyor musunuz?Confirm alert message displayed when doing an insert/merge to a modified design in Live Edit.al_doubleclick_todoactivityÜzgünüm, öğrenci {0} henüz etkinliğe erişmedialert message when user double click on the todo activity in the sequence under learner tabls_status_cmb_removeKaldırLesson status option - Removels_status_removed_lblKaldırıldıCurrent status description if deleted (removed) lesson.al_yesEvetYes on the alert dialogal_noHayır'No' on the alert dialogls_remove_warning_msgUYARI: Ders kaldırılmak üzere. Bu dersi saklamak istiyor musunuz?Message for the alert dialog which appears following confirmation dialog for removing a lesson.check_avail_btnKullanılabilirliğini kontrol et.Check Availability button labelabout_popup_title_lbl{0} hakkındaTitle for the About Pop-up window.about_popup_version_lblSürümLabel displaying the version no on the About dialog.about_popup_copyright_lbl© 2002-2008 {0} Foundation. Label displaying copyright statement in About dialog.about_popup_trademark_lbl{0} is a trademark of {0} Foundation ( {1} ). Label displaying the trademark statement in the About dialog.ls_manage_start_btn_tooltipDersi hemen başlattool tip message for the start now button in lesson tab under manage lesson section when staff has not yet started the lesson while creating a lessongpl_license_urlwww.gnu.org/licenses/gpl.txtURL address for GPL licence.sys_error_msg_finishDevam etmek için LAMS yazarlığı yeniden başlatmalısınız. Problemin giderilmesinde yardımcı olmak için hata bilgisini kaydetmek ister misiniz?Common System error message finish paragraphmtab_learnersÖğrencilerMonitor Learners tabls_learners_lblÖğrencilerLearner label - Lesson detailsls_of_textin i.e. 1 of 10 Used for showing how many learners have startedccm_monitor_activityEtkinlik izlemeyi açLabel for Custom Context Monitor Activityclose_mc_tooltipSimge durumuna küçültTooltip message for close button on Branching canvas.lbl_num_sequences{0} - SıralamalarNumber of child sequence or Optional Sequences activity shown on canvas.ls_seq_status_define_laterDaha sonra tanımlaOf an Activity: when the content for the Activity must defined in the Lesson (via Monitoring) rather than by the Authorlearner_exportPortfolio_btn_tooltipBu öğrencinin portfolyosunu dışa aktarıp bilgisayarınıza kaydeder.tool tip message for exportportfolio button for individual learner to export portfolio for the respective learner and save to it in on user computer for future referencels_continue_lblHi {1}, düzenlemeyi bitirmediniz.Continue message labelstream_reference_lblLAMSReference label for the application stream.mv_search_default_txtAnahtar kelime veya sayfa numarası giriniz.The text that is initially displayed in the search/index text field. Search query corresponds to all or part of a learners' name and page number corresponds to a specific page of learners. The user will enter something and then click on the 'Go' button, after which the results will be displayed.ls_manage_time_lblZaman (Saat:dakika)Time fields title - Lesson details (manage section)ls_seq_status_teacher_branchingÖğretmen seçimli dallanmaA type of branching where the Teacher chooses which learners to add to each branchls_seq_status_not_setHenüz kurulmadıThe value of the sequence's status is not setal_activity_openContent_invalidÜzgünüm! Etkinlik sağ menüsündeki Etkinlik içeriği Aç/Düzenle maddesine tıklamadan önce etkinliği seçmek zorundasınız. alert message when user click Open/Edit Activity Content menu item in context menu before selecting any activity on the canvassched_act_lblTakvimLabel for schedule gate activitymnu_file_scheduleTakvimMenu bar Schedulemnu_go_scheduleTakvimMenu bar Go to Schedule Tabmnu_go_learnersÖğrencilerMenu bar Go to Learners Tabls_manage_schedule_btnTakvimSchedule start button - Lesson details (manage section)synch_act_lblSenkronize etUsed as a label for the Synch Gate Activity Typeccm_monitor_view_group_mappingsGrup dallanmalarını gösterLabel for Custom Context View Group Mappingsccm_monitor_view_condition_mappingsDurum dallanmalarını gösterLabel for Custom Context View Condition Mappingsws_dlg_location_buttonKonumWorkspace dialogue Location btn labelmnu_view_learnersÖğrenciler..Menu bar Learnersls_locked_msg_lblÜzgünüm, {0} şuan {1} tarafından düzenleniyor.Warning message on Monitor locked screen.ls_continue_action_lblDevam etmek için {0}'a tıklayınız.Action label displayed when a user can proceed to Live Edit.ls_manage_apply_btn_tooltipAçılır menü ile bu dersin durumunu değiştirir.tool tip message for the apply button in lesson tab under manage lesson section to change the lesson statustd_desc_textBu sekmenin kullanımı akışı tamamlamanızı gerektirmez. Daha fazla bilgi için yardım sayfasına bakınız. Bu özellik tüm işlevleriyle çalışıyor.Todo tab descriptional_confirm_forcecomplete_toactivityÖğrenci '{0}' ı Etkinlik {1}'i yapmaya zorlamak istediğinizden emin misiniz?Message to get confirmation from user before send data to server for force complete a learner to the activity it has been droppedls_manage_schedule_btn_tooltipDersi belirlenen tarihte başlatmak üzere takvim oluşturur.tool tip message for the schedule button in lesson tab under manage lesson section to shedule the lesson to start of selected date and timemnu_help_helpİzleme yardımMenu bar Help itemws_tree_orgsOrganizasyonShown in the top level of the tree in the workspacecurrent_act_tooltipÖğrencinin şimdiki etkinliğine katılımını gözlemek için çift tıklayınız.tool tip message for current activity iconstaff_group_name{0} izleyiciGroup name for the class's staff group.al_confirm_live_editÇalışırken düzenle'yi açmak üzeresiniz. Devam etmek istiyor musunuz?Confirm warning (dialog) message displayed when opening Live Edit.mnu_go_todoYapMenu bar Todomtab_todoYapMonitor Todo tabal_error_forcecomplete_notargetLütfen öğrenci {0}'ı bir etkinliğin üzerine veya dersin sonuna bırakınız.Error Message when learner has been dropped outside of an activity or end of lesson bar at the bottom on the canvasrefresh_btn_tooltipÖğrenciler için son değişimleri yüklertool tip message for the refresh buttonbranch_mapping_dlg_conditions_dgd_lblHaritalamaHeading label for Mapping datagrid.class_exportPortfolio_btn_tooltipDersin portfolyosunu dışa aktarır ve ileride kullanılmak üzere bilgisayarınıza kaydeder.tool tip message for exportportfolio button next to refresh button to export class portfolio and save in on user computermv_search_error_msgLütfen 1 ve {0} arasında bir sayfa sayısı veya anahtar kelime girerek sorgulama yapınız.This error message appears if the search/index field is blank when the user clicks the 'Go' button.mv_search_invalid_input_msgSayfa numarası 1 ile {0} arasında olmalıdır.This error message appears if the number entered by the user lies outside the range of viewable pages.al_confirm_forcecomplete_to_end_of_branching_seqÖğrenci {0}'ı dallanma sıralamasını sonuna göndermek istediğinizden emin misiniz?This confirmation dialog appears after a learner icon has been dropped on the finish door within the branching view.al_error_forcecomplete_invalidactivityÖğrenci {0}'ı şuanki etkinliğine veya tamamladığı etkinlik {1}'e bıraktınız.Error message when learner has been dropped on its previous or on its current activityal_error_forcecomplete_to_different_seq{0} farklı bir sıralama veya dallanmadaki etkinliğe bırakılamaz.This alert appears when either: The learner is in a branching sequence and the monitor tries to force complete them to an activity in a different branching sequence, or: the learner is in an optional sequence and the monitor tries to force complete them to an activity in a different optional sequencels_win_editclass_staff_lblİzlemeHeading for Staff list on Edit Class popupls_seq_status_contributionKatılımAny 'Contributions' to be made by a monitor, such as editing text for 'Define in Monitor' tasks, marking essay/reports, releasing stop points, etc.al_confirm_forcecomplete_tofinishÖğrenci {0}'ı dersi bitirmeye zorlamak istediğinizden emin misiniz?Message to get confirmation from user before sending data to server for force complete to the end of lessonlabel.grouping.general.instructions.branchingGrubun dallanmasını etkileyeceğinden bu gruplamaya grup ekleyip kaldıramazsınız. Sadece varolan gruplara kullanıcıekleyip kaldırabilirsiniz.Third instructions paragraph on the chosen branching screen.finish_learner_tooltipÖğrenciyi dersi tamamlamaya zorlamak için öğrenci simgesini bu çubuğa sürükleyiniz ve bırakınız.Rollover message when user moves their mouse over the end gate bar in monitor tab viewls_sequence_live_edit_btn_tooltipBu ders için geçerli tasarımı düzenler.Tool tip message for Live Edit buttonls_sequence_live_edit_btnCanlı düzenleLive Edit buttonls_manage_learners_btnÖğrenci görüntüleView learners button - Lesson details (manage section)learner_exportPortfolio_btnPortfolyo kaydetLabel for Export Portfolio used both on learners tab to export learner data and monitor tab to export class datals_seq_status_sched_gateKapıyı programlaA type of Gate Activity where progress depends on time (start time and/or end time)ls_seq_status_synch_gateSenkronize kapısıA type of Gate Activity where progress depends on all Learners in the Class or Group reaching the activityls_status_scheduled_lblZaman çizelgesi oluşturuldu.Lesson status option - Scheduled (Not Started) \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/vi_VN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/monitoring/zh_CN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/preloaderStyle.xml =================================================================== diff -u --- lams_central/web/flashxml/preloaderStyle.xml (revision 0) +++ lams_central/web/flashxml/preloaderStyle.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ + \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/ar_JO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/cy_GB_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/da_DK_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/de_DE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/el_GR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/en_AU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/en_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/es_ES_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/fr_FR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/wizard/hu_HU_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/wizard/hu_HU_dictionary.xml (revision 0) +++ lams_central/web/flashxml/wizard/hu_HU_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3desc_lblLeírásNew Lesson descriptionsummery_design_lblTervezés:Label for summery heading of selected design field.summery_title_lblCím:Label for summery heading of defined title.summery_desc_lblLeírás:Label for summery heading of defined description.summery_course_lblKurzus:Label for summery heading of selected course field.summery_class_lblOsztály:Label for summery heading of selected class field.summery_staff_lblMunkatársak:Label for summery heading of number of selected staff in the lesson class.summery_learners_lblTamulók:Label for summery heading of number of selected learners in the lesson class.al_sendKüldésOK on system error dialogdate_lblDátumLabel for Schedule Date fieldtime_lblIdő (óra : perc)Label for Schedule Time fieldal_validation_schtimeKérem, írja be az érvényes időt!Alert message when user enters an invalid time for schedule startlearner_lblTanulókHeading for list of class learnerssys_error_msg_finishKívánja elküldeni a hibajelentést?Common System error message finish paragraphsys_errorRendszerhibaSystem Error elert window titleprev_btn< ElőzőPrevious step buttonnext_btnKövetkező >Next step buttonfinish_btnVégeFinish button to complete wizardcancel_btnMégseCancel button to exit wizardclose_btnBezárásClose button to close windowstart_btnKezdés és befejezésStart button to start new lessontitle_lblCímNew Lesson titlestaff_lblSzemélyekHeading for list of class staffschedule_cb_lblÜtemezésLabel for schedule checkboxsummery_lblÖsszefoglalóHeading for summery outlinews_RootRootRoot folder title for workspacews_tree_mywspAz én munkaterületemThe root level of the workspace treewizardTitle_2_lblA lecke részleteiStep 2 screen titlewizardTitle_3_lblHallgatók és személyek kiválasztásaStep 3 screen titlewizardTitle_4_lblA lecke részleteinek jóváhagyásaStep 4 screen titlewizardTitle_x_lblLecke {0}Confirmation screen titleal_alertFigyelmeztetésGeneric title for Alert windowal_cancelMégseCancel on alert dialogal_confirmJóváhagyásTo Confirm title for LFErroral_okOKOK on alert dialogal_validation_msg2A cím kötelező mezőMessage when title field is empty on Step 2confirmMsg_1_txt{0} elindultConclusion screen description if lesson startedwizard_learner_expp_cb_lblEngedélyezi a diák portfóloójának exportálásátLabel for Enable export portfolio for Learnersys_error_msg_startNem tudta létrerhozni a leckét.Common System error message starting lineal_validation_msg3_1Nem választott kurzust vagy osztályt.Message when no course/class is selected in Step 3al_validation_msg3_2Legalább egy munkatársat és egy tanulót kell választania.Message when either no staff/learner users are selected in Step 3.wizardTitle_1_lblVálasszon jelenetet!Step 1 screen titleal_validation_msg1Egy érvényes jelenetet kell választania.Message when no design is selected on step 1wizardDesc_1_lblAz alábbi könyvtárszerkezet tartalmazza azokat a jeleneteket, melyekhez leckét készíthet. Válasszon egyet közülük, majd a folytatáshoz kattintson a Tovább gombra!Step 1 descriptionwizardDesc_2_lbl Ha szeretné, hogy a diákok nevet és leírást lássanak ehhez a leckéhez, itt megadhatja ezeket.Step 2 descriptionwizardDesc_3_lblTörölheti diákok vagy munkatársak kiválasztását ennél az osztálynál, ha üresen hagyja a nevük melletti jelölőnégyzetet.Step 3 descriptionwizardDesc_4_lblA Start gomb lenyomásával azonnal elindíthatja ezt a leckét. Ütemezheti is a leckét, hogy egy bizonyos dátum adott időpontjában induljon.Step 4 descriptionconfirmMsg_2_txtA {0} ütemezése ekkorra: {1}.Conclusion screen description if lesson scheduledconfirmMsg_3_txtA {0} létrehozása megtörtént, de elindítva még nincs.Conclusion screen description if lesson created but not startedal_validation_schstartNem választott dátumot. Kérem, válasszon dátumot és időpontot, mielőtt az Ütemezés gombra kattint!Message when no date is selected starting a lesson by schedule.wizard_selAll_cb_lblMindent kiválasztLabel for select all check box used to select all staff or learner users in list.learners_group_nameA tanulók száma: {0}Group name for the class's learners group.staff_group_nameA munkatársak száma: {0}Group name for the class's staff group. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/it_IT_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/wizard/ja_JP_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/wizard/ja_JP_dictionary.xml (revision 0) +++ lams_central/web/flashxml/wizard/ja_JP_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3summery_learners_lbl学習者:Label for summery heading of number of selected learners in the lesson class.al_send送信OK on system error dialogal_validation_schtime正しい時刻を入力してください。Alert message when user enters an invalid time for schedule startdate_lbl日付Label for Schedule Date fieldtime_lbl時刻 (時 : 分)Label for Schedule Time fieldwizard_selAll_cb_lblすべて選択Label for select all check box used to select all staff or learner users in list.wizard_learner_expp_cb_lbl学習者によるポートフォリオのエクスポートを許可しますLabel for Enable export portfolio for Learnerlearners_group_name{0} 学習者Group name for the class's learners group.al_validation_msg2タイトルが必要です。Message when title field is empty on Step 2sys_error_msg_startレッスンの作成に失敗しました。Common System error message starting linesys_error_msg_finishエラーレポートを送信しますか?Common System error message finish paragraphsys_errorシステムエラーSystem Error elert window titleprev_btn< 前へPrevious step buttonnext_btn次へ >Next step buttonfinish_btnモニタの開始Finish button to complete wizardcancel_btnキャンセルCancel button to exit wizardclose_btn閉じるClose button to close windowstart_btnすぐに開始Start button to start new lessontitle_lblタイトルNew Lesson titledesc_lbl説明New Lesson descriptionlearner_lbl学習者Heading for list of class learnersschedule_cb_lblスケジュールLabel for schedule checkboxsummery_lbl要約Heading for summery outlinews_RootルートRoot folder title for workspacews_tree_mywspワークスペースThe root level of the workspace treewizardTitle_1_lblシーケンス選択Step 1 screen titlewizardTitle_2_lblレッスンの詳細Step 2 screen titlewizardTitle_3_lbl学習者とスタッフの選択Step 3 screen titlewizardTitle_4_lblレッスンの詳細確認Step 4 screen titlewizardTitle_x_lblレッスン: {0}Confirmation screen titleal_alert警告Generic title for Alert windowal_cancelキャンセルCancel on alert dialogal_confirm確認To Confirm title for LFErroral_okOKOK on alert dialogal_validation_msg1有効なシーケンスを選択してください。Message when no design is selected on step 1al_validation_msg3_1コースかグループが選択されていません。Message when no course/class is selected in Step 3al_validation_msg3_2スタッフか学習者を、少なくとも 1 人は選択する必要があります。Message when either no staff/learner users are selected in Step 3.wizardDesc_1_lbl下のディレクトリにはレッスンの作成に利用できるシーケンスが存在します。1 つ選択して 次へ をクリックしてください。Step 1 descriptionwizardDesc_2_lbl学習者に参照して欲しいレッスン名と説明をつけ加えることができます。Step 2 descriptionwizardDesc_3_lbl学習者やスタッフの名前の横にあるチェックを消すと、このクラスから外すことができます。Step 3 descriptionconfirmMsg_1_txt{0} は開始されました。Conclusion screen description if lesson startedconfirmMsg_3_txt{0} は作成されましたが、まだ開始していません。Conclusion screen description if lesson created but not startedal_validation_schstart日付が選択されていません。日時を指定して スケジュール ボタンをクリックしてください。Message when no date is selected starting a lesson by schedule.summery_design_lblシーケンス:Label for summery heading of selected design field.summery_title_lblタイトル:Label for summery heading of defined title.summery_desc_lbl説明:Label for summery heading of defined description.summery_course_lblグループ:Label for summery heading of selected course field.summery_class_lblサブグループ:Label for summery heading of selected class field.summery_staff_lblスタッフ:Label for summery heading of number of selected staff in the lesson class.staff_group_name{0} スタッフGroup name for the class's staff group.staff_lblスタッフHeading for list of class staffconfirmMsg_2_txt{0} は {1} に開始する予定です。Conclusion screen description if lesson scheduledwizardDesc_4_lbl開始 ボタンをクリックすると、すぐにレッスンを開始できます。もしくは、レッスン開始日時を指定して実行することもできます。Step 4 descriptionaddmore_btn別のレッスンを追加Button to add another lesson, return to first step. \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/ko_KR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/mi_NZ_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/wizard/ms_MY_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/wizard/ms_MY_dictionary.xml (revision 0) +++ lams_central/web/flashxml/wizard/ms_MY_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3sys_error_msg_startAnda tidak boleh mencipta kelasCommon System error message starting linesys_error_msg_finishAdakah anda mahu menghantar laporan ralat?Common System error message finish paragraphsys_errorRalat SistemSystem Error elert window titleprev_btn< BelakangPrevious step buttonnext_btnHapadan >Next step buttonfinish_btnMula di PaparanFinish button to complete wizardcancel_btnBatalCancel button to exit wizardclose_btnTutupClose button to close windowstart_btnMula SekarangStart button to start new lessontitle_lblTajukNew Lesson titledesc_lblDeskripsiNew Lesson descriptionlearner_lblPelajarHeading for list of class learnersstaff_lblStafHeading for list of class staffschedule_cb_lblJadualLabel for schedule checkboxsummery_lblRingkasanHeading for summery outlinews_RootRootRoot folder title for workspacews_tree_mywspRuang kerja SayaThe root level of the workspace treewizardTitle_1_lblPilih TurutanStep 1 screen titlewizardTitle_2_lblPerincian KelasStep 2 screen titlewizardTitle_3_lblPilih Pelajar dan StafStep 3 screen titlewizardTitle_4_lblSahkan Perincian KelasStep 4 screen titlewizardTitle_x_lblKelas {0}Confirmation screen titleal_alertAletGeneric title for Alert windowal_cancelBatalCancel on alert dialogal_confirmTerimaTo Confirm title for LFErroral_okOKOK on alert dialogal_validation_msg1Turutan sah mesti dipilihMessage when no design is selected on step 1al_validation_msg2Tajuk adalah ruangan perluMessage when title field is empty on Step 2al_validation_msg3_1Tiada kursus atau kelas dipilih.Message when no course/class is selected in Step 3al_validation_msg3_2Mesti terdapat sekurang-kurangnya 1 ahli staf dan pelajar dipilih.Message when either no staff/learner users are selected in Step 3.wizardDesc_2_lblAnda boleh menambah nama dan diskripsi yang mahu dipaparkan kepada pelajar untuk kelasi ini.Step 2 descriptionwizardDesc_3_lblAnda boleh memilih untuk tidak memilih pelajar dan staf dari kelas ini dengan tidak menanda box di sebelah nama mereka.Step 3 descriptionconfirmMsg_1_txt{0} telah bermula.Conclusion screen description if lesson startedconfirmMsg_2_txt{0} telah di jadualkan untuk {1}.Conclusion screen description if lesson scheduledconfirmMsg_3_txt{0} telah di cipta tetapi belum bermula lagi.Conclusion screen description if lesson created but not startedal_validation_schstartTiada tarik dipilih. Sila pilih tarikh dan masa, dan klik butang Jadual.Message when no date is selected starting a lesson by schedule.summery_design_lblTurutan:Label for summery heading of selected design field.summery_title_lblTajuk:Label for summery heading of defined title.summery_desc_lblDiskripsi:Label for summery heading of defined description.summery_course_lblKumpulan:Label for summery heading of selected course field.summery_class_lblSub kumpulan:Label for summery heading of selected class field.summery_staff_lblStaf:Label for summery heading of number of selected staff in the lesson class.summery_learners_lblPelajar:Label for summery heading of number of selected learners in the lesson class.al_sendKirimOK on system error dialogal_validation_schtimeSila masukkan masa yang sah.Alert message when user enters an invalid time for schedule startdate_lblTarikhLabel for Schedule Date fieldtime_lblMasa (Jam : Minit)Label for Schedule Time fieldwizard_selAll_cb_lblPilih SemuaLabel for select all check box used to select all staff or learner users in list.wizard_learner_expp_cb_lblBenarkan eksport portfolio untuk pelajarLabel for Enable export portfolio for Learnerlearners_group_name{0} pelajarGroup name for the class's learners group.staff_group_name{0} stafGroup name for the class's staff group.wizardDesc_4_lblDengan menekan butang Mula anda boleh terus memulakan kelas. Anda juga boleh menjadualkan kelas untuk bermula pada tarikh dan masa tertentu.Step 4 descriptionwizardDesc_1_lblStruktur direktori di bawah mengandungi turutan yang membenarkan anda membuat kelas. Pilih satu dan klik pada butang hadapan untuk sambung.Step 1 description \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/nl_BE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/no_NO_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/pl_PL_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/pt_BR_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/ru_RU_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/sv_SE_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Index: lams_central/web/flashxml/wizard/tr_TR_dictionary.xml =================================================================== diff -u --- lams_central/web/flashxml/wizard/tr_TR_dictionary.xml (revision 0) +++ lams_central/web/flashxml/wizard/tr_TR_dictionary.xml (revision 93d9ed164843c3e37b6bc66fbb3061b20db7abbd) @@ -0,0 +1 @@ +
getDictionary3wizardTitle_1_lblBasamak 1/3: Sıralamanızı seçinStep 1 screen titlewizardTitle_2_lblDers ayrıntılarıStep 2 screen titlewizardTitle_3_lblBasamak 2/3: Öğrencileri ve izlemeyi seçStep 3 screen titlewizardTitle_4_lblBasamak 3/3: Ders ayrıntılarını onaylaStep 4 screen titlewizardTitle_x_lblDers: {0}Confirmation screen titleal_validation_msg1Geçerli bir sıralama seçilmelidir.Message when no design is selected on step 1wizardDesc_3_lblİzleyici ve öğrencilerin adlarının yanında bulunan seçim kutularını işaretleyerek seçebilir veya işareti kaldırarak seçimi kaldırabilirsiniz.Step 3 descriptional_validation_msg2Başlık doldurulması gereken alanlardandır.Message when title field is empty on Step 2sys_error_msg_startDers yaratma işlemi başarılamadı.Common System error message starting linesys_error_msg_finishHata raporu göndermek istiyor musunuz?Common System error message finish paragraphsys_errorSistem hatasıSystem Error elert window titleprev_btn<ÖncekiPrevious step buttonnext_btnSonraki>Next step buttoncancel_btnİptalCancel button to exit wizardclose_btnKapatClose button to close windowstart_btnŞİmdi başlatStart button to start new lessontitle_lblBaşlıkNew Lesson titledesc_lblAçıklamaNew Lesson descriptionlearner_lblÖğrencilerHeading for list of class learnersschedule_cb_lblTakvimLabel for schedule checkboxws_tree_mywspÇalışma alanımThe root level of the workspace treeal_alertUyarıGeneric title for Alert windowal_cancelİptalCancel on alert dialogal_confirmOnaylaTo Confirm title for LFErroral_okTamamOK on alert dialogsummery_desc_lblAçıklamaLabel for summery heading of defined description.summery_course_lblGrupLabel for summery heading of selected course field.summery_class_lblAlt grupLabel for summery heading of selected class field.summery_learners_lblÖğrencilerLabel for summery heading of number of selected learners in the lesson class.al_sendGönderOK on system error dialogdate_lblTarihLabel for Schedule Date fieldwizard_selAll_cb_lblTümünü seçLabel for select all check box used to select all staff or learner users in list.ws_RootAna dizinRoot folder title for workspacewizard_learner_expp_cb_lblPortfolyo dışa aktarmayı etkinleştir.Label for Enable export portfolio for Learneral_validation_msg3_1Herhangi bir ders veya sınıf seçilmedi.Message when no course/class is selected in Step 3confirmMsg_1_txt{0} başlatıldı.Conclusion screen description if lesson startedconfirmMsg_2_txt{0} {1} tarihinde başlatılmak üzere ayarlandı.Conclusion screen description if lesson scheduledsummery_design_lblSıralamaLabel for summery heading of selected design field.summery_title_lblBaşlıkLabel for summery heading of defined title.time_lblZaman (Saat: Dakika)Label for Schedule Time fieldal_validation_schtimeLütfen geçerli bir zaman giriniz.Alert message when user enters an invalid time for schedule startlearners_group_name{0} öğrenciGroup name for the class's learners group.addmore_btnBaşka bir ders ekleButton to add another lesson, return to first step.al_validation_msg3_2En az 1 izleme üyesi ve öğrenci seçilmeliMessage when either no staff/learner users are selected in Step 3.summery_staff_lblİzleyenlerLabel for summery heading of number of selected staff in the lesson class.staff_group_name{0} izleyiciGroup name for the class's staff group.wizardDesc_2_lblBu dersi görecek öğrenciler için bir isim ve açıklama ekleyebilirsiniz.Step 2 descriptionwizardDesc_1_lblMevcut sıralamaları açmak ve görüntülemek için aşağıdaki dosyayı tıklayınız. Birini seçip devam etmek için ileri butonuna tıklayınız.Step 1 descriptionconfirmMsg_3_txt{0} oluşturuldu ancak henüz başlatılmadıConclusion screen description if lesson created but not startedwizardDesc_4_lblBaşlat butonuna basarak dersi hemen başlatabilirsiniz. Ayrıca dersi belirlenen zamanda başlatmak için takvimi ayarlayabilirsiniz.Step 4 descriptional_validation_schstartTarih seçilmedi. Lütfen tarih ve zaman seçiniz ve Takvim butonuna tıklayınız.Message when no date is selected starting a lesson by schedule.staff_lblİzleyenlerHeading for list of class staffsummery_lblÖzetHeading for summery outlinefinish_btnBaşlatFinish button to complete wizard \ No newline at end of file Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/vi_VN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff? Fisheye: Tag 775fdedefed0e3a8ae170d1e82fe1a5a58437e28 refers to a dead (removed) revision in file `lams_central/web/flashxml/wizard/zh_CN_dictionary.xml'. Fisheye: No comparison available. Pass `N' to diff?