Android Sensor调用从上层到底层

  1. Sensor应用层调用
SensorManager mSensorManager;
Sensor mSensor;
mSensorManager = (SensorManager) getSystemService(SENSOR_SERVICE); //获取sensor服务
mSensor = mSensorManager.getDefaultSensor(Sensor.TYPE_PRESSURE); //获取默认sensor类型mSensorManager.registerListener(mSensorEventListener, mSensor, SensorManager.SENSOR_DELAY_NORMAL);//注册sensor,提供sensor监听器,监听状态变化mSensorManager.unregisterListener(mSensorEventListener,mSensor);//取消注册sensor监听器

2.SensorManager接口\frameworks\base\core\java\android\hardware\SensorManager.java
以registerListener举例

public boolean registerListener(SensorEventListener listener, Sensor sensor,int samplingPeriodUs) {return registerListener(listener, sensor, samplingPeriodUs, null);}
public boolean registerListener(SensorEventListener listener, Sensor sensor,int samplingPeriodUs, int maxReportLatencyUs) {int delay = getDelay(samplingPeriodUs);return registerListenerImpl(listener, sensor, delay, null, maxReportLatencyUs, 0);}protected abstract boolean registerListenerImpl(SensorEventListener listener, Sensor sensor,int delayUs, Handler handler, int maxReportLatencyUs, int reservedFlags);

3.frameworks\base\core\java\android\hardware\SystemSensorManager.java
SystemSensorManager.java继承SensorManager.java实现registerListenerImpl、unregisterListenerImpl等函数

    /** @hide */@Overrideprotected boolean registerListenerImpl(SensorEventListener listener, Sensor sensor,int delayUs, Handler handler, int maxBatchReportLatencyUs, int reservedFlags) {android.util.SeempLog.record_sensor_rate(381, sensor, delayUs);if (listener == null || sensor == null) {Log.e(TAG, "sensor or listener is null");return false;}// Trigger Sensors should use the requestTriggerSensor call.if (sensor.getReportingMode() == Sensor.REPORTING_MODE_ONE_SHOT) {Log.e(TAG, "Trigger Sensors should use the requestTriggerSensor.");return false;}if (maxBatchReportLatencyUs < 0 || delayUs < 0) {Log.e(TAG, "maxBatchReportLatencyUs and delayUs should be non-negative");return false;}if (mSensorListeners.size() >= MAX_LISTENER_COUNT) {throw new IllegalStateException("register failed, "+ "the sensor listeners size has exceeded the maximum limit "+ MAX_LISTENER_COUNT);}// Invariants to preserve:// - one Looper per SensorEventListener// - one Looper per SensorEventQueue// We map SensorEventListener to a SensorEventQueue, which holds the loopersynchronized (mSensorListeners) {SensorEventQueue queue = mSensorListeners.get(listener);if (queue == null) {Looper looper = (handler != null) ? handler.getLooper() : mMainLooper;final String fullClassName =listener.getClass().getEnclosingClass() != null? listener.getClass().getEnclosingClass().getName(): listener.getClass().getName();queue = new SensorEventQueue(listener, looper, this, fullClassName);if (!queue.addSensor(sensor, delayUs, maxBatchReportLatencyUs)) {queue.dispose();return false;}mSensorListeners.put(listener, queue);return true;} else {return queue.addSensor(sensor, delayUs, maxBatchReportLatencyUs);}}}/** @hide */@Overrideprotected void unregisterListenerImpl(SensorEventListener listener, Sensor sensor) {android.util.SeempLog.record_sensor(382, sensor);// Trigger Sensors should use the cancelTriggerSensor call.if (sensor != null && sensor.getReportingMode() == Sensor.REPORTING_MODE_ONE_SHOT) {return;}synchronized (mSensorListeners) {SensorEventQueue queue = mSensorListeners.get(listener);if (queue != null) {boolean result;if (sensor == null) {result = queue.removeAllSensors();} else {result = queue.removeSensor(sensor, true);}if (result && !queue.hasSensors()) {mSensorListeners.remove(listener);queue.dispose();}}}}

3.在registerListenerImpl中创建SensorEventQueue(SensorEventQueue queue = mSensorListeners.get(listener);)
添加到mSensorListeners queue.addSensor(sensor, delayUs, maxBatchReportLatencyUs);

 static final class SensorEventQueue extends BaseEventQueue{private final SensorEventListener mListener;private final SparseArray<SensorEvent> mSensorsEvents = new SparseArray<SensorEvent>();public SensorEventQueue(SensorEventListener listener, Looper looper,SystemSensorManager manager, String packageName) {super(looper, manager, OPERATING_MODE_NORMAL, packageName);mListener = listener;}@Overridepublic void addSensorEvent(Sensor sensor) {SensorEvent t = new SensorEvent(Sensor.getMaxLengthValuesArray(sensor,mManager.mTargetSdkLevel));synchronized (mSensorsEvents) {mSensorsEvents.put(sensor.getHandle(), t);}}@Overridepublic void removeSensorEvent(Sensor sensor) {synchronized (mSensorsEvents) {mSensorsEvents.delete(sensor.getHandle());}}// Called from native code.@SuppressWarnings("unused")@Overrideprotected void dispatchSensorEvent(int handle, float[] values, int inAccuracy,long timestamp) {final Sensor sensor = mManager.mHandleToSensor.get(handle);if (sensor == null) {// sensor disconnectedreturn;}SensorEvent t = null;synchronized (mSensorsEvents) {t = mSensorsEvents.get(handle);}if (t == null) {// This may happen if the client has unregistered and there are pending events in// the queue waiting to be delivered. Ignore.return;}// Copy from the values array.System.arraycopy(values, 0, t.values, 0, t.values.length);t.timestamp = timestamp;t.accuracy = inAccuracy;t.sensor = sensor;// call onAccuracyChanged() only if the value changesfinal int accuracy = mSensorAccuracies.get(handle);if ((t.accuracy >= 0) && (accuracy != t.accuracy)) {mSensorAccuracies.put(handle, t.accuracy);mListener.onAccuracyChanged(t.sensor, t.accuracy);}mListener.onSensorChanged(t);}// Called from native code.@SuppressWarnings("unused")@Overrideprotected void dispatchFlushCompleteEvent(int handle) {if (mListener instanceof SensorEventListener2) {final Sensor sensor = mManager.mHandleToSensor.get(handle);if (sensor == null) {// sensor disconnectedreturn;}((SensorEventListener2) mListener).onFlushCompleted(sensor);}return;}// Called from native code.@SuppressWarnings("unused")@Overrideprotected void dispatchAdditionalInfoEvent(int handle, int type, int serial, float[] floatValues, int[] intValues) {if (mListener instanceof SensorEventCallback) {final Sensor sensor = mManager.mHandleToSensor.get(handle);if (sensor == null) {// sensor disconnectedreturn;}SensorAdditionalInfo info =new SensorAdditionalInfo(sensor, type, serial, intValues, floatValues);((SensorEventCallback) mListener).onSensorAdditionalInfo(info);}}}

4.nativeInitBaseEventQueue()方法里边,通过jni调用\frameworks\base\core\jni\android_hardware_SensorManager.cpp中创建一个接收数据的Receiver对象

public boolean addSensor(Sensor sensor, int delayUs, int maxBatchReportLatencyUs) {// Check if already present.int handle = sensor.getHandle();if (mActiveSensors.get(handle)) return false;// Get ready to receive events before calling enable.mActiveSensors.put(handle, true);addSensorEvent(sensor);if (enableSensor(sensor, delayUs, maxBatchReportLatencyUs) != 0) {// Try continuous mode if batching fails.if (maxBatchReportLatencyUs == 0|| maxBatchReportLatencyUs > 0 && enableSensor(sensor, delayUs, 0) != 0) {removeSensor(sensor, false);return false;}}return true;}private int enableSensor(Sensor sensor, int rateUs, int maxBatchReportLatencyUs) {if (mNativeSensorEventQueue == 0) throw new NullPointerException();if (sensor == null) throw new NullPointerException();return nativeEnableSensor(mNativeSensorEventQueue, sensor.getHandle(), rateUs,maxBatchReportLatencyUs);
}

5.通过jni调用到frameworks\base\core\jni\android_hardware_SensorManager.cpp::nativeEnableSensor

static jint nativeEnableSensor(JNIEnv *env, jclass clazz, jlong eventQ, jint handle, jint rate_us,jint maxBatchReportLatency) {sp<Receiver> receiver(reinterpret_cast<Receiver *>(eventQ));return receiver->getSensorEventQueue()->enableSensor(handle, rate_us, maxBatchReportLatency,0);
}

6.\frameworks\native\libs\sensor\SensorEventQueue.cpp SensorEventQueue::enableSensor

status_t SensorEventQueue::enableSensor(Sensor const* sensor, int32_t samplingPeriodUs) const {return mSensorEventConnection->enableDisable(sensor->getHandle(), true,us2ns(samplingPeriodUs), 0, 0);
}

7.frameworks\native\services\sensorservice\SensorEventConnection.cpp SensorService::SensorEventConnection::enableDisable

status_t SensorService::SensorEventConnection::enableDisable(int handle, bool enabled, nsecs_t samplingPeriodNs, nsecs_t maxBatchReportLatencyNs,int reservedFlags)
{if (mDestroyed) {android_errorWriteLog(0x534e4554, "168211968");return DEAD_OBJECT;}status_t err;if (enabled) {nsecs_t requestedSamplingPeriodNs = samplingPeriodNs;bool isSensorCapped = false;sp<SensorInterface> si = mService->getSensorInterfaceFromHandle(handle);if (si != nullptr) {const Sensor& s = si->getSensor();if (mService->isSensorInCappedSet(s.getType())) {isSensorCapped = true;}}if (isSensorCapped) {err = mService->adjustSamplingPeriodBasedOnMicAndPermission(&samplingPeriodNs,String16(mOpPackageName));if (err != OK) {return err;}}err = mService->enable(this, handle, samplingPeriodNs, maxBatchReportLatencyNs,reservedFlags, mOpPackageName);if (err == OK && isSensorCapped) {if ((requestedSamplingPeriodNs >= SENSOR_SERVICE_CAPPED_SAMPLING_PERIOD_NS) ||!isRateCappedBasedOnPermission()) {mMicSamplingPeriodBackup[handle] = requestedSamplingPeriodNs;} else {mMicSamplingPeriodBackup[handle] = SENSOR_SERVICE_CAPPED_SAMPLING_PERIOD_NS;}}} else {err = mService->disable(this, handle);mMicSamplingPeriodBackup.erase(handle);}return err;
}

8.\frameworks\native\services\sensorservice\SensorService.cpp SensorService::enable

status_t SensorService::enable(const sp<SensorEventConnection>& connection,int handle, nsecs_t samplingPeriodNs, nsecs_t maxBatchReportLatencyNs, int reservedFlags,const String16& opPackageName) {if (mInitCheck != NO_ERROR)return mInitCheck;sp<SensorInterface> sensor = getSensorInterfaceFromHandle(handle);if (sensor == nullptr ||!canAccessSensor(sensor->getSensor(), "Tried enabling", opPackageName)) {return BAD_VALUE;}ConnectionSafeAutolock connLock = mConnectionHolder.lock(mLock);if (mCurrentOperatingMode != NORMAL&& !isWhiteListedPackage(connection->getPackageName())) {return INVALID_OPERATION;}SensorRecord* rec = mActiveSensors.valueFor(handle);if (rec == nullptr) {rec = new SensorRecord(connection);mActiveSensors.add(handle, rec);if (sensor->isVirtual()) {mActiveVirtualSensors.emplace(handle);}// There was no SensorRecord for this sensor which means it was previously disabled. Mark// the recent event as stale to ensure that the previous event is not sent to a client. This// ensures on-change events that were generated during a previous sensor activation are not// erroneously sent to newly connected clients, especially if a second client registers for// an on-change sensor before the first client receives the updated event. Once an updated// event is received, the recent events will be marked as current, and any new clients will// immediately receive the most recent event.if (sensor->getSensor().getReportingMode() == AREPORTING_MODE_ON_CHANGE) {auto logger = mRecentEvent.find(handle);if (logger != mRecentEvent.end()) {logger->second->setLastEventStale();}}} else {if (rec->addConnection(connection)) {// this sensor is already activated, but we are adding a connection that uses it.// Immediately send down the last known value of the requested sensor if it's not a// "continuous" sensor.if (sensor->getSensor().getReportingMode() == AREPORTING_MODE_ON_CHANGE) {// NOTE: The wake_up flag of this event may get set to// WAKE_UP_SENSOR_EVENT_NEEDS_ACK if this is a wake_up event.auto logger = mRecentEvent.find(handle);if (logger != mRecentEvent.end()) {sensors_event_t event;// Verify that the last sensor event was generated from the current activation// of the sensor. If not, it is possible for an on-change sensor to receive a// sensor event that is stale if two clients re-activate the sensor// simultaneously.if(logger->second->populateLastEventIfCurrent(&event)) {event.sensor = handle;if (event.version == sizeof(sensors_event_t)) {if (isWakeUpSensorEvent(event) && !mWakeLockAcquired) {setWakeLockAcquiredLocked(true);}connection->sendEvents(&event, 1, nullptr);if (!connection->needsWakeLock() && mWakeLockAcquired) {checkWakeLockStateLocked(&connLock);}}}}}}}if (connection->addSensor(handle)) {BatteryService::enableSensor(connection->getUid(), handle);// the sensor was added (which means it wasn't already there)// so, see if this connection becomes activemConnectionHolder.addEventConnectionIfNotPresent(connection);} else {ALOGW("sensor %08x already enabled in connection %p (ignoring)",handle, connection.get());}// Check maximum delay for the sensor.nsecs_t maxDelayNs = sensor->getSensor().getMaxDelay() * 1000LL;if (maxDelayNs > 0 && (samplingPeriodNs > maxDelayNs)) {samplingPeriodNs = maxDelayNs;}nsecs_t minDelayNs = sensor->getSensor().getMinDelayNs();if (samplingPeriodNs < minDelayNs) {samplingPeriodNs = minDelayNs;}ALOGD_IF(DEBUG_CONNECTIONS, "Calling batch handle==%d flags=%d""rate=%" PRId64 " timeout== %" PRId64"",handle, reservedFlags, samplingPeriodNs, maxBatchReportLatencyNs);status_t err = sensor->batch(connection.get(), handle, 0, samplingPeriodNs,maxBatchReportLatencyNs);// Call flush() before calling activate() on the sensor. Wait for a first// flush complete event before sending events on this connection. Ignore// one-shot sensors which don't support flush(). Ignore on-change sensors// to maintain the on-change logic (any on-change events except the initial// one should be trigger by a change in value). Also if this sensor isn't// already active, don't call flush().if (err == NO_ERROR &&sensor->getSensor().getReportingMode() == AREPORTING_MODE_CONTINUOUS &&rec->getNumConnections() > 1) {connection->setFirstFlushPending(handle, true);status_t err_flush = sensor->flush(connection.get(), handle);// Flush may return error if the underlying h/w sensor uses an older HAL.if (err_flush == NO_ERROR) {rec->addPendingFlushConnection(connection.get());} else {connection->setFirstFlushPending(handle, false);}}if (err == NO_ERROR) {ALOGD_IF(DEBUG_CONNECTIONS, "Calling activate on %d", handle);err = sensor->activate(connection.get(), true);}if (err == NO_ERROR) {connection->updateLooperRegistration(mLooper);if (sensor->getSensor().getRequiredPermission().size() > 0 &&sensor->getSensor().getRequiredAppOp() >= 0) {connection->mHandleToAppOp[handle] = sensor->getSensor().getRequiredAppOp();}mLastNSensorRegistrations.editItemAt(mNextSensorRegIndex) =SensorRegistrationInfo(handle, connection->getPackageName(),samplingPeriodNs, maxBatchReportLatencyNs, true);mNextSensorRegIndex = (mNextSensorRegIndex + 1) % SENSOR_REGISTRATIONS_BUF_SIZE;}if (err != NO_ERROR) {// batch/activate has failed, reset our state.cleanupWithoutDisableLocked(connection, handle);}return err;
}

9.frameworks\native\services\sensorservice\SensorInterface.cpp HardwareSensor::activate

status_t HardwareSensor::activate(void* ident, bool enabled) {return mSensorDevice.activate(ident, mSensor.getHandle(), enabled);
}

10.\frameworks\native\services\sensorservice\SensorDevice.cpp SensorDevice::activate

status_t SensorDevice::activate(void* ident, int handle, int enabled) {if (mHalWrapper == nullptr) return NO_INIT;Mutex::Autolock _l(mLock);return activateLocked(ident, handle, enabled);
}status_t SensorDevice::activateLocked(void* ident, int handle, int enabled) {bool activateHardware = false;status_t err(NO_ERROR);ssize_t activationIndex = mActivationCount.indexOfKey(handle);if (activationIndex < 0) {ALOGW("Handle %d cannot be found in activation record", handle);return BAD_VALUE;}Info& info(mActivationCount.editValueAt(activationIndex));ALOGD_IF(DEBUG_CONNECTIONS,"SensorDevice::activate: ident=%p, handle=0x%08x, enabled=%d, count=%zu", ident,handle, enabled, info.batchParams.size());if (enabled) {ALOGD_IF(DEBUG_CONNECTIONS, "enable index=%zd", info.batchParams.indexOfKey(ident));if (isClientDisabledLocked(ident)) {ALOGW("SensorDevice::activate, isClientDisabledLocked(%p):true, handle:%d", ident,handle);return NO_ERROR;}if (info.batchParams.indexOfKey(ident) >= 0) {if (info.numActiveClients() > 0 && !info.isActive) {activateHardware = true;}} else {// Log error. Every activate call should be preceded by a batch() call.ALOGE("\t >>>ERROR: activate called without batch");}} else {ALOGD_IF(DEBUG_CONNECTIONS, "disable index=%zd", info.batchParams.indexOfKey(ident));// If a connected dynamic sensor is deactivated, remove it from the// dictionary.auto it = mConnectedDynamicSensors.find(handle);if (it != mConnectedDynamicSensors.end()) {mConnectedDynamicSensors.erase(it);}if (info.removeBatchParamsForIdent(ident) >= 0) {if (info.numActiveClients() == 0) {// This is the last connection, we need to de-activate the underlying h/w sensor.activateHardware = true;} else {// Call batch for this sensor with the previously calculated best effort// batch_rate and timeout. One of the apps has unregistered for sensor// events, and the best effort batch parameters might have changed.ALOGD_IF(DEBUG_CONNECTIONS, "\t>>> actuating h/w batch 0x%08x %" PRId64 " %" PRId64,handle, info.bestBatchParams.mTSample, info.bestBatchParams.mTBatch);mHalWrapper->batch(handle, info.bestBatchParams.mTSample,info.bestBatchParams.mTBatch);}} else {// sensor wasn't enabled for this ident}if (isClientDisabledLocked(ident)) {return NO_ERROR;}}if (activateHardware) {err = doActivateHardwareLocked(handle, enabled);if (err != NO_ERROR && enabled) {// Failure when enabling the sensor. Clean up on failure.info.removeBatchParamsForIdent(ident);} else {// Update the isActive flag if there is no error. If there is an error when disabling a// sensor, still set the flag to false since the batch parameters have already been// removed. This ensures that everything remains in-sync.info.isActive = enabled;}}return err;
}status_t SensorDevice::doActivateHardwareLocked(int handle, bool enabled) {ALOGD_IF(DEBUG_CONNECTIONS, "\t>>> actuating h/w activate handle=%d enabled=%d", handle,enabled);status_t err = mHalWrapper->activate(handle, enabled);ALOGE_IF(err, "Error %s sensor %d (%s)", enabled ? "activating" : "disabling", handle,strerror(-err));return err;
}

11.以上是native层,之后是硬件抽象层(hal)
/hardware/libhardware/modules/sensors/dynamic_sensor/sensors.cpp

int SensorContext::activate(int handle, int enabled) {return mDynamicSensorManager->activate(handle, enabled);
}

12
/hardware/libhardware/modules/sensors/multihal.cpp

static int device__activate(struct sensors_poll_device_t *dev, int handle,int enabled) {sensors_poll_context_t* ctx = (sensors_poll_context_t*) dev;return ctx->activate(handle, enabled);
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/184637.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

有时出厂重置BIOS是解决电脑问题和保持其最佳性能的好办法,主要有两种方法

​BIOS是计算机开机时启动的第一个程序&#xff0c;它有助于执行一些基本的计算机操作&#xff0c;并管理计算机和安装在计算机上的操作系统之间的命令。与任何其他程序一样&#xff0c;如果在启动计算机时遇到问题或在计算机中添加了新硬件&#xff0c;则可能需要将BIOS重置为…

「幻醒蓝」可视化主题套件|融合天空的清澈与海洋的深邃

现如今&#xff0c;数据可视化已成为信息传递的重要手段之一。在这样一个信息爆炸的时代&#xff0c;向人们传达正确的信息显得尤为重要。为此&#xff0c;可视化主题套件应运而生&#xff0c;提供了一种多样化的、可视化的方式来展示数据。不同的主题套件能够适应不同的信息传…

图论|841钥匙和房间

题目&#xff1a; 有 n 个房间&#xff0c;房间按从 0 到 n - 1 编号。最初&#xff0c;除 0 号房间外的其余所有房间都被锁住。你的目标是进入所有的房间。然而&#xff0c;你不能在没有获得钥匙的时候进入锁住的房间。当你进入一个房间&#xff0c;你可能会在里面找到一套不同…

免费的电脑AI写作工具-5款好用的智能AI写作软件

随着人工智能&#xff08;AI&#xff09;技术的不断进步&#xff0c;电脑AI写作已经成为现代写作领域的一项不可或缺的工具。通过深度学习和自然语言处理的融合&#xff0c;AI写作软件得以模拟人类的创造性和表达能力&#xff0c;为我们提供了快速、高效地生成优质文字内容的可…

15.spring源码解析-invokeBeanFactoryPostProcessors

BeanFactoryPostProcessor接口允许我们在bean正是初始化之前改变其值。此接口只有一个方法: void postProcessBeanFactory(ConfigurableListableBeanFactory beanFactory);有两种方式可以向Spring添加此对象: 通过代码的方式: context.addBeanFactoryPostProcessor 通过xml…

HAProxy简写

概念&#xff1a; 简单地说&#xff0c;HAProxy就是一款免费的负载均衡的软件&#xff0c;类似于LVS。能基于4层&#xff08;TCP&#xff09;或者7层&#xff08;HTTP&#xff09;提供服务&#xff0c;适合大并发场景&#xff08;1w以上并发&#xff09;。 主要特效&#xff…

springboot+netty化身Udp服务端,go化身客户端模拟设备实现指令联动

&#x1f38f;&#xff1a;你只管努力&#xff0c;剩下的交给时间 &#x1f3e0; &#xff1a;小破站 springbootnetty化身Udp服务端&#xff0c;go化身客户端模拟设备实现指令联动 &#x1f517;涉及链接前言异步通信的优势异步通信的优势&#xff1a;异步通信的应用场景&…

电子学会 2023年9月 青少年软件编程Python编程等级考试二级真题解析(选择题+判断题+编程题)

青少年编程Python编程等级考试二级真题解析(选择题+判断题+编程题) 2023年9月 一、选择题(共25题,共50分) 以下代码运行结果是?( ) A. 宸宸 B. 杭杭 C. 玉玉 D. 州州 答案选:A 考点分析:考察python 列表操作 jxw=yyh[2][0],jxw的值是“拱宸桥”,jxw[1]的值是“宸”…

读书笔记之《价值》张磊

读书笔记之《价值》张磊 自序 这是一条长期主义之路 长期主义——把时间和信念投入能够长期产生价值的事情中&#xff0c;尽力学习最有效率的思维方式和行为标准&#xff0c;遵循第一性原理&#xff0c;永远探求真理。 真正的投资&#xff0c;有且只有一条标准&#xff0c;那…

Java实现飞翔的鸟小游戏

Java实现飞翔的鸟小游戏 1.准备工作 创建一个新的Java项目命名为“飞翔的鸟”&#xff0c;并在src中创建一个包命名为“com.qiku.bird"&#xff0c;在这个包内分别创建4个类命名为**“Bird”、“BirdGame”、“Column”、“Ground”&#xff0c;并向需要的图片**素材导入…

PSP - 解决 ESMFold 推理长序列蛋白质结构的显存溢出问题

欢迎关注我的CSDN&#xff1a;https://spike.blog.csdn.net/ 本文地址&#xff1a;https://spike.blog.csdn.net/article/details/134709211 使用 ESMFold 推理长序列 (Seq. Len. > 1500) 时&#xff0c;导致显存不足&#xff0c;需要设置 chunk_size 参数&#xff0c;实现长…

点赞和关注功能

今天分享一个常见的面试题&#xff1a;如何实现点赞和关注功能&#xff1f; 下面笔者将深入浅出给出这个面试的解答&#xff0c;笔者不仅会分享思路&#xff0c;而且还会给出具体代码实现&#xff0c;帮助读者更好地完全理解功能实现。 其实要实现点赞和关注功能&#xff0c;…

第八话:前途和钱总要占一个

是啊,有时候职场就是这么现实,你说你到一家公司能图啥,图它能让你享受累死累活的快感还是图他给你养老送终?还不是图那点工资,图能多学点东西在下一家公司开的高一点,多少人背井离乡不就为了博一个前程。 小蔡怎么说也算是陪公司从低谷爬起来的,至少也待了1、2年了,但是…

同旺科技 分布式数字温度传感器 -- OPC Servers测试

内附链接 1、数字温度传感器 主要特性有&#xff1a; ● 支持PT100 / PT1000 两种铂电阻&#xff1b; ● 支持 2线 / 3线 / 4线 制接线方式&#xff1b; ● 支持5V&#xff5e;17V DC电源供电&#xff1b; ● 支持电源反接保护&#xff1b; ● 支持通讯波特率1200bps、2…

谁可以从使用 Amazon Lightsail 进行 VPS 托管中受益?

文章作者&#xff1a;Libai 介绍 在当今数字化的环境中&#xff0c;拥有可靠和高效的托管解决方案对于企业和个人来说至关重要。由于其灵活性、可扩展性和成本效益&#xff0c;虚拟专用服务器&#xff08;VPS&#xff09;托管已经在市场上获得了巨大的流行。Amazon Lightsail …

最新Midjourney绘画提示词Prompt

最新Midjourney绘画提示词Prompt 一、AI绘画工具 SparkAi【无需魔法使用】&#xff1a; SparkAi是目前国内一款的ChatGPT对接OpenAI软件系统。那么如何搭建部署AI创作ChatGPT&#xff1f;小编这里写一个详细图文教程吧&#xff01;本系统使用NestjsVueTypescript框架技术&am…

自己的邮箱名称出现在别人的此电脑的网络位置中

在公司别的同事告诉我&#xff0c;我的邮箱名字出现在他们的【此电脑】-【网络位置中】 如图&#xff1a; 当时吓我一跳&#xff0c;因为我总喜欢搞一些渗透的东西&#xff0c;我以为把自己暴漏了&#xff0c;然后疯狂的在网上找原因。 于是就搜到一位安暖的博主&#xff1a; …

字符串函数-C语言

介绍 字符串函数&#xff0c;简单说&#xff0c;就是处理字符串的函数&#xff0c;头文件是string.h&#xff0c;以下是今天的讲解中会讲到的一系列字符串函数 头文件&#xff1a;#include<string.h>strlen&#xff1a;求字符串长度strcpy&#xff1a;拷贝字符串strcat&…

使用自动化测试获取手机短信验证码

目前在职测试开发,,写一些脚本,个人认为这职业不科学不应该有的职业,测试就是测试,开发就是开发,运维还是老鸟,这行业总能折腾些莫名其妙的东西出来,刚做这行时学的第一门语言是bash shell, 去新去单位上班直接写了个一键搭建测试环境的测试脚本,本来不想干测试了,好好做微信小…

C++ Primer Plus第十一章笔记

目录 运算符重载 概述 1.2 重载限制 友元简介 创建友元 常用的友元&#xff1a;重载 << 运算符 重载运算符&#xff1a;作为成员函数还是非成员函数 类的自动转换和强制类型转换 两种类型转换 转换函数 运算符重载 操作符重载&#xff08;Operator Overloadi…