当前位置:网站首页>[sword finger offer] questions 1-5
[sword finger offer] questions 1-5
2022-07-04 22:58:00 【Which bug are you?】
List of articles
Assignment operator function
- Return self reference , Make it possible to wait .
When overloading the flow operator, you also need to return itself References to , Because continuous input or output is required
- When passing parameters, it is declared as a constant reference
Passing values will call the copy construct ,const References avoid modifying arguments
- Free your own memory
Failure to release yourself when assigning values to others leads to memory leakage (new You need to pay special attention to this point in the assignment of the resulting space )
- Check whether the incoming parameter and the current instance are the same
Assign values to yourself , There was no big problem , But combined with the previous point , You must have released yourself before the assignment , If the parameter passed in is itself ( What we pass on is quotation ), It means that the memory resource is gone before the assignment , It may cause the program to crash and so on .
Code
According to the book
CMyString& CMyString::operator=(const CMyString& str)// Parameter passing is often quoted , The return value is also a reference
{
if (this != &str)// Judge whether it is equal to itself
{
CMyString strTemp(str);// Build a temporary object to exchange resources
char* pTemp = strTemp.m_pData;
strTemp.m_pData = m_pData;
m_pData = pTemp;
}
return *this;
}
//strTemp What you get is old resources , function return Then the stack frame is destroyed , That is to say strTemp With the original resources released
Summary
Realization Singleton Pattern
There are three ways of writing , Corresponding to each other, it can work in a single thread , Multithreading can work but is inefficient , Multithreading can work with high efficiency .
Single thread
Before creating an instance in singleton mode, you should shield all other methods of creating instances fall , For example, put the structure 、 Copy constructor private , Disable assignment overloading (C++11delete keyword )
class Singleton
{
public:
static Singleton* GetInstance()
{
if (instance == nullptr)
{
return new Singleton();
}
}
private:
// The methods of creating instances are all set to private , Only one interface is left
... Disable all construction methods
static Singleton* instance;
};
Singleton* Singleton::instance = nullptr;
Multithreading + Inefficient
The methods of creating instances are all set to private , Only one interface is left
class Singleton
{
public:
static Singleton* GetInstance()
{
_mtx.lock();
if (_instance == nullptr)
{
_instance=new Singleton();
}
_mtx.unlock();
return _instance;
}
private:
... Disable all construction methods
static mutex _mtx;
static Singleton* _instance;
};
Singleton* Singleton::_instance = nullptr;
Locking costs a lot , Locking before each inspection leads to low efficiency .
Multithreading + Efficient
Double check writing
class Singleton
{
public:
static Singleton* GetInstance()
{
if (_instance==nullptr)
{
_mtx.lock();
if (_instance == nullptr)
{
_instance=new Singleton();
}
_mtx.unlock();
return _instance;
}
}
private:
... Disable all methods
static mutex _mtx;
static Singleton* _instance;
};
Singleton* Singleton::_instance = nullptr;
Repeated numbers in an array
The finger of the sword Offer 03. Repeated numbers in an array - Power button (LeetCode)
The main idea of the topic : Find an arbitrary repeated number from a pile of numbers
Hashtable
class Solution {
public:
int findRepeatNumber(vector<int>& nums) {
unordered_map<int,bool>um;
for(auto e:nums)
{
if(um[e])
{
return e;
}
um[e]=true;
}
return -1;
}
};
Indexes
You can treat every position of the array as empty , Then find a number and fill it in , For example, the subscript is 1 The location of is 1 Go fill in .
Go through each number , Check this number , For example, whether to fill in this number , If this number appears after filling, it means that it is repeated , Fill in the right place without filling .
This method is a clever solution , Using the idea of indexing , That is, a position can only correspond to one value , The second occurrence is repetition .
The title is also modified in the book : What to do without moving the array ? Two points + Count the number of times to determine the interval of the repeated number .
class Solution {
public:
int findRepeatNumber(vector<int>& nums) {
int i=0;
while(i<nums.size())
{
if(i==nums[i])
{
i++;
continue;
}
if(nums[i]!=nums[nums[i]])
{
swap(nums[i],nums[nums[i]]);
continue;// You must quit after the exchange
}
return nums[i];
}
return -1;
}
};
Search in a two-dimensional array
The finger of the sword Offer 04. Search in a two-dimensional array - Power button (LeetCode)
The main idea of the topic : Each row is incremented from left to right , Each column is incremented from top to bottom .
It's a bit like finding rules , To find the number in the upper right corner . Remember that the number we are looking for is target, Record the number in the upper right corner as right-up.
target>right-up, Get rid of right-up This number is on this line . because right-up Is the maximum number of current rows ,target More than that , It shows that there is no number we need in this line .
target<right-up, Get rid of right-up In this column , Because this number is the smallest tree in its column ,target Smaller than this number , It means that there are no figures we need in this column .
target==right-up. Go straight back to true
class Solution {
public:
bool findNumberIn2DArray(vector<vector<int>>& matrix, int target) {
int row=matrix.size()-1;
if(row<0)
{
return 0;
}
int col=matrix[0].size()-1;
int i=0;
int j=col;
while(i>=0&&i<=row&&j>=0&&j<=col)
{
if(target>matrix[i][j])
{
i++;
}
else if(target<matrix[i][j])
{
j--;
}
else
{
return true;
}
}
return false;
}
};
Replace blank space
The finger of the sword Offer 05. Replace blank space - Power button (LeetCode)
The main idea of the topic : Replace the space with “%20”
O(n^2) Surely not , Violent movement …
grace , Never obsolete – Green steel shadow
Here's a O(n) Methods
It takes a lot of length to replace a space 2, Count how many spaces there are , You know the length of the replaced string . Then double pointer , Two pointers scan from back to front , Write them down as end1( The initial point is the last position of the old string ),end2( The initial point is to the last position of the new string ),end1 Scan to non space characters ,end2 Copy this character at the position pointed to ,end1 Scan to the space character end2 The pointing position increases from back to front 02% that will do .
class Solution {
public:
string replaceSpace(string s) {
int cnt=0;
int sz=s.size();
for(int i=0;i<sz;i++)
{
if(s[i]==' ')
{
cnt++;
}
}
int newSize=sz+cnt*2;
s.resize(newSize+1);
int end2=newSize-1;
int end1=sz-1;
while(end1>=0)
{
if(s[end1]==' ')
{
s[end2]='0';end2--;
s[end2]='2';end2--;
s[end2]='%';end2--;end1--;
}
else
{
s[end2]=s[end1];
end2--;
end1--;
}
}
return s;
}
};
边栏推荐
- Business is too busy. Is there really no reason to have time for automation?
- [roommate learned to use Bi report data processing in the time of King glory in one game]
- MySQL Architecture - logical architecture
- 通过Go语言创建CA与签发证书
- Redis入门完整教程:Pipeline
- Record: how to scroll screenshots of web pages on Microsoft edge in win10 system?
- Redis入门完整教程:初识Redis
- Redis入门完整教程:事务与Lua
- Complete tutorial for getting started with redis: bitmaps
- [Lua] Int64 support
猜你喜欢
Redis démarrer le tutoriel complet: Pipeline
Duplicate ADMAS part name
Logo special training camp Section IV importance of font design
NFT insider 64: e-commerce giant eBay submitted an NFT related trademark application, and KPMG will invest $30million in Web3 and metauniverse
[machine learning] handwritten digit recognition
攻防世界 MISC 高手进阶区 001 normal_png
堆排序代码详解
Redis introduction complete tutorial: client communication protocol
Business is too busy. Is there really no reason to have time for automation?
【图论】拓扑排序
随机推荐
共创软硬件协同生态:Graphcore IPU与百度飞桨的“联合提交”亮相MLPerf
攻防世界 MISC 高手进阶区 001 normal_png
Logo special training camp Section IV importance of font design
通过Go语言创建CA与签发证书
该如何去选择证券公司,手机上开户安不安全
Redis入门完整教程:发布订阅
质量体系建设之路的分分合合
Advanced area a of attack and defense world misc Masters_ good_ idea
EditPlus--用法--快捷键/配置/背景色/字体大小
啃下大骨头——排序(二)
Common methods in string class
安装人大金仓数据库
Duplicate ADMAS part name
蓝队攻防演练中的三段作战
攻防世界 MISC 进阶 glance-50
Talk about Middleware
Google Earth Engine(GEE)——以MODIS/006/MCD19A2为例批量下载逐天AOD数据逐天的均值、最大值、最小值、标准差、方差统计分析和CSV下载(北京市各区为例)
Summary of index operations in mongodb
The difference between Max and greatest in SQL
The new version judges the code of PC and mobile terminal, the mobile terminal jumps to the mobile terminal, and the PC jumps to the latest valid code of PC terminal