当前位置: 首页>>代码示例>>Java>>正文


Java Collections.synchronizedMap方法代码示例

本文整理汇总了Java中java.util.Collections.synchronizedMap方法的典型用法代码示例。如果您正苦于以下问题:Java Collections.synchronizedMap方法的具体用法?Java Collections.synchronizedMap怎么用?Java Collections.synchronizedMap使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在java.util.Collections的用法示例。


在下文中一共展示了Collections.synchronizedMap方法的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: updateOrganization

import java.util.Collections; //导入方法依赖的package包/类
@CrossOrigin
@RequestMapping(value = "/{id}", method = RequestMethod.PUT)
@ApiOperation(value = "Update an existing organization")
public Map<String, Object> updateOrganization (
		@ApiParam(value = "Updated organization object", required = true) @PathVariable("id") int id,
		@RequestBody @Valid OrganizationDTO organizationDTO) {

   	System.out.println("************** OrganizationController.updateOrganization()" 
               + ": id=" + id  
               + "; organizationDTO=" + organizationDTO 
               + " **************");
   	
	Map<String, Object> responseData = null;
	try {
		OrganizationDTO updatedOrganization = organizationService.updateOrganization(id, organizationDTO);
		responseData = Collections.synchronizedMap(new HashMap<>());
		responseData.put("organization", updatedOrganization);
	} catch (Exception e) {
		System.err.println(e);
	}
	return responseData;
}
 
开发者ID:Code4SocialGood,项目名称:c4sg-services,代码行数:23,代码来源:OrganizationController.java

示例2: FunctionValue

import java.util.Collections; //导入方法依赖的package包/类
public FunctionValue(INExplicitFunctionDefinition def,
	FunctionValue precondition, FunctionValue postcondition,
	Context freeVariables)
{
	this.location = def.location;
	this.name = def.name.getName();
	this.typeValues = null;
	this.type = (TCFunctionType)def.getType();
	this.paramPatternList = def.paramPatternList;
	this.body = def.body;
	this.precondition = precondition;
	this.postcondition = postcondition;
	this.freeVariables = freeVariables;
	this.checkInvariants = !def.isTypeInvariant;
	this.classdef = def.classDefinition;

	if (Settings.measureChecks && def.measure != null)
	{
		measureName = def.measure;
		measureValues = Collections.synchronizedMap(new HashMap<Long, Stack<Value>>());
	}
}
 
开发者ID:nickbattle,项目名称:FJ-VDMJ,代码行数:23,代码来源:FunctionValue.java

示例3: main

import java.util.Collections; //导入方法依赖的package包/类
public static void main(String[] args) {
  //create HashMap object
  HashMap hashMap = new HashMap();

  /*
    Java HashMap is NOT synchronized. To get synchronized Map from
    HashMap use
    static void synchronizedMap(Map map) method of Collections class.
  */

  Map map = Collections.synchronizedMap(hashMap);

  /*
     Use this map object to prevent any unsynchronized access to original
     HashMap object.
  */

}
 
开发者ID:tranleduy2000,项目名称:javaide,代码行数:19,代码来源:GetSynchronizedMapFromHashMapExample.java

示例4: clone

import java.util.Collections; //导入方法依赖的package包/类
/**
 * Clones this event.
 *
 * @return cloned event.
 */
@SuppressWarnings("unchecked")
@Override
public AttributeMapEvent clone() {
    AttributeMapEvent event = (AttributeMapEvent) super.clone();
    if (attributes != null) {
        switch (clonePolicy) {
        case SHALLOW:
            event.attributes = Collections.synchronizedMap(new LinkedHashMap<>(attributes));
            break;
        case DEEP:
            event.attributes = (Map<String, Object>) SpongeUtils.deepClone((Serializable) attributes);
            break;
        default:
            throw new SpongeException("Unsupported value: " + clonePolicy);
        }
    }

    return event;
}
 
开发者ID:softelnet,项目名称:sponge,代码行数:25,代码来源:AttributeMapEvent.java

示例5: get

import java.util.Collections; //导入方法依赖的package包/类
@SuppressWarnings("unchecked")
@Override
public Map<SECONDARY_KEY,ITEM> get(Object primaryKey)
{
	Map<SECONDARY_KEY,ITEM> result = super.get( primaryKey );
	if (result != null) return result;
	result = Collections.synchronizedMap( new HashMap<SECONDARY_KEY,ITEM>() );
	super.put( (PRIMARY_KEY)primaryKey, result);
	return result;
}
 
开发者ID:kefik,项目名称:Pogamut3,代码行数:11,代码来源:WeakHashMapMap.java

示例6: EngineMap

import java.util.Collections; //导入方法依赖的package包/类
public EngineMap()
{
    this.map = Collections.synchronizedMap(new EnumMap<>(Engine.class));

    final ScriptEngine js = Engine.JAVASCRIPT.newScriptEngine();
    this.map.put(Engine.JAVASCRIPT, js);

    try
    {
        js.eval("engines = {}");
    }
    catch (final ScriptException e)
    {
        throw new RuntimeException(e); // should never happen
    }

    final Bindings engines = (Bindings) js.get("engines");
    engines.put("js", js);

    this.context = js.getContext();
    engines.put("context", this.context);

    for (final Engine engine : Engine.values())
        this.map.computeIfAbsent(engine, e ->
        {
            final ScriptEngine scriptEngine = e.newScriptEngine(this.context);
            ((Bindings) scriptEngine.get("engines")).put(e.getName(), scriptEngine);
            return scriptEngine;
        });
}
 
开发者ID:JDA-Applications,项目名称:GuildBot,代码行数:31,代码来源:EngineMap.java

示例7: AccountsSettings

import java.util.Collections; //导入方法依赖的package包/类
@SuppressLint("UseSparseArrays")
AccountsSettings(Context context) {
    this.app = context.getApplicationContext();
    this.tokens = Collections.synchronizedMap(new HashMap<>(1));
    this.preferences = PreferenceManager.getDefaultSharedPreferences(context);

    Collection<Integer> aids = getRegistered();
    for (Integer aid : aids) {
        String token = preferences.getString(tokenKeyFor(aid), null);

        if (nonEmpty(token)) {
            tokens.put(aid, token);
        }
    }
}
 
开发者ID:PhoenixDevTeam,项目名称:Phoenix-for-VK,代码行数:16,代码来源:AccountsSettings.java

示例8: prepare

import java.util.Collections; //导入方法依赖的package包/类
@Override
public void prepare(Map stormConf, TopologyContext context,
        OutputCollector collector) {

    mode = ConfUtils.getString(stormConf,
            Constants.PARTITION_MODEParamName,
            Constants.PARTITION_MODE_HOST);

    // check that the mode is known
    if (!mode.equals(Constants.PARTITION_MODE_IP)
            && !mode.equals(Constants.PARTITION_MODE_DOMAIN)
            && !mode.equals(Constants.PARTITION_MODE_HOST)) {
        LOG.error("Unknown partition mode : {} - forcing to byHost", mode);
        mode = Constants.PARTITION_MODE_HOST;
    }

    LOG.info("Using partition mode : {}", mode);

    _collector = collector;
    // Register a "MultiCountMetric" to count different events in this bolt
    // Storm will emit the counts every n seconds to a special bolt via a
    // system stream
    // The data can be accessed by registering a "MetricConsumer" in the
    // topology
    this.eventCounter = context.registerMetric("URLPartitioner",
            new MultiCountMetric(), 10);

    final int MAX_ENTRIES = 500;
    cache = new LinkedHashMap(MAX_ENTRIES + 1, .75F, true) {
        // This method is called just after a new entry has been added
        @Override
        public boolean removeEldestEntry(Map.Entry eldest) {
            return size() > MAX_ENTRIES;
        }
    };

    // If the cache is to be used by multiple threads,
    // the cache must be wrapped with code to synchronize the methods
    cache = Collections.synchronizedMap(cache);
}
 
开发者ID:eorliac,项目名称:patent-crawler,代码行数:41,代码来源:URLPartitionerBolt.java

示例9: remove

import java.util.Collections; //导入方法依赖的package包/类
/**
 * Removes the requested map. If the map doesn't exist, returns an empty map.
 */
@Override
public Map<SECONDARY_KEY, Map<TERTIARY_KEY,ITEM>> remove(Object primaryKey)
{
	Map<SECONDARY_KEY, Map<TERTIARY_KEY,ITEM>> result = super.remove(primaryKey);
	if (result != null) { return result; };
	return Collections.synchronizedMap( new HashMapMap<SECONDARY_KEY, TERTIARY_KEY, ITEM>(secondaryCapacity, tertiaryCapacity) );
}
 
开发者ID:kefik,项目名称:Pogamut3,代码行数:11,代码来源:HashTriMap.java

示例10: getClassByNameOrNull

import java.util.Collections; //导入方法依赖的package包/类
/**
 * Load a class by name, returning null rather than throwing an exception
 * if it couldn't be loaded. This is to avoid the overhead of creating
 * an exception.
 * 
 * @param name the class name
 * @return the class object, or null if it could not be found.
 */
public Class<?> getClassByNameOrNull(String name) {
  Map<String, WeakReference<Class<?>>> map;
  
  synchronized (CACHE_CLASSES) {
    map = CACHE_CLASSES.get(classLoader);
    if (map == null) {
      map = Collections.synchronizedMap(
        new WeakHashMap<String, WeakReference<Class<?>>>());
      CACHE_CLASSES.put(classLoader, map);
    }
  }

  Class<?> clazz = null;
  WeakReference<Class<?>> ref = map.get(name); 
  if (ref != null) {
     clazz = ref.get();
  }
   
  if (clazz == null) {
    try {
      clazz = Class.forName(name, true, classLoader);
    } catch (ClassNotFoundException e) {
      // Leave a marker that the class isn't found
      map.put(name, new WeakReference<Class<?>>(NEGATIVE_CACHE_SENTINEL));
      return null;
    }
    // two putters can race here, but they'll put the same class
    map.put(name, new WeakReference<Class<?>>(clazz));
    return clazz;
  } else if (clazz == NEGATIVE_CACHE_SENTINEL) {
    return null; // not found
  } else {
    // cache hit
    return clazz;
  }
}
 
开发者ID:naver,项目名称:hadoop,代码行数:45,代码来源:Configuration.java

示例11: PublicLocalizer

import java.util.Collections; //导入方法依赖的package包/类
PublicLocalizer(Configuration conf) {
  super("Public Localizer");
  this.lfs = getLocalFileContext(conf);
  this.conf = conf;
  this.pending = Collections.synchronizedMap(
      new HashMap<Future<Path>, LocalizerResourceRequestEvent>());
  this.threadPool = createLocalizerExecutor(conf);
  this.queue = new ExecutorCompletionService<Path>(threadPool);
}
 
开发者ID:naver,项目名称:hadoop,代码行数:10,代码来源:ResourceLocalizationService.java

示例12: UploadQueueStore

import java.util.Collections; //导入方法依赖的package包/类
@SuppressLint("UseSparseArrays")
UploadQueueStore(@NonNull AppStores base) {
    super(base);
    this.statusUpdatePublishSubject = PublishSubject.create();
    this.queueUpdatesPublishSubject = PublishSubject.create();
    this.timer = Observable.interval(0L, PROGRESS_LOOKUP_DELAY, TimeUnit.MILLISECONDS);
    this.progress = Collections.synchronizedMap(new HashMap<>(0));
}
 
开发者ID:PhoenixDevTeam,项目名称:Phoenix-for-VK,代码行数:9,代码来源:UploadQueueStore.java

示例13: addToPortMap

import java.util.Collections; //导入方法依赖的package包/类
/**
 * Adds a host to the MAC/VLAN->SwitchPort mapping
 * @param sw The switch to add the mapping to
 * @param mac The MAC address of the host to add
 * @param vlan The VLAN that the host is on
 * @param portVal The switchport that the host is on
 */
protected void addToPortMap(IOFSwitch sw, MacAddress mac, VlanVid vlan, OFPort portVal) {
	Map<MacVlanPair, OFPort> swMap = macVlanToSwitchPortMap.get(sw);

	if (vlan == VlanVid.FULL_MASK || vlan == null) {
		vlan = VlanVid.ofVlan(0);
	}

	if (swMap == null) {
		// May be accessed by REST API so we need to make it thread safe
		swMap = Collections.synchronizedMap(new LRULinkedHashMap<MacVlanPair, OFPort>(MAX_MACS_PER_SWITCH));
		macVlanToSwitchPortMap.put(sw, swMap);
	}
	swMap.put(new MacVlanPair(mac, vlan), portVal);
}
 
开发者ID:xuraylei,项目名称:fresco_floodlight,代码行数:22,代码来源:LearningSwitch.java

示例14: get

import java.util.Collections; //导入方法依赖的package包/类
/**
 * Returns a HashMap<SECONDARY_KEY,HashMap<TERTIARY_KEY,ITEM>>
 * Never returns null, if the map under primary key doesn't exist, an empty one is added and returned.
 * @param primaryKey
 * @return
 */
@SuppressWarnings("unchecked")
@Override
public Map<SECONDARY_KEY, Map<TERTIARY_KEY,ITEM>> get(Object primaryKey)
{
	Map<SECONDARY_KEY, Map<TERTIARY_KEY,ITEM>> result = super.get(primaryKey);
	if (result != null) { return result; };
	result = Collections.synchronizedMap( new HashMapMap<SECONDARY_KEY,TERTIARY_KEY,ITEM>(secondaryCapacity, tertiaryCapacity) );
	super.put( (PRIMARY_KEY)primaryKey,result);
	return result;
}
 
开发者ID:kefik,项目名称:Pogamut3,代码行数:17,代码来源:WeakHashTriMap.java

示例15: init

import java.util.Collections; //导入方法依赖的package包/类
private void init(int population, long seed) throws IOException {
  String dbType = Config.get("generate.database_type");

  switch (dbType) {
    case "in-memory":
      this.database = new DataStore(false);
      break;
    case "file":
      this.database = new DataStore(true);
      break;
    case "none":
      this.database = null;
      break;
    default:
      throw new IllegalArgumentException(
          "Unexpected value for config setting generate.database_type: '" + dbType
              + "' . Valid values are file, in-memory, or none.");
  }

  this.numberOfPeople = population;
  this.chws = Collections.synchronizedList(new ArrayList<CommunityHealthWorker>());
  this.seed = seed;
  this.random = new Random(seed);
  this.timestep = Long.parseLong(Config.get("generate.timestep"));
  this.stop = System.currentTimeMillis();
  this.demographics = Demographics.loadByName(Config.get("generate.demographics.default_file"));
  this.logLevel = Config.get("generate.log_patients.detail", "simple");
  this.onlyDeadPatients = Boolean.parseBoolean(Config.get("generate.only_dead_patients"));

  this.totalGeneratedPopulation = new AtomicInteger(0);
  this.stats = Collections.synchronizedMap(new HashMap<String, AtomicInteger>());
  stats.put("alive", new AtomicInteger(0));
  stats.put("dead", new AtomicInteger(0));

  if (Boolean.parseBoolean(
        Config.get("generate.track_detailed_transition_metrics", "false"))) {
    this.metrics = new TransitionMetrics();
  }

  // initialize hospitals
  Hospital.loadHospitals();
  Module.getModules(); // ensure modules load early
  CommunityHealthWorker.workers.size(); // ensure CHWs are set early
  Costs.loadCostData();
}
 
开发者ID:synthetichealth,项目名称:synthea_java,代码行数:46,代码来源:Generator.java


注:本文中的java.util.Collections.synchronizedMap方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。